forked from sent/waves
49766 lines
1.4 MiB
49766 lines
1.4 MiB
// Generated by Construct 2, the HTML5 game and app creator :: https://www.construct.net
|
|
var cr = {};
|
|
cr.plugins_ = {};
|
|
cr.behaviors = {};
|
|
if (typeof Object.getPrototypeOf !== "function")
|
|
{
|
|
if (typeof "test".__proto__ === "object")
|
|
{
|
|
Object.getPrototypeOf = function(object) {
|
|
return object.__proto__;
|
|
};
|
|
}
|
|
else
|
|
{
|
|
Object.getPrototypeOf = function(object) {
|
|
return object.constructor.prototype;
|
|
};
|
|
}
|
|
}
|
|
(function(){
|
|
cr.logexport = function (msg)
|
|
{
|
|
if (window.console && window.console.log)
|
|
window.console.log(msg);
|
|
};
|
|
cr.logerror = function (msg)
|
|
{
|
|
if (window.console && window.console.error)
|
|
window.console.error(msg);
|
|
};
|
|
cr.seal = function(x)
|
|
{
|
|
return x;
|
|
};
|
|
cr.freeze = function(x)
|
|
{
|
|
return x;
|
|
};
|
|
cr.is_undefined = function (x)
|
|
{
|
|
return typeof x === "undefined";
|
|
};
|
|
cr.is_number = function (x)
|
|
{
|
|
return typeof x === "number";
|
|
};
|
|
cr.is_string = function (x)
|
|
{
|
|
return typeof x === "string";
|
|
};
|
|
cr.isPOT = function (x)
|
|
{
|
|
return x > 0 && ((x - 1) & x) === 0;
|
|
};
|
|
cr.nextHighestPowerOfTwo = function(x) {
|
|
--x;
|
|
for (var i = 1; i < 32; i <<= 1) {
|
|
x = x | x >> i;
|
|
}
|
|
return x + 1;
|
|
}
|
|
cr.abs = function (x)
|
|
{
|
|
return (x < 0 ? -x : x);
|
|
};
|
|
cr.max = function (a, b)
|
|
{
|
|
return (a > b ? a : b);
|
|
};
|
|
cr.min = function (a, b)
|
|
{
|
|
return (a < b ? a : b);
|
|
};
|
|
cr.PI = Math.PI;
|
|
cr.round = function (x)
|
|
{
|
|
return (x + 0.5) | 0;
|
|
};
|
|
cr.floor = function (x)
|
|
{
|
|
if (x >= 0)
|
|
return x | 0;
|
|
else
|
|
return (x | 0) - 1; // correctly round down when negative
|
|
};
|
|
cr.ceil = function (x)
|
|
{
|
|
var f = x | 0;
|
|
return (f === x ? f : f + 1);
|
|
};
|
|
function Vector2(x, y)
|
|
{
|
|
this.x = x;
|
|
this.y = y;
|
|
cr.seal(this);
|
|
};
|
|
Vector2.prototype.offset = function (px, py)
|
|
{
|
|
this.x += px;
|
|
this.y += py;
|
|
return this;
|
|
};
|
|
Vector2.prototype.mul = function (px, py)
|
|
{
|
|
this.x *= px;
|
|
this.y *= py;
|
|
return this;
|
|
};
|
|
cr.vector2 = Vector2;
|
|
cr.segments_intersect = function(a1x, a1y, a2x, a2y, b1x, b1y, b2x, b2y)
|
|
{
|
|
var max_ax, min_ax, max_ay, min_ay, max_bx, min_bx, max_by, min_by;
|
|
if (a1x < a2x)
|
|
{
|
|
min_ax = a1x;
|
|
max_ax = a2x;
|
|
}
|
|
else
|
|
{
|
|
min_ax = a2x;
|
|
max_ax = a1x;
|
|
}
|
|
if (b1x < b2x)
|
|
{
|
|
min_bx = b1x;
|
|
max_bx = b2x;
|
|
}
|
|
else
|
|
{
|
|
min_bx = b2x;
|
|
max_bx = b1x;
|
|
}
|
|
if (max_ax < min_bx || min_ax > max_bx)
|
|
return false;
|
|
if (a1y < a2y)
|
|
{
|
|
min_ay = a1y;
|
|
max_ay = a2y;
|
|
}
|
|
else
|
|
{
|
|
min_ay = a2y;
|
|
max_ay = a1y;
|
|
}
|
|
if (b1y < b2y)
|
|
{
|
|
min_by = b1y;
|
|
max_by = b2y;
|
|
}
|
|
else
|
|
{
|
|
min_by = b2y;
|
|
max_by = b1y;
|
|
}
|
|
if (max_ay < min_by || min_ay > max_by)
|
|
return false;
|
|
var dpx = b1x - a1x + b2x - a2x;
|
|
var dpy = b1y - a1y + b2y - a2y;
|
|
var qax = a2x - a1x;
|
|
var qay = a2y - a1y;
|
|
var qbx = b2x - b1x;
|
|
var qby = b2y - b1y;
|
|
var d = cr.abs(qay * qbx - qby * qax);
|
|
var la = qbx * dpy - qby * dpx;
|
|
if (cr.abs(la) > d)
|
|
return false;
|
|
var lb = qax * dpy - qay * dpx;
|
|
return cr.abs(lb) <= d;
|
|
};
|
|
function Rect(left, top, right, bottom)
|
|
{
|
|
this.set(left, top, right, bottom);
|
|
cr.seal(this);
|
|
};
|
|
Rect.prototype.set = function (left, top, right, bottom)
|
|
{
|
|
this.left = left;
|
|
this.top = top;
|
|
this.right = right;
|
|
this.bottom = bottom;
|
|
};
|
|
Rect.prototype.copy = function (r)
|
|
{
|
|
this.left = r.left;
|
|
this.top = r.top;
|
|
this.right = r.right;
|
|
this.bottom = r.bottom;
|
|
};
|
|
Rect.prototype.width = function ()
|
|
{
|
|
return this.right - this.left;
|
|
};
|
|
Rect.prototype.height = function ()
|
|
{
|
|
return this.bottom - this.top;
|
|
};
|
|
Rect.prototype.offset = function (px, py)
|
|
{
|
|
this.left += px;
|
|
this.top += py;
|
|
this.right += px;
|
|
this.bottom += py;
|
|
return this;
|
|
};
|
|
Rect.prototype.normalize = function ()
|
|
{
|
|
var temp = 0;
|
|
if (this.left > this.right)
|
|
{
|
|
temp = this.left;
|
|
this.left = this.right;
|
|
this.right = temp;
|
|
}
|
|
if (this.top > this.bottom)
|
|
{
|
|
temp = this.top;
|
|
this.top = this.bottom;
|
|
this.bottom = temp;
|
|
}
|
|
};
|
|
Rect.prototype.intersects_rect = function (rc)
|
|
{
|
|
return !(rc.right < this.left || rc.bottom < this.top || rc.left > this.right || rc.top > this.bottom);
|
|
};
|
|
Rect.prototype.intersects_rect_off = function (rc, ox, oy)
|
|
{
|
|
return !(rc.right + ox < this.left || rc.bottom + oy < this.top || rc.left + ox > this.right || rc.top + oy > this.bottom);
|
|
};
|
|
Rect.prototype.contains_pt = function (x, y)
|
|
{
|
|
return (x >= this.left && x <= this.right) && (y >= this.top && y <= this.bottom);
|
|
};
|
|
Rect.prototype.equals = function (r)
|
|
{
|
|
return this.left === r.left && this.top === r.top && this.right === r.right && this.bottom === r.bottom;
|
|
};
|
|
cr.rect = Rect;
|
|
function Quad()
|
|
{
|
|
this.tlx = 0;
|
|
this.tly = 0;
|
|
this.trx = 0;
|
|
this.try_ = 0; // is a keyword otherwise!
|
|
this.brx = 0;
|
|
this.bry = 0;
|
|
this.blx = 0;
|
|
this.bly = 0;
|
|
cr.seal(this);
|
|
};
|
|
Quad.prototype.set_from_rect = function (rc)
|
|
{
|
|
this.tlx = rc.left;
|
|
this.tly = rc.top;
|
|
this.trx = rc.right;
|
|
this.try_ = rc.top;
|
|
this.brx = rc.right;
|
|
this.bry = rc.bottom;
|
|
this.blx = rc.left;
|
|
this.bly = rc.bottom;
|
|
};
|
|
Quad.prototype.set_from_rotated_rect = function (rc, a)
|
|
{
|
|
if (a === 0)
|
|
{
|
|
this.set_from_rect(rc);
|
|
}
|
|
else
|
|
{
|
|
var sin_a = Math.sin(a);
|
|
var cos_a = Math.cos(a);
|
|
var left_sin_a = rc.left * sin_a;
|
|
var top_sin_a = rc.top * sin_a;
|
|
var right_sin_a = rc.right * sin_a;
|
|
var bottom_sin_a = rc.bottom * sin_a;
|
|
var left_cos_a = rc.left * cos_a;
|
|
var top_cos_a = rc.top * cos_a;
|
|
var right_cos_a = rc.right * cos_a;
|
|
var bottom_cos_a = rc.bottom * cos_a;
|
|
this.tlx = left_cos_a - top_sin_a;
|
|
this.tly = top_cos_a + left_sin_a;
|
|
this.trx = right_cos_a - top_sin_a;
|
|
this.try_ = top_cos_a + right_sin_a;
|
|
this.brx = right_cos_a - bottom_sin_a;
|
|
this.bry = bottom_cos_a + right_sin_a;
|
|
this.blx = left_cos_a - bottom_sin_a;
|
|
this.bly = bottom_cos_a + left_sin_a;
|
|
}
|
|
};
|
|
Quad.prototype.offset = function (px, py)
|
|
{
|
|
this.tlx += px;
|
|
this.tly += py;
|
|
this.trx += px;
|
|
this.try_ += py;
|
|
this.brx += px;
|
|
this.bry += py;
|
|
this.blx += px;
|
|
this.bly += py;
|
|
return this;
|
|
};
|
|
var minresult = 0;
|
|
var maxresult = 0;
|
|
function minmax4(a, b, c, d)
|
|
{
|
|
if (a < b)
|
|
{
|
|
if (c < d)
|
|
{
|
|
if (a < c)
|
|
minresult = a;
|
|
else
|
|
minresult = c;
|
|
if (b > d)
|
|
maxresult = b;
|
|
else
|
|
maxresult = d;
|
|
}
|
|
else
|
|
{
|
|
if (a < d)
|
|
minresult = a;
|
|
else
|
|
minresult = d;
|
|
if (b > c)
|
|
maxresult = b;
|
|
else
|
|
maxresult = c;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (c < d)
|
|
{
|
|
if (b < c)
|
|
minresult = b;
|
|
else
|
|
minresult = c;
|
|
if (a > d)
|
|
maxresult = a;
|
|
else
|
|
maxresult = d;
|
|
}
|
|
else
|
|
{
|
|
if (b < d)
|
|
minresult = b;
|
|
else
|
|
minresult = d;
|
|
if (a > c)
|
|
maxresult = a;
|
|
else
|
|
maxresult = c;
|
|
}
|
|
}
|
|
};
|
|
Quad.prototype.bounding_box = function (rc)
|
|
{
|
|
minmax4(this.tlx, this.trx, this.brx, this.blx);
|
|
rc.left = minresult;
|
|
rc.right = maxresult;
|
|
minmax4(this.tly, this.try_, this.bry, this.bly);
|
|
rc.top = minresult;
|
|
rc.bottom = maxresult;
|
|
};
|
|
Quad.prototype.contains_pt = function (x, y)
|
|
{
|
|
var tlx = this.tlx;
|
|
var tly = this.tly;
|
|
var v0x = this.trx - tlx;
|
|
var v0y = this.try_ - tly;
|
|
var v1x = this.brx - tlx;
|
|
var v1y = this.bry - tly;
|
|
var v2x = x - tlx;
|
|
var v2y = y - tly;
|
|
var dot00 = v0x * v0x + v0y * v0y
|
|
var dot01 = v0x * v1x + v0y * v1y
|
|
var dot02 = v0x * v2x + v0y * v2y
|
|
var dot11 = v1x * v1x + v1y * v1y
|
|
var dot12 = v1x * v2x + v1y * v2y
|
|
var invDenom = 1.0 / (dot00 * dot11 - dot01 * dot01);
|
|
var u = (dot11 * dot02 - dot01 * dot12) * invDenom;
|
|
var v = (dot00 * dot12 - dot01 * dot02) * invDenom;
|
|
if ((u >= 0.0) && (v > 0.0) && (u + v < 1))
|
|
return true;
|
|
v0x = this.blx - tlx;
|
|
v0y = this.bly - tly;
|
|
var dot00 = v0x * v0x + v0y * v0y
|
|
var dot01 = v0x * v1x + v0y * v1y
|
|
var dot02 = v0x * v2x + v0y * v2y
|
|
invDenom = 1.0 / (dot00 * dot11 - dot01 * dot01);
|
|
u = (dot11 * dot02 - dot01 * dot12) * invDenom;
|
|
v = (dot00 * dot12 - dot01 * dot02) * invDenom;
|
|
return (u >= 0.0) && (v > 0.0) && (u + v < 1);
|
|
};
|
|
Quad.prototype.at = function (i, xory)
|
|
{
|
|
if (xory)
|
|
{
|
|
switch (i)
|
|
{
|
|
case 0: return this.tlx;
|
|
case 1: return this.trx;
|
|
case 2: return this.brx;
|
|
case 3: return this.blx;
|
|
case 4: return this.tlx;
|
|
default: return this.tlx;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
switch (i)
|
|
{
|
|
case 0: return this.tly;
|
|
case 1: return this.try_;
|
|
case 2: return this.bry;
|
|
case 3: return this.bly;
|
|
case 4: return this.tly;
|
|
default: return this.tly;
|
|
}
|
|
}
|
|
};
|
|
Quad.prototype.midX = function ()
|
|
{
|
|
return (this.tlx + this.trx + this.brx + this.blx) / 4;
|
|
};
|
|
Quad.prototype.midY = function ()
|
|
{
|
|
return (this.tly + this.try_ + this.bry + this.bly) / 4;
|
|
};
|
|
Quad.prototype.intersects_segment = function (x1, y1, x2, y2)
|
|
{
|
|
if (this.contains_pt(x1, y1) || this.contains_pt(x2, y2))
|
|
return true;
|
|
var a1x, a1y, a2x, a2y;
|
|
var i;
|
|
for (i = 0; i < 4; i++)
|
|
{
|
|
a1x = this.at(i, true);
|
|
a1y = this.at(i, false);
|
|
a2x = this.at(i + 1, true);
|
|
a2y = this.at(i + 1, false);
|
|
if (cr.segments_intersect(x1, y1, x2, y2, a1x, a1y, a2x, a2y))
|
|
return true;
|
|
}
|
|
return false;
|
|
};
|
|
Quad.prototype.intersects_quad = function (rhs)
|
|
{
|
|
var midx = rhs.midX();
|
|
var midy = rhs.midY();
|
|
if (this.contains_pt(midx, midy))
|
|
return true;
|
|
midx = this.midX();
|
|
midy = this.midY();
|
|
if (rhs.contains_pt(midx, midy))
|
|
return true;
|
|
var a1x, a1y, a2x, a2y, b1x, b1y, b2x, b2y;
|
|
var i, j;
|
|
for (i = 0; i < 4; i++)
|
|
{
|
|
for (j = 0; j < 4; j++)
|
|
{
|
|
a1x = this.at(i, true);
|
|
a1y = this.at(i, false);
|
|
a2x = this.at(i + 1, true);
|
|
a2y = this.at(i + 1, false);
|
|
b1x = rhs.at(j, true);
|
|
b1y = rhs.at(j, false);
|
|
b2x = rhs.at(j + 1, true);
|
|
b2y = rhs.at(j + 1, false);
|
|
if (cr.segments_intersect(a1x, a1y, a2x, a2y, b1x, b1y, b2x, b2y))
|
|
return true;
|
|
}
|
|
}
|
|
return false;
|
|
};
|
|
cr.quad = Quad;
|
|
cr.RGB = function (red, green, blue)
|
|
{
|
|
return Math.max(Math.min(red, 255), 0)
|
|
| (Math.max(Math.min(green, 255), 0) << 8)
|
|
| (Math.max(Math.min(blue, 255), 0) << 16);
|
|
};
|
|
cr.GetRValue = function (rgb)
|
|
{
|
|
return rgb & 0xFF;
|
|
};
|
|
cr.GetGValue = function (rgb)
|
|
{
|
|
return (rgb & 0xFF00) >> 8;
|
|
};
|
|
cr.GetBValue = function (rgb)
|
|
{
|
|
return (rgb & 0xFF0000) >> 16;
|
|
};
|
|
cr.shallowCopy = function (a, b, allowOverwrite)
|
|
{
|
|
var attr;
|
|
for (attr in b)
|
|
{
|
|
if (b.hasOwnProperty(attr))
|
|
{
|
|
;
|
|
a[attr] = b[attr];
|
|
}
|
|
}
|
|
return a;
|
|
};
|
|
cr.arrayRemove = function (arr, index)
|
|
{
|
|
var i, len;
|
|
index = cr.floor(index);
|
|
if (index < 0 || index >= arr.length)
|
|
return; // index out of bounds
|
|
for (i = index, len = arr.length - 1; i < len; i++)
|
|
arr[i] = arr[i + 1];
|
|
cr.truncateArray(arr, len);
|
|
};
|
|
cr.truncateArray = function (arr, index)
|
|
{
|
|
arr.length = index;
|
|
};
|
|
cr.clearArray = function (arr)
|
|
{
|
|
cr.truncateArray(arr, 0);
|
|
};
|
|
cr.shallowAssignArray = function (dest, src)
|
|
{
|
|
cr.clearArray(dest);
|
|
var i, len;
|
|
for (i = 0, len = src.length; i < len; ++i)
|
|
dest[i] = src[i];
|
|
};
|
|
cr.appendArray = function (a, b)
|
|
{
|
|
a.push.apply(a, b);
|
|
};
|
|
cr.fastIndexOf = function (arr, item)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = arr.length; i < len; ++i)
|
|
{
|
|
if (arr[i] === item)
|
|
return i;
|
|
}
|
|
return -1;
|
|
};
|
|
cr.arrayFindRemove = function (arr, item)
|
|
{
|
|
var index = cr.fastIndexOf(arr, item);
|
|
if (index !== -1)
|
|
cr.arrayRemove(arr, index);
|
|
};
|
|
cr.clamp = function(x, a, b)
|
|
{
|
|
if (x < a)
|
|
return a;
|
|
else if (x > b)
|
|
return b;
|
|
else
|
|
return x;
|
|
};
|
|
cr.to_radians = function(x)
|
|
{
|
|
return x / (180.0 / cr.PI);
|
|
};
|
|
cr.to_degrees = function(x)
|
|
{
|
|
return x * (180.0 / cr.PI);
|
|
};
|
|
cr.clamp_angle_degrees = function (a)
|
|
{
|
|
a %= 360; // now in (-360, 360) range
|
|
if (a < 0)
|
|
a += 360; // now in [0, 360) range
|
|
return a;
|
|
};
|
|
cr.clamp_angle = function (a)
|
|
{
|
|
a %= 2 * cr.PI; // now in (-2pi, 2pi) range
|
|
if (a < 0)
|
|
a += 2 * cr.PI; // now in [0, 2pi) range
|
|
return a;
|
|
};
|
|
cr.to_clamped_degrees = function (x)
|
|
{
|
|
return cr.clamp_angle_degrees(cr.to_degrees(x));
|
|
};
|
|
cr.to_clamped_radians = function (x)
|
|
{
|
|
return cr.clamp_angle(cr.to_radians(x));
|
|
};
|
|
cr.angleTo = function(x1, y1, x2, y2)
|
|
{
|
|
var dx = x2 - x1;
|
|
var dy = y2 - y1;
|
|
return Math.atan2(dy, dx);
|
|
};
|
|
cr.angleDiff = function (a1, a2)
|
|
{
|
|
if (a1 === a2)
|
|
return 0;
|
|
var s1 = Math.sin(a1);
|
|
var c1 = Math.cos(a1);
|
|
var s2 = Math.sin(a2);
|
|
var c2 = Math.cos(a2);
|
|
var n = s1 * s2 + c1 * c2;
|
|
if (n >= 1)
|
|
return 0;
|
|
if (n <= -1)
|
|
return cr.PI;
|
|
return Math.acos(n);
|
|
};
|
|
cr.angleRotate = function (start, end, step)
|
|
{
|
|
var ss = Math.sin(start);
|
|
var cs = Math.cos(start);
|
|
var se = Math.sin(end);
|
|
var ce = Math.cos(end);
|
|
if (Math.acos(ss * se + cs * ce) > step)
|
|
{
|
|
if (cs * se - ss * ce > 0)
|
|
return cr.clamp_angle(start + step);
|
|
else
|
|
return cr.clamp_angle(start - step);
|
|
}
|
|
else
|
|
return cr.clamp_angle(end);
|
|
};
|
|
cr.angleClockwise = function (a1, a2)
|
|
{
|
|
var s1 = Math.sin(a1);
|
|
var c1 = Math.cos(a1);
|
|
var s2 = Math.sin(a2);
|
|
var c2 = Math.cos(a2);
|
|
return c1 * s2 - s1 * c2 <= 0;
|
|
};
|
|
cr.rotatePtAround = function (px, py, a, ox, oy, getx)
|
|
{
|
|
if (a === 0)
|
|
return getx ? px : py;
|
|
var sin_a = Math.sin(a);
|
|
var cos_a = Math.cos(a);
|
|
px -= ox;
|
|
py -= oy;
|
|
var left_sin_a = px * sin_a;
|
|
var top_sin_a = py * sin_a;
|
|
var left_cos_a = px * cos_a;
|
|
var top_cos_a = py * cos_a;
|
|
px = left_cos_a - top_sin_a;
|
|
py = top_cos_a + left_sin_a;
|
|
px += ox;
|
|
py += oy;
|
|
return getx ? px : py;
|
|
}
|
|
cr.distanceTo = function(x1, y1, x2, y2)
|
|
{
|
|
var dx = x2 - x1;
|
|
var dy = y2 - y1;
|
|
return Math.sqrt(dx*dx + dy*dy);
|
|
};
|
|
cr.xor = function (x, y)
|
|
{
|
|
return !x !== !y;
|
|
};
|
|
cr.lerp = function (a, b, x)
|
|
{
|
|
return a + (b - a) * x;
|
|
};
|
|
cr.unlerp = function (a, b, c)
|
|
{
|
|
if (a === b)
|
|
return 0; // avoid divide by 0
|
|
return (c - a) / (b - a);
|
|
};
|
|
cr.anglelerp = function (a, b, x)
|
|
{
|
|
var diff = cr.angleDiff(a, b);
|
|
if (cr.angleClockwise(b, a))
|
|
{
|
|
return a + diff * x;
|
|
}
|
|
else
|
|
{
|
|
return a - diff * x;
|
|
}
|
|
};
|
|
cr.qarp = function (a, b, c, x)
|
|
{
|
|
return cr.lerp(cr.lerp(a, b, x), cr.lerp(b, c, x), x);
|
|
};
|
|
cr.cubic = function (a, b, c, d, x)
|
|
{
|
|
return cr.lerp(cr.qarp(a, b, c, x), cr.qarp(b, c, d, x), x);
|
|
};
|
|
cr.cosp = function (a, b, x)
|
|
{
|
|
return (a + b + (a - b) * Math.cos(x * Math.PI)) / 2;
|
|
};
|
|
cr.hasAnyOwnProperty = function (o)
|
|
{
|
|
var p;
|
|
for (p in o)
|
|
{
|
|
if (o.hasOwnProperty(p))
|
|
return true;
|
|
}
|
|
return false;
|
|
};
|
|
cr.wipe = function (obj)
|
|
{
|
|
var p;
|
|
for (p in obj)
|
|
{
|
|
if (obj.hasOwnProperty(p))
|
|
delete obj[p];
|
|
}
|
|
};
|
|
var startup_time = +(new Date());
|
|
cr.performance_now = function()
|
|
{
|
|
if (typeof window["performance"] !== "undefined")
|
|
{
|
|
var winperf = window["performance"];
|
|
if (typeof winperf.now !== "undefined")
|
|
return winperf.now();
|
|
else if (typeof winperf["webkitNow"] !== "undefined")
|
|
return winperf["webkitNow"]();
|
|
else if (typeof winperf["mozNow"] !== "undefined")
|
|
return winperf["mozNow"]();
|
|
else if (typeof winperf["msNow"] !== "undefined")
|
|
return winperf["msNow"]();
|
|
}
|
|
return Date.now() - startup_time;
|
|
};
|
|
var isChrome = false;
|
|
var isSafari = false;
|
|
var isiOS = false;
|
|
var isEjecta = false;
|
|
if (typeof window !== "undefined") // not c2 editor
|
|
{
|
|
isChrome = /chrome/i.test(navigator.userAgent) || /chromium/i.test(navigator.userAgent);
|
|
isSafari = !isChrome && /safari/i.test(navigator.userAgent);
|
|
isiOS = /(iphone|ipod|ipad)/i.test(navigator.userAgent);
|
|
isEjecta = window["c2ejecta"];
|
|
}
|
|
var supports_set = ((!isSafari && !isEjecta && !isiOS) && (typeof Set !== "undefined" && typeof Set.prototype["forEach"] !== "undefined"));
|
|
function ObjectSet_()
|
|
{
|
|
this.s = null;
|
|
this.items = null; // lazy allocated (hopefully results in better GC performance)
|
|
this.item_count = 0;
|
|
if (supports_set)
|
|
{
|
|
this.s = new Set();
|
|
}
|
|
this.values_cache = [];
|
|
this.cache_valid = true;
|
|
cr.seal(this);
|
|
};
|
|
ObjectSet_.prototype.contains = function (x)
|
|
{
|
|
if (this.isEmpty())
|
|
return false;
|
|
if (supports_set)
|
|
return this.s["has"](x);
|
|
else
|
|
return (this.items && this.items.hasOwnProperty(x));
|
|
};
|
|
ObjectSet_.prototype.add = function (x)
|
|
{
|
|
if (supports_set)
|
|
{
|
|
if (!this.s["has"](x))
|
|
{
|
|
this.s["add"](x);
|
|
this.cache_valid = false;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
var str = x.toString();
|
|
var items = this.items;
|
|
if (!items)
|
|
{
|
|
this.items = {};
|
|
this.items[str] = x;
|
|
this.item_count = 1;
|
|
this.cache_valid = false;
|
|
}
|
|
else if (!items.hasOwnProperty(str))
|
|
{
|
|
items[str] = x;
|
|
this.item_count++;
|
|
this.cache_valid = false;
|
|
}
|
|
}
|
|
};
|
|
ObjectSet_.prototype.remove = function (x)
|
|
{
|
|
if (this.isEmpty())
|
|
return;
|
|
if (supports_set)
|
|
{
|
|
if (this.s["has"](x))
|
|
{
|
|
this.s["delete"](x);
|
|
this.cache_valid = false;
|
|
}
|
|
}
|
|
else if (this.items)
|
|
{
|
|
var str = x.toString();
|
|
var items = this.items;
|
|
if (items.hasOwnProperty(str))
|
|
{
|
|
delete items[str];
|
|
this.item_count--;
|
|
this.cache_valid = false;
|
|
}
|
|
}
|
|
};
|
|
ObjectSet_.prototype.clear = function (/*wipe_*/)
|
|
{
|
|
if (this.isEmpty())
|
|
return;
|
|
if (supports_set)
|
|
{
|
|
this.s["clear"](); // best!
|
|
}
|
|
else
|
|
{
|
|
this.items = null; // creates garbage; will lazy allocate on next add()
|
|
this.item_count = 0;
|
|
}
|
|
cr.clearArray(this.values_cache);
|
|
this.cache_valid = true;
|
|
};
|
|
ObjectSet_.prototype.isEmpty = function ()
|
|
{
|
|
return this.count() === 0;
|
|
};
|
|
ObjectSet_.prototype.count = function ()
|
|
{
|
|
if (supports_set)
|
|
return this.s["size"];
|
|
else
|
|
return this.item_count;
|
|
};
|
|
var current_arr = null;
|
|
var current_index = 0;
|
|
function set_append_to_arr(x)
|
|
{
|
|
current_arr[current_index++] = x;
|
|
};
|
|
ObjectSet_.prototype.update_cache = function ()
|
|
{
|
|
if (this.cache_valid)
|
|
return;
|
|
if (supports_set)
|
|
{
|
|
cr.clearArray(this.values_cache);
|
|
current_arr = this.values_cache;
|
|
current_index = 0;
|
|
this.s["forEach"](set_append_to_arr);
|
|
;
|
|
current_arr = null;
|
|
current_index = 0;
|
|
}
|
|
else
|
|
{
|
|
var values_cache = this.values_cache;
|
|
cr.clearArray(values_cache);
|
|
var p, n = 0, items = this.items;
|
|
if (items)
|
|
{
|
|
for (p in items)
|
|
{
|
|
if (items.hasOwnProperty(p))
|
|
values_cache[n++] = items[p];
|
|
}
|
|
}
|
|
;
|
|
}
|
|
this.cache_valid = true;
|
|
};
|
|
ObjectSet_.prototype.valuesRef = function ()
|
|
{
|
|
this.update_cache();
|
|
return this.values_cache;
|
|
};
|
|
cr.ObjectSet = ObjectSet_;
|
|
var tmpSet = new cr.ObjectSet();
|
|
cr.removeArrayDuplicates = function (arr)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = arr.length; i < len; ++i)
|
|
{
|
|
tmpSet.add(arr[i]);
|
|
}
|
|
cr.shallowAssignArray(arr, tmpSet.valuesRef());
|
|
tmpSet.clear();
|
|
};
|
|
cr.arrayRemoveAllFromObjectSet = function (arr, remset)
|
|
{
|
|
if (supports_set)
|
|
cr.arrayRemoveAll_set(arr, remset.s);
|
|
else
|
|
cr.arrayRemoveAll_arr(arr, remset.valuesRef());
|
|
};
|
|
cr.arrayRemoveAll_set = function (arr, s)
|
|
{
|
|
var i, j, len, item;
|
|
for (i = 0, j = 0, len = arr.length; i < len; ++i)
|
|
{
|
|
item = arr[i];
|
|
if (!s["has"](item)) // not an item to remove
|
|
arr[j++] = item; // keep it
|
|
}
|
|
cr.truncateArray(arr, j);
|
|
};
|
|
cr.arrayRemoveAll_arr = function (arr, rem)
|
|
{
|
|
var i, j, len, item;
|
|
for (i = 0, j = 0, len = arr.length; i < len; ++i)
|
|
{
|
|
item = arr[i];
|
|
if (cr.fastIndexOf(rem, item) === -1) // not an item to remove
|
|
arr[j++] = item; // keep it
|
|
}
|
|
cr.truncateArray(arr, j);
|
|
};
|
|
function KahanAdder_()
|
|
{
|
|
this.c = 0;
|
|
this.y = 0;
|
|
this.t = 0;
|
|
this.sum = 0;
|
|
cr.seal(this);
|
|
};
|
|
KahanAdder_.prototype.add = function (v)
|
|
{
|
|
this.y = v - this.c;
|
|
this.t = this.sum + this.y;
|
|
this.c = (this.t - this.sum) - this.y;
|
|
this.sum = this.t;
|
|
};
|
|
KahanAdder_.prototype.reset = function ()
|
|
{
|
|
this.c = 0;
|
|
this.y = 0;
|
|
this.t = 0;
|
|
this.sum = 0;
|
|
};
|
|
cr.KahanAdder = KahanAdder_;
|
|
cr.regexp_escape = function(text)
|
|
{
|
|
return text.replace(/[-[\]{}()*+?.,\\^$|#\s]/g, "\\$&");
|
|
};
|
|
function CollisionPoly_(pts_array_)
|
|
{
|
|
this.pts_cache = [];
|
|
this.bboxLeft = 0;
|
|
this.bboxTop = 0;
|
|
this.bboxRight = 0;
|
|
this.bboxBottom = 0;
|
|
this.convexpolys = null; // for physics behavior to cache separated polys
|
|
this.set_pts(pts_array_);
|
|
cr.seal(this);
|
|
};
|
|
CollisionPoly_.prototype.set_pts = function(pts_array_)
|
|
{
|
|
this.pts_array = pts_array_;
|
|
this.pts_count = pts_array_.length / 2; // x, y, x, y... in array
|
|
this.pts_cache.length = pts_array_.length;
|
|
this.cache_width = -1;
|
|
this.cache_height = -1;
|
|
this.cache_angle = 0;
|
|
};
|
|
CollisionPoly_.prototype.is_empty = function()
|
|
{
|
|
return !this.pts_array.length;
|
|
};
|
|
CollisionPoly_.prototype.update_bbox = function ()
|
|
{
|
|
var myptscache = this.pts_cache;
|
|
var bboxLeft_ = myptscache[0];
|
|
var bboxRight_ = bboxLeft_;
|
|
var bboxTop_ = myptscache[1];
|
|
var bboxBottom_ = bboxTop_;
|
|
var x, y, i = 1, i2, len = this.pts_count;
|
|
for ( ; i < len; ++i)
|
|
{
|
|
i2 = i*2;
|
|
x = myptscache[i2];
|
|
y = myptscache[i2+1];
|
|
if (x < bboxLeft_)
|
|
bboxLeft_ = x;
|
|
if (x > bboxRight_)
|
|
bboxRight_ = x;
|
|
if (y < bboxTop_)
|
|
bboxTop_ = y;
|
|
if (y > bboxBottom_)
|
|
bboxBottom_ = y;
|
|
}
|
|
this.bboxLeft = bboxLeft_;
|
|
this.bboxRight = bboxRight_;
|
|
this.bboxTop = bboxTop_;
|
|
this.bboxBottom = bboxBottom_;
|
|
};
|
|
CollisionPoly_.prototype.set_from_rect = function(rc, offx, offy)
|
|
{
|
|
this.pts_cache.length = 8;
|
|
this.pts_count = 4;
|
|
var myptscache = this.pts_cache;
|
|
myptscache[0] = rc.left - offx;
|
|
myptscache[1] = rc.top - offy;
|
|
myptscache[2] = rc.right - offx;
|
|
myptscache[3] = rc.top - offy;
|
|
myptscache[4] = rc.right - offx;
|
|
myptscache[5] = rc.bottom - offy;
|
|
myptscache[6] = rc.left - offx;
|
|
myptscache[7] = rc.bottom - offy;
|
|
this.cache_width = rc.right - rc.left;
|
|
this.cache_height = rc.bottom - rc.top;
|
|
this.update_bbox();
|
|
};
|
|
CollisionPoly_.prototype.set_from_quad = function(q, offx, offy, w, h)
|
|
{
|
|
this.pts_cache.length = 8;
|
|
this.pts_count = 4;
|
|
var myptscache = this.pts_cache;
|
|
myptscache[0] = q.tlx - offx;
|
|
myptscache[1] = q.tly - offy;
|
|
myptscache[2] = q.trx - offx;
|
|
myptscache[3] = q.try_ - offy;
|
|
myptscache[4] = q.brx - offx;
|
|
myptscache[5] = q.bry - offy;
|
|
myptscache[6] = q.blx - offx;
|
|
myptscache[7] = q.bly - offy;
|
|
this.cache_width = w;
|
|
this.cache_height = h;
|
|
this.update_bbox();
|
|
};
|
|
CollisionPoly_.prototype.set_from_poly = function (r)
|
|
{
|
|
this.pts_count = r.pts_count;
|
|
cr.shallowAssignArray(this.pts_cache, r.pts_cache);
|
|
this.bboxLeft = r.bboxLeft;
|
|
this.bboxTop = r.bboxTop;
|
|
this.bboxRight = r.bboxRight;
|
|
this.bboxBottom = r.bboxBottom;
|
|
};
|
|
CollisionPoly_.prototype.cache_poly = function(w, h, a)
|
|
{
|
|
if (this.cache_width === w && this.cache_height === h && this.cache_angle === a)
|
|
return; // cache up-to-date
|
|
this.cache_width = w;
|
|
this.cache_height = h;
|
|
this.cache_angle = a;
|
|
var i, i2, i21, len, x, y;
|
|
var sina = 0;
|
|
var cosa = 1;
|
|
var myptsarray = this.pts_array;
|
|
var myptscache = this.pts_cache;
|
|
if (a !== 0)
|
|
{
|
|
sina = Math.sin(a);
|
|
cosa = Math.cos(a);
|
|
}
|
|
for (i = 0, len = this.pts_count; i < len; i++)
|
|
{
|
|
i2 = i*2;
|
|
i21 = i2+1;
|
|
x = myptsarray[i2] * w;
|
|
y = myptsarray[i21] * h;
|
|
myptscache[i2] = (x * cosa) - (y * sina);
|
|
myptscache[i21] = (y * cosa) + (x * sina);
|
|
}
|
|
this.update_bbox();
|
|
};
|
|
CollisionPoly_.prototype.contains_pt = function (a2x, a2y)
|
|
{
|
|
var myptscache = this.pts_cache;
|
|
if (a2x === myptscache[0] && a2y === myptscache[1])
|
|
return true;
|
|
var i, i2, imod, len = this.pts_count;
|
|
var a1x = this.bboxLeft - 110;
|
|
var a1y = this.bboxTop - 101;
|
|
var a3x = this.bboxRight + 131
|
|
var a3y = this.bboxBottom + 120;
|
|
var b1x, b1y, b2x, b2y;
|
|
var count1 = 0, count2 = 0;
|
|
for (i = 0; i < len; i++)
|
|
{
|
|
i2 = i*2;
|
|
imod = ((i+1)%len)*2;
|
|
b1x = myptscache[i2];
|
|
b1y = myptscache[i2+1];
|
|
b2x = myptscache[imod];
|
|
b2y = myptscache[imod+1];
|
|
if (cr.segments_intersect(a1x, a1y, a2x, a2y, b1x, b1y, b2x, b2y))
|
|
count1++;
|
|
if (cr.segments_intersect(a3x, a3y, a2x, a2y, b1x, b1y, b2x, b2y))
|
|
count2++;
|
|
}
|
|
return (count1 % 2 === 1) || (count2 % 2 === 1);
|
|
};
|
|
CollisionPoly_.prototype.intersects_poly = function (rhs, offx, offy)
|
|
{
|
|
var rhspts = rhs.pts_cache;
|
|
var mypts = this.pts_cache;
|
|
if (this.contains_pt(rhspts[0] + offx, rhspts[1] + offy))
|
|
return true;
|
|
if (rhs.contains_pt(mypts[0] - offx, mypts[1] - offy))
|
|
return true;
|
|
var i, i2, imod, leni, j, j2, jmod, lenj;
|
|
var a1x, a1y, a2x, a2y, b1x, b1y, b2x, b2y;
|
|
for (i = 0, leni = this.pts_count; i < leni; i++)
|
|
{
|
|
i2 = i*2;
|
|
imod = ((i+1)%leni)*2;
|
|
a1x = mypts[i2];
|
|
a1y = mypts[i2+1];
|
|
a2x = mypts[imod];
|
|
a2y = mypts[imod+1];
|
|
for (j = 0, lenj = rhs.pts_count; j < lenj; j++)
|
|
{
|
|
j2 = j*2;
|
|
jmod = ((j+1)%lenj)*2;
|
|
b1x = rhspts[j2] + offx;
|
|
b1y = rhspts[j2+1] + offy;
|
|
b2x = rhspts[jmod] + offx;
|
|
b2y = rhspts[jmod+1] + offy;
|
|
if (cr.segments_intersect(a1x, a1y, a2x, a2y, b1x, b1y, b2x, b2y))
|
|
return true;
|
|
}
|
|
}
|
|
return false;
|
|
};
|
|
CollisionPoly_.prototype.intersects_segment = function (offx, offy, x1, y1, x2, y2)
|
|
{
|
|
var mypts = this.pts_cache;
|
|
if (this.contains_pt(x1 - offx, y1 - offy))
|
|
return true;
|
|
var i, leni, i2, imod;
|
|
var a1x, a1y, a2x, a2y;
|
|
for (i = 0, leni = this.pts_count; i < leni; i++)
|
|
{
|
|
i2 = i*2;
|
|
imod = ((i+1)%leni)*2;
|
|
a1x = mypts[i2] + offx;
|
|
a1y = mypts[i2+1] + offy;
|
|
a2x = mypts[imod] + offx;
|
|
a2y = mypts[imod+1] + offy;
|
|
if (cr.segments_intersect(x1, y1, x2, y2, a1x, a1y, a2x, a2y))
|
|
return true;
|
|
}
|
|
return false;
|
|
};
|
|
CollisionPoly_.prototype.mirror = function (px)
|
|
{
|
|
var i, leni, i2;
|
|
for (i = 0, leni = this.pts_count; i < leni; ++i)
|
|
{
|
|
i2 = i*2;
|
|
this.pts_cache[i2] = px * 2 - this.pts_cache[i2];
|
|
}
|
|
};
|
|
CollisionPoly_.prototype.flip = function (py)
|
|
{
|
|
var i, leni, i21;
|
|
for (i = 0, leni = this.pts_count; i < leni; ++i)
|
|
{
|
|
i21 = i*2+1;
|
|
this.pts_cache[i21] = py * 2 - this.pts_cache[i21];
|
|
}
|
|
};
|
|
CollisionPoly_.prototype.diag = function ()
|
|
{
|
|
var i, leni, i2, i21, temp;
|
|
for (i = 0, leni = this.pts_count; i < leni; ++i)
|
|
{
|
|
i2 = i*2;
|
|
i21 = i2+1;
|
|
temp = this.pts_cache[i2];
|
|
this.pts_cache[i2] = this.pts_cache[i21];
|
|
this.pts_cache[i21] = temp;
|
|
}
|
|
};
|
|
cr.CollisionPoly = CollisionPoly_;
|
|
function SparseGrid_(cellwidth_, cellheight_)
|
|
{
|
|
this.cellwidth = cellwidth_;
|
|
this.cellheight = cellheight_;
|
|
this.cells = {};
|
|
};
|
|
SparseGrid_.prototype.totalCellCount = 0;
|
|
SparseGrid_.prototype.getCell = function (x_, y_, create_if_missing)
|
|
{
|
|
var ret;
|
|
var col = this.cells[x_];
|
|
if (!col)
|
|
{
|
|
if (create_if_missing)
|
|
{
|
|
ret = allocGridCell(this, x_, y_);
|
|
this.cells[x_] = {};
|
|
this.cells[x_][y_] = ret;
|
|
return ret;
|
|
}
|
|
else
|
|
return null;
|
|
}
|
|
ret = col[y_];
|
|
if (ret)
|
|
return ret;
|
|
else if (create_if_missing)
|
|
{
|
|
ret = allocGridCell(this, x_, y_);
|
|
this.cells[x_][y_] = ret;
|
|
return ret;
|
|
}
|
|
else
|
|
return null;
|
|
};
|
|
SparseGrid_.prototype.XToCell = function (x_)
|
|
{
|
|
return cr.floor(x_ / this.cellwidth);
|
|
};
|
|
SparseGrid_.prototype.YToCell = function (y_)
|
|
{
|
|
return cr.floor(y_ / this.cellheight);
|
|
};
|
|
SparseGrid_.prototype.update = function (inst, oldrange, newrange)
|
|
{
|
|
var x, lenx, y, leny, cell;
|
|
if (oldrange)
|
|
{
|
|
for (x = oldrange.left, lenx = oldrange.right; x <= lenx; ++x)
|
|
{
|
|
for (y = oldrange.top, leny = oldrange.bottom; y <= leny; ++y)
|
|
{
|
|
if (newrange && newrange.contains_pt(x, y))
|
|
continue; // is still in this cell
|
|
cell = this.getCell(x, y, false); // don't create if missing
|
|
if (!cell)
|
|
continue; // cell does not exist yet
|
|
cell.remove(inst);
|
|
if (cell.isEmpty())
|
|
{
|
|
freeGridCell(cell);
|
|
this.cells[x][y] = null;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
if (newrange)
|
|
{
|
|
for (x = newrange.left, lenx = newrange.right; x <= lenx; ++x)
|
|
{
|
|
for (y = newrange.top, leny = newrange.bottom; y <= leny; ++y)
|
|
{
|
|
if (oldrange && oldrange.contains_pt(x, y))
|
|
continue; // is still in this cell
|
|
this.getCell(x, y, true).insert(inst);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
SparseGrid_.prototype.queryRange = function (rc, result)
|
|
{
|
|
var x, lenx, ystart, y, leny, cell;
|
|
x = this.XToCell(rc.left);
|
|
ystart = this.YToCell(rc.top);
|
|
lenx = this.XToCell(rc.right);
|
|
leny = this.YToCell(rc.bottom);
|
|
for ( ; x <= lenx; ++x)
|
|
{
|
|
for (y = ystart; y <= leny; ++y)
|
|
{
|
|
cell = this.getCell(x, y, false);
|
|
if (!cell)
|
|
continue;
|
|
cell.dump(result);
|
|
}
|
|
}
|
|
};
|
|
cr.SparseGrid = SparseGrid_;
|
|
function RenderGrid_(cellwidth_, cellheight_)
|
|
{
|
|
this.cellwidth = cellwidth_;
|
|
this.cellheight = cellheight_;
|
|
this.cells = {};
|
|
};
|
|
RenderGrid_.prototype.totalCellCount = 0;
|
|
RenderGrid_.prototype.getCell = function (x_, y_, create_if_missing)
|
|
{
|
|
var ret;
|
|
var col = this.cells[x_];
|
|
if (!col)
|
|
{
|
|
if (create_if_missing)
|
|
{
|
|
ret = allocRenderCell(this, x_, y_);
|
|
this.cells[x_] = {};
|
|
this.cells[x_][y_] = ret;
|
|
return ret;
|
|
}
|
|
else
|
|
return null;
|
|
}
|
|
ret = col[y_];
|
|
if (ret)
|
|
return ret;
|
|
else if (create_if_missing)
|
|
{
|
|
ret = allocRenderCell(this, x_, y_);
|
|
this.cells[x_][y_] = ret;
|
|
return ret;
|
|
}
|
|
else
|
|
return null;
|
|
};
|
|
RenderGrid_.prototype.XToCell = function (x_)
|
|
{
|
|
return cr.floor(x_ / this.cellwidth);
|
|
};
|
|
RenderGrid_.prototype.YToCell = function (y_)
|
|
{
|
|
return cr.floor(y_ / this.cellheight);
|
|
};
|
|
RenderGrid_.prototype.update = function (inst, oldrange, newrange)
|
|
{
|
|
var x, lenx, y, leny, cell;
|
|
if (oldrange)
|
|
{
|
|
for (x = oldrange.left, lenx = oldrange.right; x <= lenx; ++x)
|
|
{
|
|
for (y = oldrange.top, leny = oldrange.bottom; y <= leny; ++y)
|
|
{
|
|
if (newrange && newrange.contains_pt(x, y))
|
|
continue; // is still in this cell
|
|
cell = this.getCell(x, y, false); // don't create if missing
|
|
if (!cell)
|
|
continue; // cell does not exist yet
|
|
cell.remove(inst);
|
|
if (cell.isEmpty())
|
|
{
|
|
freeRenderCell(cell);
|
|
this.cells[x][y] = null;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
if (newrange)
|
|
{
|
|
for (x = newrange.left, lenx = newrange.right; x <= lenx; ++x)
|
|
{
|
|
for (y = newrange.top, leny = newrange.bottom; y <= leny; ++y)
|
|
{
|
|
if (oldrange && oldrange.contains_pt(x, y))
|
|
continue; // is still in this cell
|
|
this.getCell(x, y, true).insert(inst);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
RenderGrid_.prototype.queryRange = function (left, top, right, bottom, result)
|
|
{
|
|
var x, lenx, ystart, y, leny, cell;
|
|
x = this.XToCell(left);
|
|
ystart = this.YToCell(top);
|
|
lenx = this.XToCell(right);
|
|
leny = this.YToCell(bottom);
|
|
for ( ; x <= lenx; ++x)
|
|
{
|
|
for (y = ystart; y <= leny; ++y)
|
|
{
|
|
cell = this.getCell(x, y, false);
|
|
if (!cell)
|
|
continue;
|
|
cell.dump(result);
|
|
}
|
|
}
|
|
};
|
|
RenderGrid_.prototype.markRangeChanged = function (rc)
|
|
{
|
|
var x, lenx, ystart, y, leny, cell;
|
|
x = rc.left;
|
|
ystart = rc.top;
|
|
lenx = rc.right;
|
|
leny = rc.bottom;
|
|
for ( ; x <= lenx; ++x)
|
|
{
|
|
for (y = ystart; y <= leny; ++y)
|
|
{
|
|
cell = this.getCell(x, y, false);
|
|
if (!cell)
|
|
continue;
|
|
cell.is_sorted = false;
|
|
}
|
|
}
|
|
};
|
|
cr.RenderGrid = RenderGrid_;
|
|
var gridcellcache = [];
|
|
function allocGridCell(grid_, x_, y_)
|
|
{
|
|
var ret;
|
|
SparseGrid_.prototype.totalCellCount++;
|
|
if (gridcellcache.length)
|
|
{
|
|
ret = gridcellcache.pop();
|
|
ret.grid = grid_;
|
|
ret.x = x_;
|
|
ret.y = y_;
|
|
return ret;
|
|
}
|
|
else
|
|
return new cr.GridCell(grid_, x_, y_);
|
|
};
|
|
function freeGridCell(c)
|
|
{
|
|
SparseGrid_.prototype.totalCellCount--;
|
|
c.objects.clear();
|
|
if (gridcellcache.length < 1000)
|
|
gridcellcache.push(c);
|
|
};
|
|
function GridCell_(grid_, x_, y_)
|
|
{
|
|
this.grid = grid_;
|
|
this.x = x_;
|
|
this.y = y_;
|
|
this.objects = new cr.ObjectSet();
|
|
};
|
|
GridCell_.prototype.isEmpty = function ()
|
|
{
|
|
return this.objects.isEmpty();
|
|
};
|
|
GridCell_.prototype.insert = function (inst)
|
|
{
|
|
this.objects.add(inst);
|
|
};
|
|
GridCell_.prototype.remove = function (inst)
|
|
{
|
|
this.objects.remove(inst);
|
|
};
|
|
GridCell_.prototype.dump = function (result)
|
|
{
|
|
cr.appendArray(result, this.objects.valuesRef());
|
|
};
|
|
cr.GridCell = GridCell_;
|
|
var rendercellcache = [];
|
|
function allocRenderCell(grid_, x_, y_)
|
|
{
|
|
var ret;
|
|
RenderGrid_.prototype.totalCellCount++;
|
|
if (rendercellcache.length)
|
|
{
|
|
ret = rendercellcache.pop();
|
|
ret.grid = grid_;
|
|
ret.x = x_;
|
|
ret.y = y_;
|
|
return ret;
|
|
}
|
|
else
|
|
return new cr.RenderCell(grid_, x_, y_);
|
|
};
|
|
function freeRenderCell(c)
|
|
{
|
|
RenderGrid_.prototype.totalCellCount--;
|
|
c.reset();
|
|
if (rendercellcache.length < 1000)
|
|
rendercellcache.push(c);
|
|
};
|
|
function RenderCell_(grid_, x_, y_)
|
|
{
|
|
this.grid = grid_;
|
|
this.x = x_;
|
|
this.y = y_;
|
|
this.objects = []; // array which needs to be sorted by Z order
|
|
this.is_sorted = true; // whether array is in correct sort order or not
|
|
this.pending_removal = new cr.ObjectSet();
|
|
this.any_pending_removal = false;
|
|
};
|
|
RenderCell_.prototype.isEmpty = function ()
|
|
{
|
|
if (!this.objects.length)
|
|
{
|
|
;
|
|
;
|
|
return true;
|
|
}
|
|
if (this.objects.length > this.pending_removal.count())
|
|
return false;
|
|
;
|
|
this.flush_pending(); // takes fast path and just resets state
|
|
return true;
|
|
};
|
|
RenderCell_.prototype.insert = function (inst)
|
|
{
|
|
if (this.pending_removal.contains(inst))
|
|
{
|
|
this.pending_removal.remove(inst);
|
|
if (this.pending_removal.isEmpty())
|
|
this.any_pending_removal = false;
|
|
return;
|
|
}
|
|
if (this.objects.length)
|
|
{
|
|
var top = this.objects[this.objects.length - 1];
|
|
if (top.get_zindex() > inst.get_zindex())
|
|
this.is_sorted = false; // 'inst' should be somewhere beneath 'top'
|
|
this.objects.push(inst);
|
|
}
|
|
else
|
|
{
|
|
this.objects.push(inst);
|
|
this.is_sorted = true;
|
|
}
|
|
;
|
|
};
|
|
RenderCell_.prototype.remove = function (inst)
|
|
{
|
|
this.pending_removal.add(inst);
|
|
this.any_pending_removal = true;
|
|
if (this.pending_removal.count() >= 30)
|
|
this.flush_pending();
|
|
};
|
|
RenderCell_.prototype.flush_pending = function ()
|
|
{
|
|
;
|
|
if (!this.any_pending_removal)
|
|
return; // not changed
|
|
if (this.pending_removal.count() === this.objects.length)
|
|
{
|
|
this.reset();
|
|
return;
|
|
}
|
|
cr.arrayRemoveAllFromObjectSet(this.objects, this.pending_removal);
|
|
this.pending_removal.clear();
|
|
this.any_pending_removal = false;
|
|
};
|
|
function sortByInstanceZIndex(a, b)
|
|
{
|
|
return a.zindex - b.zindex;
|
|
};
|
|
RenderCell_.prototype.ensure_sorted = function ()
|
|
{
|
|
if (this.is_sorted)
|
|
return; // already sorted
|
|
this.objects.sort(sortByInstanceZIndex);
|
|
this.is_sorted = true;
|
|
};
|
|
RenderCell_.prototype.reset = function ()
|
|
{
|
|
cr.clearArray(this.objects);
|
|
this.is_sorted = true;
|
|
this.pending_removal.clear();
|
|
this.any_pending_removal = false;
|
|
};
|
|
RenderCell_.prototype.dump = function (result)
|
|
{
|
|
this.flush_pending();
|
|
this.ensure_sorted();
|
|
if (this.objects.length)
|
|
result.push(this.objects);
|
|
};
|
|
cr.RenderCell = RenderCell_;
|
|
var fxNames = [ "lighter",
|
|
"xor",
|
|
"copy",
|
|
"destination-over",
|
|
"source-in",
|
|
"destination-in",
|
|
"source-out",
|
|
"destination-out",
|
|
"source-atop",
|
|
"destination-atop"];
|
|
cr.effectToCompositeOp = function(effect)
|
|
{
|
|
if (effect <= 0 || effect >= 11)
|
|
return "source-over";
|
|
return fxNames[effect - 1]; // not including "none" so offset by 1
|
|
};
|
|
cr.setGLBlend = function(this_, effect, gl)
|
|
{
|
|
if (!gl)
|
|
return;
|
|
this_.srcBlend = gl.ONE;
|
|
this_.destBlend = gl.ONE_MINUS_SRC_ALPHA;
|
|
switch (effect) {
|
|
case 1: // lighter (additive)
|
|
this_.srcBlend = gl.ONE;
|
|
this_.destBlend = gl.ONE;
|
|
break;
|
|
case 2: // xor
|
|
break; // todo
|
|
case 3: // copy
|
|
this_.srcBlend = gl.ONE;
|
|
this_.destBlend = gl.ZERO;
|
|
break;
|
|
case 4: // destination-over
|
|
this_.srcBlend = gl.ONE_MINUS_DST_ALPHA;
|
|
this_.destBlend = gl.ONE;
|
|
break;
|
|
case 5: // source-in
|
|
this_.srcBlend = gl.DST_ALPHA;
|
|
this_.destBlend = gl.ZERO;
|
|
break;
|
|
case 6: // destination-in
|
|
this_.srcBlend = gl.ZERO;
|
|
this_.destBlend = gl.SRC_ALPHA;
|
|
break;
|
|
case 7: // source-out
|
|
this_.srcBlend = gl.ONE_MINUS_DST_ALPHA;
|
|
this_.destBlend = gl.ZERO;
|
|
break;
|
|
case 8: // destination-out
|
|
this_.srcBlend = gl.ZERO;
|
|
this_.destBlend = gl.ONE_MINUS_SRC_ALPHA;
|
|
break;
|
|
case 9: // source-atop
|
|
this_.srcBlend = gl.DST_ALPHA;
|
|
this_.destBlend = gl.ONE_MINUS_SRC_ALPHA;
|
|
break;
|
|
case 10: // destination-atop
|
|
this_.srcBlend = gl.ONE_MINUS_DST_ALPHA;
|
|
this_.destBlend = gl.SRC_ALPHA;
|
|
break;
|
|
}
|
|
};
|
|
cr.round6dp = function (x)
|
|
{
|
|
return Math.round(x * 1000000) / 1000000;
|
|
};
|
|
/*
|
|
var localeCompare_options = {
|
|
"usage": "search",
|
|
"sensitivity": "accent"
|
|
};
|
|
var has_localeCompare = !!"a".localeCompare;
|
|
var localeCompare_works1 = (has_localeCompare && "a".localeCompare("A", undefined, localeCompare_options) === 0);
|
|
var localeCompare_works2 = (has_localeCompare && "a".localeCompare("á", undefined, localeCompare_options) !== 0);
|
|
var supports_localeCompare = (has_localeCompare && localeCompare_works1 && localeCompare_works2);
|
|
*/
|
|
cr.equals_nocase = function (a, b)
|
|
{
|
|
if (typeof a !== "string" || typeof b !== "string")
|
|
return false;
|
|
if (a.length !== b.length)
|
|
return false;
|
|
if (a === b)
|
|
return true;
|
|
/*
|
|
if (supports_localeCompare)
|
|
{
|
|
return (a.localeCompare(b, undefined, localeCompare_options) === 0);
|
|
}
|
|
else
|
|
{
|
|
*/
|
|
return a.toLowerCase() === b.toLowerCase();
|
|
};
|
|
cr.isCanvasInputEvent = function (e)
|
|
{
|
|
var target = e.target;
|
|
if (!target)
|
|
return true;
|
|
if (target === document || target === window)
|
|
return true;
|
|
if (document && document.body && target === document.body)
|
|
return true;
|
|
if (cr.equals_nocase(target.tagName, "canvas"))
|
|
return true;
|
|
return false;
|
|
};
|
|
}());
|
|
var MatrixArray=typeof Float32Array!=="undefined"?Float32Array:Array,glMatrixArrayType=MatrixArray,vec3={},mat3={},mat4={},quat4={};vec3.create=function(a){var b=new MatrixArray(3);a&&(b[0]=a[0],b[1]=a[1],b[2]=a[2]);return b};vec3.set=function(a,b){b[0]=a[0];b[1]=a[1];b[2]=a[2];return b};vec3.add=function(a,b,c){if(!c||a===c)return a[0]+=b[0],a[1]+=b[1],a[2]+=b[2],a;c[0]=a[0]+b[0];c[1]=a[1]+b[1];c[2]=a[2]+b[2];return c};
|
|
vec3.subtract=function(a,b,c){if(!c||a===c)return a[0]-=b[0],a[1]-=b[1],a[2]-=b[2],a;c[0]=a[0]-b[0];c[1]=a[1]-b[1];c[2]=a[2]-b[2];return c};vec3.negate=function(a,b){b||(b=a);b[0]=-a[0];b[1]=-a[1];b[2]=-a[2];return b};vec3.scale=function(a,b,c){if(!c||a===c)return a[0]*=b,a[1]*=b,a[2]*=b,a;c[0]=a[0]*b;c[1]=a[1]*b;c[2]=a[2]*b;return c};
|
|
vec3.normalize=function(a,b){b||(b=a);var c=a[0],d=a[1],e=a[2],g=Math.sqrt(c*c+d*d+e*e);if(g){if(g===1)return b[0]=c,b[1]=d,b[2]=e,b}else return b[0]=0,b[1]=0,b[2]=0,b;g=1/g;b[0]=c*g;b[1]=d*g;b[2]=e*g;return b};vec3.cross=function(a,b,c){c||(c=a);var d=a[0],e=a[1],a=a[2],g=b[0],f=b[1],b=b[2];c[0]=e*b-a*f;c[1]=a*g-d*b;c[2]=d*f-e*g;return c};vec3.length=function(a){var b=a[0],c=a[1],a=a[2];return Math.sqrt(b*b+c*c+a*a)};vec3.dot=function(a,b){return a[0]*b[0]+a[1]*b[1]+a[2]*b[2]};
|
|
vec3.direction=function(a,b,c){c||(c=a);var d=a[0]-b[0],e=a[1]-b[1],a=a[2]-b[2],b=Math.sqrt(d*d+e*e+a*a);if(!b)return c[0]=0,c[1]=0,c[2]=0,c;b=1/b;c[0]=d*b;c[1]=e*b;c[2]=a*b;return c};vec3.lerp=function(a,b,c,d){d||(d=a);d[0]=a[0]+c*(b[0]-a[0]);d[1]=a[1]+c*(b[1]-a[1]);d[2]=a[2]+c*(b[2]-a[2]);return d};vec3.str=function(a){return"["+a[0]+", "+a[1]+", "+a[2]+"]"};
|
|
mat3.create=function(a){var b=new MatrixArray(9);a&&(b[0]=a[0],b[1]=a[1],b[2]=a[2],b[3]=a[3],b[4]=a[4],b[5]=a[5],b[6]=a[6],b[7]=a[7],b[8]=a[8]);return b};mat3.set=function(a,b){b[0]=a[0];b[1]=a[1];b[2]=a[2];b[3]=a[3];b[4]=a[4];b[5]=a[5];b[6]=a[6];b[7]=a[7];b[8]=a[8];return b};mat3.identity=function(a){a[0]=1;a[1]=0;a[2]=0;a[3]=0;a[4]=1;a[5]=0;a[6]=0;a[7]=0;a[8]=1;return a};
|
|
mat3.transpose=function(a,b){if(!b||a===b){var c=a[1],d=a[2],e=a[5];a[1]=a[3];a[2]=a[6];a[3]=c;a[5]=a[7];a[6]=d;a[7]=e;return a}b[0]=a[0];b[1]=a[3];b[2]=a[6];b[3]=a[1];b[4]=a[4];b[5]=a[7];b[6]=a[2];b[7]=a[5];b[8]=a[8];return b};mat3.toMat4=function(a,b){b||(b=mat4.create());b[15]=1;b[14]=0;b[13]=0;b[12]=0;b[11]=0;b[10]=a[8];b[9]=a[7];b[8]=a[6];b[7]=0;b[6]=a[5];b[5]=a[4];b[4]=a[3];b[3]=0;b[2]=a[2];b[1]=a[1];b[0]=a[0];return b};
|
|
mat3.str=function(a){return"["+a[0]+", "+a[1]+", "+a[2]+", "+a[3]+", "+a[4]+", "+a[5]+", "+a[6]+", "+a[7]+", "+a[8]+"]"};mat4.create=function(a){var b=new MatrixArray(16);a&&(b[0]=a[0],b[1]=a[1],b[2]=a[2],b[3]=a[3],b[4]=a[4],b[5]=a[5],b[6]=a[6],b[7]=a[7],b[8]=a[8],b[9]=a[9],b[10]=a[10],b[11]=a[11],b[12]=a[12],b[13]=a[13],b[14]=a[14],b[15]=a[15]);return b};
|
|
mat4.set=function(a,b){b[0]=a[0];b[1]=a[1];b[2]=a[2];b[3]=a[3];b[4]=a[4];b[5]=a[5];b[6]=a[6];b[7]=a[7];b[8]=a[8];b[9]=a[9];b[10]=a[10];b[11]=a[11];b[12]=a[12];b[13]=a[13];b[14]=a[14];b[15]=a[15];return b};mat4.identity=function(a){a[0]=1;a[1]=0;a[2]=0;a[3]=0;a[4]=0;a[5]=1;a[6]=0;a[7]=0;a[8]=0;a[9]=0;a[10]=1;a[11]=0;a[12]=0;a[13]=0;a[14]=0;a[15]=1;return a};
|
|
mat4.transpose=function(a,b){if(!b||a===b){var c=a[1],d=a[2],e=a[3],g=a[6],f=a[7],h=a[11];a[1]=a[4];a[2]=a[8];a[3]=a[12];a[4]=c;a[6]=a[9];a[7]=a[13];a[8]=d;a[9]=g;a[11]=a[14];a[12]=e;a[13]=f;a[14]=h;return a}b[0]=a[0];b[1]=a[4];b[2]=a[8];b[3]=a[12];b[4]=a[1];b[5]=a[5];b[6]=a[9];b[7]=a[13];b[8]=a[2];b[9]=a[6];b[10]=a[10];b[11]=a[14];b[12]=a[3];b[13]=a[7];b[14]=a[11];b[15]=a[15];return b};
|
|
mat4.determinant=function(a){var b=a[0],c=a[1],d=a[2],e=a[3],g=a[4],f=a[5],h=a[6],i=a[7],j=a[8],k=a[9],l=a[10],n=a[11],o=a[12],m=a[13],p=a[14],a=a[15];return o*k*h*e-j*m*h*e-o*f*l*e+g*m*l*e+j*f*p*e-g*k*p*e-o*k*d*i+j*m*d*i+o*c*l*i-b*m*l*i-j*c*p*i+b*k*p*i+o*f*d*n-g*m*d*n-o*c*h*n+b*m*h*n+g*c*p*n-b*f*p*n-j*f*d*a+g*k*d*a+j*c*h*a-b*k*h*a-g*c*l*a+b*f*l*a};
|
|
mat4.inverse=function(a,b){b||(b=a);var c=a[0],d=a[1],e=a[2],g=a[3],f=a[4],h=a[5],i=a[6],j=a[7],k=a[8],l=a[9],n=a[10],o=a[11],m=a[12],p=a[13],r=a[14],s=a[15],A=c*h-d*f,B=c*i-e*f,t=c*j-g*f,u=d*i-e*h,v=d*j-g*h,w=e*j-g*i,x=k*p-l*m,y=k*r-n*m,z=k*s-o*m,C=l*r-n*p,D=l*s-o*p,E=n*s-o*r,q=1/(A*E-B*D+t*C+u*z-v*y+w*x);b[0]=(h*E-i*D+j*C)*q;b[1]=(-d*E+e*D-g*C)*q;b[2]=(p*w-r*v+s*u)*q;b[3]=(-l*w+n*v-o*u)*q;b[4]=(-f*E+i*z-j*y)*q;b[5]=(c*E-e*z+g*y)*q;b[6]=(-m*w+r*t-s*B)*q;b[7]=(k*w-n*t+o*B)*q;b[8]=(f*D-h*z+j*x)*q;
|
|
b[9]=(-c*D+d*z-g*x)*q;b[10]=(m*v-p*t+s*A)*q;b[11]=(-k*v+l*t-o*A)*q;b[12]=(-f*C+h*y-i*x)*q;b[13]=(c*C-d*y+e*x)*q;b[14]=(-m*u+p*B-r*A)*q;b[15]=(k*u-l*B+n*A)*q;return b};mat4.toRotationMat=function(a,b){b||(b=mat4.create());b[0]=a[0];b[1]=a[1];b[2]=a[2];b[3]=a[3];b[4]=a[4];b[5]=a[5];b[6]=a[6];b[7]=a[7];b[8]=a[8];b[9]=a[9];b[10]=a[10];b[11]=a[11];b[12]=0;b[13]=0;b[14]=0;b[15]=1;return b};
|
|
mat4.toMat3=function(a,b){b||(b=mat3.create());b[0]=a[0];b[1]=a[1];b[2]=a[2];b[3]=a[4];b[4]=a[5];b[5]=a[6];b[6]=a[8];b[7]=a[9];b[8]=a[10];return b};mat4.toInverseMat3=function(a,b){var c=a[0],d=a[1],e=a[2],g=a[4],f=a[5],h=a[6],i=a[8],j=a[9],k=a[10],l=k*f-h*j,n=-k*g+h*i,o=j*g-f*i,m=c*l+d*n+e*o;if(!m)return null;m=1/m;b||(b=mat3.create());b[0]=l*m;b[1]=(-k*d+e*j)*m;b[2]=(h*d-e*f)*m;b[3]=n*m;b[4]=(k*c-e*i)*m;b[5]=(-h*c+e*g)*m;b[6]=o*m;b[7]=(-j*c+d*i)*m;b[8]=(f*c-d*g)*m;return b};
|
|
mat4.multiply=function(a,b,c){c||(c=a);var d=a[0],e=a[1],g=a[2],f=a[3],h=a[4],i=a[5],j=a[6],k=a[7],l=a[8],n=a[9],o=a[10],m=a[11],p=a[12],r=a[13],s=a[14],a=a[15],A=b[0],B=b[1],t=b[2],u=b[3],v=b[4],w=b[5],x=b[6],y=b[7],z=b[8],C=b[9],D=b[10],E=b[11],q=b[12],F=b[13],G=b[14],b=b[15];c[0]=A*d+B*h+t*l+u*p;c[1]=A*e+B*i+t*n+u*r;c[2]=A*g+B*j+t*o+u*s;c[3]=A*f+B*k+t*m+u*a;c[4]=v*d+w*h+x*l+y*p;c[5]=v*e+w*i+x*n+y*r;c[6]=v*g+w*j+x*o+y*s;c[7]=v*f+w*k+x*m+y*a;c[8]=z*d+C*h+D*l+E*p;c[9]=z*e+C*i+D*n+E*r;c[10]=z*g+C*
|
|
j+D*o+E*s;c[11]=z*f+C*k+D*m+E*a;c[12]=q*d+F*h+G*l+b*p;c[13]=q*e+F*i+G*n+b*r;c[14]=q*g+F*j+G*o+b*s;c[15]=q*f+F*k+G*m+b*a;return c};mat4.multiplyVec3=function(a,b,c){c||(c=b);var d=b[0],e=b[1],b=b[2];c[0]=a[0]*d+a[4]*e+a[8]*b+a[12];c[1]=a[1]*d+a[5]*e+a[9]*b+a[13];c[2]=a[2]*d+a[6]*e+a[10]*b+a[14];return c};
|
|
mat4.multiplyVec4=function(a,b,c){c||(c=b);var d=b[0],e=b[1],g=b[2],b=b[3];c[0]=a[0]*d+a[4]*e+a[8]*g+a[12]*b;c[1]=a[1]*d+a[5]*e+a[9]*g+a[13]*b;c[2]=a[2]*d+a[6]*e+a[10]*g+a[14]*b;c[3]=a[3]*d+a[7]*e+a[11]*g+a[15]*b;return c};
|
|
mat4.translate=function(a,b,c){var d=b[0],e=b[1],b=b[2],g,f,h,i,j,k,l,n,o,m,p,r;if(!c||a===c)return a[12]=a[0]*d+a[4]*e+a[8]*b+a[12],a[13]=a[1]*d+a[5]*e+a[9]*b+a[13],a[14]=a[2]*d+a[6]*e+a[10]*b+a[14],a[15]=a[3]*d+a[7]*e+a[11]*b+a[15],a;g=a[0];f=a[1];h=a[2];i=a[3];j=a[4];k=a[5];l=a[6];n=a[7];o=a[8];m=a[9];p=a[10];r=a[11];c[0]=g;c[1]=f;c[2]=h;c[3]=i;c[4]=j;c[5]=k;c[6]=l;c[7]=n;c[8]=o;c[9]=m;c[10]=p;c[11]=r;c[12]=g*d+j*e+o*b+a[12];c[13]=f*d+k*e+m*b+a[13];c[14]=h*d+l*e+p*b+a[14];c[15]=i*d+n*e+r*b+a[15];
|
|
return c};mat4.scale=function(a,b,c){var d=b[0],e=b[1],b=b[2];if(!c||a===c)return a[0]*=d,a[1]*=d,a[2]*=d,a[3]*=d,a[4]*=e,a[5]*=e,a[6]*=e,a[7]*=e,a[8]*=b,a[9]*=b,a[10]*=b,a[11]*=b,a;c[0]=a[0]*d;c[1]=a[1]*d;c[2]=a[2]*d;c[3]=a[3]*d;c[4]=a[4]*e;c[5]=a[5]*e;c[6]=a[6]*e;c[7]=a[7]*e;c[8]=a[8]*b;c[9]=a[9]*b;c[10]=a[10]*b;c[11]=a[11]*b;c[12]=a[12];c[13]=a[13];c[14]=a[14];c[15]=a[15];return c};
|
|
mat4.rotate=function(a,b,c,d){var e=c[0],g=c[1],c=c[2],f=Math.sqrt(e*e+g*g+c*c),h,i,j,k,l,n,o,m,p,r,s,A,B,t,u,v,w,x,y,z;if(!f)return null;f!==1&&(f=1/f,e*=f,g*=f,c*=f);h=Math.sin(b);i=Math.cos(b);j=1-i;b=a[0];f=a[1];k=a[2];l=a[3];n=a[4];o=a[5];m=a[6];p=a[7];r=a[8];s=a[9];A=a[10];B=a[11];t=e*e*j+i;u=g*e*j+c*h;v=c*e*j-g*h;w=e*g*j-c*h;x=g*g*j+i;y=c*g*j+e*h;z=e*c*j+g*h;e=g*c*j-e*h;g=c*c*j+i;d?a!==d&&(d[12]=a[12],d[13]=a[13],d[14]=a[14],d[15]=a[15]):d=a;d[0]=b*t+n*u+r*v;d[1]=f*t+o*u+s*v;d[2]=k*t+m*u+A*
|
|
v;d[3]=l*t+p*u+B*v;d[4]=b*w+n*x+r*y;d[5]=f*w+o*x+s*y;d[6]=k*w+m*x+A*y;d[7]=l*w+p*x+B*y;d[8]=b*z+n*e+r*g;d[9]=f*z+o*e+s*g;d[10]=k*z+m*e+A*g;d[11]=l*z+p*e+B*g;return d};mat4.rotateX=function(a,b,c){var d=Math.sin(b),b=Math.cos(b),e=a[4],g=a[5],f=a[6],h=a[7],i=a[8],j=a[9],k=a[10],l=a[11];c?a!==c&&(c[0]=a[0],c[1]=a[1],c[2]=a[2],c[3]=a[3],c[12]=a[12],c[13]=a[13],c[14]=a[14],c[15]=a[15]):c=a;c[4]=e*b+i*d;c[5]=g*b+j*d;c[6]=f*b+k*d;c[7]=h*b+l*d;c[8]=e*-d+i*b;c[9]=g*-d+j*b;c[10]=f*-d+k*b;c[11]=h*-d+l*b;return c};
|
|
mat4.rotateY=function(a,b,c){var d=Math.sin(b),b=Math.cos(b),e=a[0],g=a[1],f=a[2],h=a[3],i=a[8],j=a[9],k=a[10],l=a[11];c?a!==c&&(c[4]=a[4],c[5]=a[5],c[6]=a[6],c[7]=a[7],c[12]=a[12],c[13]=a[13],c[14]=a[14],c[15]=a[15]):c=a;c[0]=e*b+i*-d;c[1]=g*b+j*-d;c[2]=f*b+k*-d;c[3]=h*b+l*-d;c[8]=e*d+i*b;c[9]=g*d+j*b;c[10]=f*d+k*b;c[11]=h*d+l*b;return c};
|
|
mat4.rotateZ=function(a,b,c){var d=Math.sin(b),b=Math.cos(b),e=a[0],g=a[1],f=a[2],h=a[3],i=a[4],j=a[5],k=a[6],l=a[7];c?a!==c&&(c[8]=a[8],c[9]=a[9],c[10]=a[10],c[11]=a[11],c[12]=a[12],c[13]=a[13],c[14]=a[14],c[15]=a[15]):c=a;c[0]=e*b+i*d;c[1]=g*b+j*d;c[2]=f*b+k*d;c[3]=h*b+l*d;c[4]=e*-d+i*b;c[5]=g*-d+j*b;c[6]=f*-d+k*b;c[7]=h*-d+l*b;return c};
|
|
mat4.frustum=function(a,b,c,d,e,g,f){f||(f=mat4.create());var h=b-a,i=d-c,j=g-e;f[0]=e*2/h;f[1]=0;f[2]=0;f[3]=0;f[4]=0;f[5]=e*2/i;f[6]=0;f[7]=0;f[8]=(b+a)/h;f[9]=(d+c)/i;f[10]=-(g+e)/j;f[11]=-1;f[12]=0;f[13]=0;f[14]=-(g*e*2)/j;f[15]=0;return f};mat4.perspective=function(a,b,c,d,e){a=c*Math.tan(a*Math.PI/360);b*=a;return mat4.frustum(-b,b,-a,a,c,d,e)};
|
|
mat4.ortho=function(a,b,c,d,e,g,f){f||(f=mat4.create());var h=b-a,i=d-c,j=g-e;f[0]=2/h;f[1]=0;f[2]=0;f[3]=0;f[4]=0;f[5]=2/i;f[6]=0;f[7]=0;f[8]=0;f[9]=0;f[10]=-2/j;f[11]=0;f[12]=-(a+b)/h;f[13]=-(d+c)/i;f[14]=-(g+e)/j;f[15]=1;return f};
|
|
mat4.lookAt=function(a,b,c,d){d||(d=mat4.create());var e,g,f,h,i,j,k,l,n=a[0],o=a[1],a=a[2];g=c[0];f=c[1];e=c[2];c=b[1];j=b[2];if(n===b[0]&&o===c&&a===j)return mat4.identity(d);c=n-b[0];j=o-b[1];k=a-b[2];l=1/Math.sqrt(c*c+j*j+k*k);c*=l;j*=l;k*=l;b=f*k-e*j;e=e*c-g*k;g=g*j-f*c;(l=Math.sqrt(b*b+e*e+g*g))?(l=1/l,b*=l,e*=l,g*=l):g=e=b=0;f=j*g-k*e;h=k*b-c*g;i=c*e-j*b;(l=Math.sqrt(f*f+h*h+i*i))?(l=1/l,f*=l,h*=l,i*=l):i=h=f=0;d[0]=b;d[1]=f;d[2]=c;d[3]=0;d[4]=e;d[5]=h;d[6]=j;d[7]=0;d[8]=g;d[9]=i;d[10]=k;d[11]=
|
|
0;d[12]=-(b*n+e*o+g*a);d[13]=-(f*n+h*o+i*a);d[14]=-(c*n+j*o+k*a);d[15]=1;return d};mat4.fromRotationTranslation=function(a,b,c){c||(c=mat4.create());var d=a[0],e=a[1],g=a[2],f=a[3],h=d+d,i=e+e,j=g+g,a=d*h,k=d*i;d*=j;var l=e*i;e*=j;g*=j;h*=f;i*=f;f*=j;c[0]=1-(l+g);c[1]=k+f;c[2]=d-i;c[3]=0;c[4]=k-f;c[5]=1-(a+g);c[6]=e+h;c[7]=0;c[8]=d+i;c[9]=e-h;c[10]=1-(a+l);c[11]=0;c[12]=b[0];c[13]=b[1];c[14]=b[2];c[15]=1;return c};
|
|
mat4.str=function(a){return"["+a[0]+", "+a[1]+", "+a[2]+", "+a[3]+", "+a[4]+", "+a[5]+", "+a[6]+", "+a[7]+", "+a[8]+", "+a[9]+", "+a[10]+", "+a[11]+", "+a[12]+", "+a[13]+", "+a[14]+", "+a[15]+"]"};quat4.create=function(a){var b=new MatrixArray(4);a&&(b[0]=a[0],b[1]=a[1],b[2]=a[2],b[3]=a[3]);return b};quat4.set=function(a,b){b[0]=a[0];b[1]=a[1];b[2]=a[2];b[3]=a[3];return b};
|
|
quat4.calculateW=function(a,b){var c=a[0],d=a[1],e=a[2];if(!b||a===b)return a[3]=-Math.sqrt(Math.abs(1-c*c-d*d-e*e)),a;b[0]=c;b[1]=d;b[2]=e;b[3]=-Math.sqrt(Math.abs(1-c*c-d*d-e*e));return b};quat4.inverse=function(a,b){if(!b||a===b)return a[0]*=-1,a[1]*=-1,a[2]*=-1,a;b[0]=-a[0];b[1]=-a[1];b[2]=-a[2];b[3]=a[3];return b};quat4.length=function(a){var b=a[0],c=a[1],d=a[2],a=a[3];return Math.sqrt(b*b+c*c+d*d+a*a)};
|
|
quat4.normalize=function(a,b){b||(b=a);var c=a[0],d=a[1],e=a[2],g=a[3],f=Math.sqrt(c*c+d*d+e*e+g*g);if(f===0)return b[0]=0,b[1]=0,b[2]=0,b[3]=0,b;f=1/f;b[0]=c*f;b[1]=d*f;b[2]=e*f;b[3]=g*f;return b};quat4.multiply=function(a,b,c){c||(c=a);var d=a[0],e=a[1],g=a[2],a=a[3],f=b[0],h=b[1],i=b[2],b=b[3];c[0]=d*b+a*f+e*i-g*h;c[1]=e*b+a*h+g*f-d*i;c[2]=g*b+a*i+d*h-e*f;c[3]=a*b-d*f-e*h-g*i;return c};
|
|
quat4.multiplyVec3=function(a,b,c){c||(c=b);var d=b[0],e=b[1],g=b[2],b=a[0],f=a[1],h=a[2],a=a[3],i=a*d+f*g-h*e,j=a*e+h*d-b*g,k=a*g+b*e-f*d,d=-b*d-f*e-h*g;c[0]=i*a+d*-b+j*-h-k*-f;c[1]=j*a+d*-f+k*-b-i*-h;c[2]=k*a+d*-h+i*-f-j*-b;return c};quat4.toMat3=function(a,b){b||(b=mat3.create());var c=a[0],d=a[1],e=a[2],g=a[3],f=c+c,h=d+d,i=e+e,j=c*f,k=c*h;c*=i;var l=d*h;d*=i;e*=i;f*=g;h*=g;g*=i;b[0]=1-(l+e);b[1]=k+g;b[2]=c-h;b[3]=k-g;b[4]=1-(j+e);b[5]=d+f;b[6]=c+h;b[7]=d-f;b[8]=1-(j+l);return b};
|
|
quat4.toMat4=function(a,b){b||(b=mat4.create());var c=a[0],d=a[1],e=a[2],g=a[3],f=c+c,h=d+d,i=e+e,j=c*f,k=c*h;c*=i;var l=d*h;d*=i;e*=i;f*=g;h*=g;g*=i;b[0]=1-(l+e);b[1]=k+g;b[2]=c-h;b[3]=0;b[4]=k-g;b[5]=1-(j+e);b[6]=d+f;b[7]=0;b[8]=c+h;b[9]=d-f;b[10]=1-(j+l);b[11]=0;b[12]=0;b[13]=0;b[14]=0;b[15]=1;return b};
|
|
quat4.slerp=function(a,b,c,d){d||(d=a);var e=a[0]*b[0]+a[1]*b[1]+a[2]*b[2]+a[3]*b[3],g,f;if(Math.abs(e)>=1)return d!==a&&(d[0]=a[0],d[1]=a[1],d[2]=a[2],d[3]=a[3]),d;g=Math.acos(e);f=Math.sqrt(1-e*e);if(Math.abs(f)<0.001)return d[0]=a[0]*0.5+b[0]*0.5,d[1]=a[1]*0.5+b[1]*0.5,d[2]=a[2]*0.5+b[2]*0.5,d[3]=a[3]*0.5+b[3]*0.5,d;e=Math.sin((1-c)*g)/f;c=Math.sin(c*g)/f;d[0]=a[0]*e+b[0]*c;d[1]=a[1]*e+b[1]*c;d[2]=a[2]*e+b[2]*c;d[3]=a[3]*e+b[3]*c;return d};
|
|
quat4.str=function(a){return"["+a[0]+", "+a[1]+", "+a[2]+", "+a[3]+"]"};
|
|
(function()
|
|
{
|
|
var MAX_VERTICES = 8000; // equates to 2500 objects being drawn
|
|
var MAX_INDICES = (MAX_VERTICES / 2) * 3; // 6 indices for every 4 vertices
|
|
var MAX_POINTS = 8000;
|
|
var MULTI_BUFFERS = 4; // cycle 4 buffers to try and avoid blocking
|
|
var BATCH_NULL = 0;
|
|
var BATCH_QUAD = 1;
|
|
var BATCH_SETTEXTURE = 2;
|
|
var BATCH_SETOPACITY = 3;
|
|
var BATCH_SETBLEND = 4;
|
|
var BATCH_UPDATEMODELVIEW = 5;
|
|
var BATCH_RENDERTOTEXTURE = 6;
|
|
var BATCH_CLEAR = 7;
|
|
var BATCH_POINTS = 8;
|
|
var BATCH_SETPROGRAM = 9;
|
|
var BATCH_SETPROGRAMPARAMETERS = 10;
|
|
var BATCH_SETTEXTURE1 = 11;
|
|
var BATCH_SETCOLOR = 12;
|
|
var BATCH_SETDEPTHTEST = 13;
|
|
var BATCH_SETEARLYZMODE = 14;
|
|
/*
|
|
var lose_ext = null;
|
|
window.lose_context = function ()
|
|
{
|
|
if (!lose_ext)
|
|
{
|
|
console.log("WEBGL_lose_context not supported");
|
|
return;
|
|
}
|
|
lose_ext.loseContext();
|
|
};
|
|
window.restore_context = function ()
|
|
{
|
|
if (!lose_ext)
|
|
{
|
|
console.log("WEBGL_lose_context not supported");
|
|
return;
|
|
}
|
|
lose_ext.restoreContext();
|
|
};
|
|
*/
|
|
var tempMat4 = mat4.create();
|
|
function GLWrap_(gl, isMobile, enableFrontToBack)
|
|
{
|
|
this.isIE = /msie/i.test(navigator.userAgent) || /trident/i.test(navigator.userAgent);
|
|
this.width = 0; // not yet known, wait for call to setSize()
|
|
this.height = 0;
|
|
this.enableFrontToBack = !!enableFrontToBack;
|
|
this.isEarlyZPass = false;
|
|
this.isBatchInEarlyZPass = false;
|
|
this.currentZ = 0;
|
|
this.zNear = 1;
|
|
this.zFar = 1000;
|
|
this.zIncrement = ((this.zFar - this.zNear) / 32768);
|
|
this.zA = this.zFar / (this.zFar - this.zNear);
|
|
this.zB = this.zFar * this.zNear / (this.zNear - this.zFar);
|
|
this.kzA = 65536 * this.zA;
|
|
this.kzB = 65536 * this.zB;
|
|
this.cam = vec3.create([0, 0, 100]); // camera position
|
|
this.look = vec3.create([0, 0, 0]); // lookat position
|
|
this.up = vec3.create([0, 1, 0]); // up vector
|
|
this.worldScale = vec3.create([1, 1, 1]); // world scaling factor
|
|
this.enable_mipmaps = true;
|
|
this.matP = mat4.create(); // perspective matrix
|
|
this.matMV = mat4.create(); // model view matrix
|
|
this.lastMV = mat4.create();
|
|
this.currentMV = mat4.create();
|
|
this.gl = gl;
|
|
this.version = (this.gl.getParameter(this.gl.VERSION).indexOf("WebGL 2") === 0 ? 2 : 1);
|
|
this.initState();
|
|
};
|
|
GLWrap_.prototype.initState = function ()
|
|
{
|
|
var gl = this.gl;
|
|
var i, len;
|
|
this.lastOpacity = 1;
|
|
this.lastTexture0 = null; // last bound to TEXTURE0
|
|
this.lastTexture1 = null; // last bound to TEXTURE1
|
|
this.currentOpacity = 1;
|
|
gl.clearColor(0, 0, 0, 0);
|
|
gl.clear(gl.COLOR_BUFFER_BIT);
|
|
gl.enable(gl.BLEND);
|
|
gl.blendFunc(gl.ONE, gl.ONE_MINUS_SRC_ALPHA);
|
|
gl.disable(gl.CULL_FACE);
|
|
gl.disable(gl.STENCIL_TEST);
|
|
gl.disable(gl.DITHER);
|
|
if (this.enableFrontToBack)
|
|
{
|
|
gl.enable(gl.DEPTH_TEST);
|
|
gl.depthFunc(gl.LEQUAL);
|
|
}
|
|
else
|
|
{
|
|
gl.disable(gl.DEPTH_TEST);
|
|
}
|
|
this.maxTextureSize = gl.getParameter(gl.MAX_TEXTURE_SIZE);
|
|
this.lastSrcBlend = gl.ONE;
|
|
this.lastDestBlend = gl.ONE_MINUS_SRC_ALPHA;
|
|
this.vertexData = new Float32Array(MAX_VERTICES * (this.enableFrontToBack ? 3 : 2));
|
|
this.texcoordData = new Float32Array(MAX_VERTICES * 2);
|
|
this.pointData = new Float32Array(MAX_POINTS * 4);
|
|
this.pointBuffer = gl.createBuffer();
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, this.pointBuffer);
|
|
gl.bufferData(gl.ARRAY_BUFFER, this.pointData.byteLength, gl.DYNAMIC_DRAW);
|
|
this.vertexBuffers = new Array(MULTI_BUFFERS);
|
|
this.texcoordBuffers = new Array(MULTI_BUFFERS);
|
|
for (i = 0; i < MULTI_BUFFERS; i++)
|
|
{
|
|
this.vertexBuffers[i] = gl.createBuffer();
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, this.vertexBuffers[i]);
|
|
gl.bufferData(gl.ARRAY_BUFFER, this.vertexData.byteLength, gl.DYNAMIC_DRAW);
|
|
this.texcoordBuffers[i] = gl.createBuffer();
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, this.texcoordBuffers[i]);
|
|
gl.bufferData(gl.ARRAY_BUFFER, this.texcoordData.byteLength, gl.DYNAMIC_DRAW);
|
|
}
|
|
this.curBuffer = 0;
|
|
this.indexBuffer = gl.createBuffer();
|
|
gl.bindBuffer(gl.ELEMENT_ARRAY_BUFFER, this.indexBuffer);
|
|
var indexData = new Uint16Array(MAX_INDICES);
|
|
i = 0, len = MAX_INDICES;
|
|
var fv = 0;
|
|
while (i < len)
|
|
{
|
|
indexData[i++] = fv; // top left
|
|
indexData[i++] = fv + 1; // top right
|
|
indexData[i++] = fv + 2; // bottom right (first tri)
|
|
indexData[i++] = fv; // top left
|
|
indexData[i++] = fv + 2; // bottom right
|
|
indexData[i++] = fv + 3; // bottom left
|
|
fv += 4;
|
|
}
|
|
gl.bufferData(gl.ELEMENT_ARRAY_BUFFER, indexData, gl.STATIC_DRAW);
|
|
this.vertexPtr = 0;
|
|
this.texPtr = 0;
|
|
this.pointPtr = 0;
|
|
var fsSource, vsSource;
|
|
this.shaderPrograms = [];
|
|
fsSource = [
|
|
"varying mediump vec2 vTex;",
|
|
"uniform lowp float opacity;",
|
|
"uniform lowp sampler2D samplerFront;",
|
|
"void main(void) {",
|
|
" gl_FragColor = texture2D(samplerFront, vTex);",
|
|
" gl_FragColor *= opacity;",
|
|
"}"
|
|
].join("\n");
|
|
if (this.enableFrontToBack)
|
|
{
|
|
vsSource = [
|
|
"attribute highp vec3 aPos;",
|
|
"attribute mediump vec2 aTex;",
|
|
"varying mediump vec2 vTex;",
|
|
"uniform highp mat4 matP;",
|
|
"uniform highp mat4 matMV;",
|
|
"void main(void) {",
|
|
" gl_Position = matP * matMV * vec4(aPos.x, aPos.y, aPos.z, 1.0);",
|
|
" vTex = aTex;",
|
|
"}"
|
|
].join("\n");
|
|
}
|
|
else
|
|
{
|
|
vsSource = [
|
|
"attribute highp vec2 aPos;",
|
|
"attribute mediump vec2 aTex;",
|
|
"varying mediump vec2 vTex;",
|
|
"uniform highp mat4 matP;",
|
|
"uniform highp mat4 matMV;",
|
|
"void main(void) {",
|
|
" gl_Position = matP * matMV * vec4(aPos.x, aPos.y, 0.0, 1.0);",
|
|
" vTex = aTex;",
|
|
"}"
|
|
].join("\n");
|
|
}
|
|
var shaderProg = this.createShaderProgram({src: fsSource}, vsSource, "<default>");
|
|
;
|
|
this.shaderPrograms.push(shaderProg); // Default shader is always shader 0
|
|
fsSource = [
|
|
"uniform mediump sampler2D samplerFront;",
|
|
"varying lowp float opacity;",
|
|
"void main(void) {",
|
|
" gl_FragColor = texture2D(samplerFront, gl_PointCoord);",
|
|
" gl_FragColor *= opacity;",
|
|
"}"
|
|
].join("\n");
|
|
var pointVsSource = [
|
|
"attribute vec4 aPos;",
|
|
"varying float opacity;",
|
|
"uniform mat4 matP;",
|
|
"uniform mat4 matMV;",
|
|
"void main(void) {",
|
|
" gl_Position = matP * matMV * vec4(aPos.x, aPos.y, 0.0, 1.0);",
|
|
" gl_PointSize = aPos.z;",
|
|
" opacity = aPos.w;",
|
|
"}"
|
|
].join("\n");
|
|
shaderProg = this.createShaderProgram({src: fsSource}, pointVsSource, "<point>");
|
|
;
|
|
this.shaderPrograms.push(shaderProg); // Point shader is always shader 1
|
|
fsSource = [
|
|
"varying mediump vec2 vTex;",
|
|
"uniform lowp sampler2D samplerFront;",
|
|
"void main(void) {",
|
|
" if (texture2D(samplerFront, vTex).a < 1.0)",
|
|
" discard;", // discarding non-opaque fragments
|
|
"}"
|
|
].join("\n");
|
|
var shaderProg = this.createShaderProgram({src: fsSource}, vsSource, "<earlyz>");
|
|
;
|
|
this.shaderPrograms.push(shaderProg); // Early-Z shader is always shader 2
|
|
fsSource = [
|
|
"uniform lowp vec4 colorFill;",
|
|
"void main(void) {",
|
|
" gl_FragColor = colorFill;",
|
|
"}"
|
|
].join("\n");
|
|
var shaderProg = this.createShaderProgram({src: fsSource}, vsSource, "<fill>");
|
|
;
|
|
this.shaderPrograms.push(shaderProg); // Fill-color shader is always shader 3
|
|
for (var shader_name in cr.shaders)
|
|
{
|
|
if (cr.shaders.hasOwnProperty(shader_name))
|
|
this.shaderPrograms.push(this.createShaderProgram(cr.shaders[shader_name], vsSource, shader_name));
|
|
}
|
|
gl.activeTexture(gl.TEXTURE0);
|
|
gl.bindTexture(gl.TEXTURE_2D, null);
|
|
this.batch = [];
|
|
this.batchPtr = 0;
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
this.lastProgram = -1; // start -1 so first switchProgram can do work
|
|
this.currentProgram = -1; // current program during batch execution
|
|
this.currentShader = null;
|
|
this.fbo = gl.createFramebuffer();
|
|
this.renderToTex = null;
|
|
this.depthBuffer = null;
|
|
this.attachedDepthBuffer = false; // wait until first size call to attach, otherwise it has no storage
|
|
if (this.enableFrontToBack)
|
|
{
|
|
this.depthBuffer = gl.createRenderbuffer();
|
|
}
|
|
this.tmpVec3 = vec3.create([0, 0, 0]);
|
|
;
|
|
var pointsizes = gl.getParameter(gl.ALIASED_POINT_SIZE_RANGE);
|
|
this.minPointSize = pointsizes[0];
|
|
this.maxPointSize = pointsizes[1];
|
|
if (this.maxPointSize > 2048)
|
|
this.maxPointSize = 2048;
|
|
;
|
|
this.switchProgram(0);
|
|
cr.seal(this);
|
|
};
|
|
function GLShaderProgram(gl, shaderProgram, name)
|
|
{
|
|
this.gl = gl;
|
|
this.shaderProgram = shaderProgram;
|
|
this.name = name;
|
|
this.locAPos = gl.getAttribLocation(shaderProgram, "aPos");
|
|
this.locATex = gl.getAttribLocation(shaderProgram, "aTex");
|
|
this.locMatP = gl.getUniformLocation(shaderProgram, "matP");
|
|
this.locMatMV = gl.getUniformLocation(shaderProgram, "matMV");
|
|
this.locOpacity = gl.getUniformLocation(shaderProgram, "opacity");
|
|
this.locColorFill = gl.getUniformLocation(shaderProgram, "colorFill");
|
|
this.locSamplerFront = gl.getUniformLocation(shaderProgram, "samplerFront");
|
|
this.locSamplerBack = gl.getUniformLocation(shaderProgram, "samplerBack");
|
|
this.locDestStart = gl.getUniformLocation(shaderProgram, "destStart");
|
|
this.locDestEnd = gl.getUniformLocation(shaderProgram, "destEnd");
|
|
this.locSeconds = gl.getUniformLocation(shaderProgram, "seconds");
|
|
this.locPixelWidth = gl.getUniformLocation(shaderProgram, "pixelWidth");
|
|
this.locPixelHeight = gl.getUniformLocation(shaderProgram, "pixelHeight");
|
|
this.locLayerScale = gl.getUniformLocation(shaderProgram, "layerScale");
|
|
this.locLayerAngle = gl.getUniformLocation(shaderProgram, "layerAngle");
|
|
this.locViewOrigin = gl.getUniformLocation(shaderProgram, "viewOrigin");
|
|
this.locScrollPos = gl.getUniformLocation(shaderProgram, "scrollPos");
|
|
this.hasAnyOptionalUniforms = !!(this.locPixelWidth || this.locPixelHeight || this.locSeconds || this.locSamplerBack || this.locDestStart || this.locDestEnd || this.locLayerScale || this.locLayerAngle || this.locViewOrigin || this.locScrollPos);
|
|
this.lpPixelWidth = -999; // set to something unlikely so never counts as cached on first set
|
|
this.lpPixelHeight = -999;
|
|
this.lpOpacity = 1;
|
|
this.lpDestStartX = 0.0;
|
|
this.lpDestStartY = 0.0;
|
|
this.lpDestEndX = 1.0;
|
|
this.lpDestEndY = 1.0;
|
|
this.lpLayerScale = 1.0;
|
|
this.lpLayerAngle = 0.0;
|
|
this.lpViewOriginX = 0.0;
|
|
this.lpViewOriginY = 0.0;
|
|
this.lpScrollPosX = 0.0;
|
|
this.lpScrollPosY = 0.0;
|
|
this.lpSeconds = 0.0;
|
|
this.lastCustomParams = [];
|
|
this.lpMatMV = mat4.create();
|
|
if (this.locOpacity)
|
|
gl.uniform1f(this.locOpacity, 1);
|
|
if (this.locColorFill)
|
|
gl.uniform4f(this.locColorFill, 1.0, 1.0, 1.0, 1.0);
|
|
if (this.locSamplerFront)
|
|
gl.uniform1i(this.locSamplerFront, 0);
|
|
if (this.locSamplerBack)
|
|
gl.uniform1i(this.locSamplerBack, 1);
|
|
if (this.locDestStart)
|
|
gl.uniform2f(this.locDestStart, 0.0, 0.0);
|
|
if (this.locDestEnd)
|
|
gl.uniform2f(this.locDestEnd, 1.0, 1.0);
|
|
if (this.locLayerScale)
|
|
gl.uniform1f(this.locLayerScale, 1.0);
|
|
if (this.locLayerAngle)
|
|
gl.uniform1f(this.locLayerAngle, 0.0);
|
|
if (this.locViewOrigin)
|
|
gl.uniform2f(this.locViewOrigin, 0.0, 0.0);
|
|
if (this.locScrollPos)
|
|
gl.uniform2f(this.locScrollPos, 0.0, 0.0);
|
|
if (this.locSeconds)
|
|
gl.uniform1f(this.locSeconds, 0.0);
|
|
this.hasCurrentMatMV = false; // matMV needs updating
|
|
};
|
|
function areMat4sEqual(a, b)
|
|
{
|
|
return a[0]===b[0]&&a[1]===b[1]&&a[2]===b[2]&&a[3]===b[3]&&
|
|
a[4]===b[4]&&a[5]===b[5]&&a[6]===b[6]&&a[7]===b[7]&&
|
|
a[8]===b[8]&&a[9]===b[9]&&a[10]===b[10]&&a[11]===b[11]&&
|
|
a[12]===b[12]&&a[13]===b[13]&&a[14]===b[14]&&a[15]===b[15];
|
|
};
|
|
GLShaderProgram.prototype.updateMatMV = function (mv)
|
|
{
|
|
if (areMat4sEqual(this.lpMatMV, mv))
|
|
return; // no change, save the expensive GL call
|
|
mat4.set(mv, this.lpMatMV);
|
|
this.gl.uniformMatrix4fv(this.locMatMV, false, mv);
|
|
};
|
|
GLWrap_.prototype.createShaderProgram = function(shaderEntry, vsSource, name)
|
|
{
|
|
var gl = this.gl;
|
|
var fragmentShader = gl.createShader(gl.FRAGMENT_SHADER);
|
|
gl.shaderSource(fragmentShader, shaderEntry.src);
|
|
gl.compileShader(fragmentShader);
|
|
if (!gl.getShaderParameter(fragmentShader, gl.COMPILE_STATUS))
|
|
{
|
|
var compilationlog = gl.getShaderInfoLog(fragmentShader);
|
|
gl.deleteShader(fragmentShader);
|
|
throw new Error("error compiling fragment shader: " + compilationlog);
|
|
}
|
|
var vertexShader = gl.createShader(gl.VERTEX_SHADER);
|
|
gl.shaderSource(vertexShader, vsSource);
|
|
gl.compileShader(vertexShader);
|
|
if (!gl.getShaderParameter(vertexShader, gl.COMPILE_STATUS))
|
|
{
|
|
var compilationlog = gl.getShaderInfoLog(vertexShader);
|
|
gl.deleteShader(fragmentShader);
|
|
gl.deleteShader(vertexShader);
|
|
throw new Error("error compiling vertex shader: " + compilationlog);
|
|
}
|
|
var shaderProgram = gl.createProgram();
|
|
gl.attachShader(shaderProgram, fragmentShader);
|
|
gl.attachShader(shaderProgram, vertexShader);
|
|
gl.linkProgram(shaderProgram);
|
|
if (!gl.getProgramParameter(shaderProgram, gl.LINK_STATUS))
|
|
{
|
|
var compilationlog = gl.getProgramInfoLog(shaderProgram);
|
|
gl.deleteShader(fragmentShader);
|
|
gl.deleteShader(vertexShader);
|
|
gl.deleteProgram(shaderProgram);
|
|
throw new Error("error linking shader program: " + compilationlog);
|
|
}
|
|
gl.useProgram(shaderProgram);
|
|
gl.deleteShader(fragmentShader);
|
|
gl.deleteShader(vertexShader);
|
|
var ret = new GLShaderProgram(gl, shaderProgram, name);
|
|
ret.extendBoxHorizontal = shaderEntry.extendBoxHorizontal || 0;
|
|
ret.extendBoxVertical = shaderEntry.extendBoxVertical || 0;
|
|
ret.crossSampling = !!shaderEntry.crossSampling;
|
|
ret.preservesOpaqueness = !!shaderEntry.preservesOpaqueness;
|
|
ret.animated = !!shaderEntry.animated;
|
|
ret.parameters = shaderEntry.parameters || [];
|
|
var i, len;
|
|
for (i = 0, len = ret.parameters.length; i < len; i++)
|
|
{
|
|
ret.parameters[i][1] = gl.getUniformLocation(shaderProgram, ret.parameters[i][0]);
|
|
ret.lastCustomParams.push(0);
|
|
gl.uniform1f(ret.parameters[i][1], 0);
|
|
}
|
|
cr.seal(ret);
|
|
return ret;
|
|
};
|
|
GLWrap_.prototype.getShaderIndex = function(name_)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.shaderPrograms.length; i < len; i++)
|
|
{
|
|
if (this.shaderPrograms[i].name === name_)
|
|
return i;
|
|
}
|
|
return -1;
|
|
};
|
|
GLWrap_.prototype.project = function (x, y, out)
|
|
{
|
|
var mv = this.matMV;
|
|
var proj = this.matP;
|
|
var fTempo = [0, 0, 0, 0, 0, 0, 0, 0];
|
|
fTempo[0] = mv[0]*x+mv[4]*y+mv[12];
|
|
fTempo[1] = mv[1]*x+mv[5]*y+mv[13];
|
|
fTempo[2] = mv[2]*x+mv[6]*y+mv[14];
|
|
fTempo[3] = mv[3]*x+mv[7]*y+mv[15];
|
|
fTempo[4] = proj[0]*fTempo[0]+proj[4]*fTempo[1]+proj[8]*fTempo[2]+proj[12]*fTempo[3];
|
|
fTempo[5] = proj[1]*fTempo[0]+proj[5]*fTempo[1]+proj[9]*fTempo[2]+proj[13]*fTempo[3];
|
|
fTempo[6] = proj[2]*fTempo[0]+proj[6]*fTempo[1]+proj[10]*fTempo[2]+proj[14]*fTempo[3];
|
|
fTempo[7] = -fTempo[2];
|
|
if(fTempo[7]===0.0) //The w value
|
|
return;
|
|
fTempo[7]=1.0/fTempo[7];
|
|
fTempo[4]*=fTempo[7];
|
|
fTempo[5]*=fTempo[7];
|
|
fTempo[6]*=fTempo[7];
|
|
out[0]=(fTempo[4]*0.5+0.5)*this.width;
|
|
out[1]=(fTempo[5]*0.5+0.5)*this.height;
|
|
};
|
|
GLWrap_.prototype.setSize = function(w, h, force)
|
|
{
|
|
if (this.width === w && this.height === h && !force)
|
|
return;
|
|
this.endBatch();
|
|
var gl = this.gl;
|
|
this.width = w;
|
|
this.height = h;
|
|
gl.viewport(0, 0, w, h);
|
|
mat4.lookAt(this.cam, this.look, this.up, this.matMV);
|
|
if (this.enableFrontToBack)
|
|
{
|
|
mat4.ortho(-w/2, w/2, h/2, -h/2, this.zNear, this.zFar, this.matP);
|
|
this.worldScale[0] = 1;
|
|
this.worldScale[1] = 1;
|
|
}
|
|
else
|
|
{
|
|
mat4.perspective(45, w / h, this.zNear, this.zFar, this.matP);
|
|
var tl = [0, 0];
|
|
var br = [0, 0];
|
|
this.project(0, 0, tl);
|
|
this.project(1, 1, br);
|
|
this.worldScale[0] = 1 / (br[0] - tl[0]);
|
|
this.worldScale[1] = -1 / (br[1] - tl[1]);
|
|
}
|
|
var i, len, s;
|
|
for (i = 0, len = this.shaderPrograms.length; i < len; i++)
|
|
{
|
|
s = this.shaderPrograms[i];
|
|
s.hasCurrentMatMV = false;
|
|
if (s.locMatP)
|
|
{
|
|
gl.useProgram(s.shaderProgram);
|
|
gl.uniformMatrix4fv(s.locMatP, false, this.matP);
|
|
}
|
|
}
|
|
gl.useProgram(this.shaderPrograms[this.lastProgram].shaderProgram);
|
|
gl.bindTexture(gl.TEXTURE_2D, null);
|
|
gl.activeTexture(gl.TEXTURE1);
|
|
gl.bindTexture(gl.TEXTURE_2D, null);
|
|
gl.activeTexture(gl.TEXTURE0);
|
|
this.lastTexture0 = null;
|
|
this.lastTexture1 = null;
|
|
if (this.depthBuffer)
|
|
{
|
|
gl.bindFramebuffer(gl.FRAMEBUFFER, this.fbo);
|
|
gl.bindRenderbuffer(gl.RENDERBUFFER, this.depthBuffer);
|
|
gl.renderbufferStorage(gl.RENDERBUFFER, gl.DEPTH_COMPONENT16, this.width, this.height);
|
|
if (!this.attachedDepthBuffer)
|
|
{
|
|
gl.framebufferRenderbuffer(gl.FRAMEBUFFER, gl.DEPTH_ATTACHMENT, gl.RENDERBUFFER, this.depthBuffer);
|
|
this.attachedDepthBuffer = true;
|
|
}
|
|
gl.bindRenderbuffer(gl.RENDERBUFFER, null);
|
|
gl.bindFramebuffer(gl.FRAMEBUFFER, null);
|
|
this.renderToTex = null;
|
|
}
|
|
};
|
|
GLWrap_.prototype.resetModelView = function ()
|
|
{
|
|
mat4.lookAt(this.cam, this.look, this.up, this.matMV);
|
|
mat4.scale(this.matMV, this.worldScale);
|
|
};
|
|
GLWrap_.prototype.translate = function (x, y)
|
|
{
|
|
if (x === 0 && y === 0)
|
|
return;
|
|
this.tmpVec3[0] = x;// * this.worldScale[0];
|
|
this.tmpVec3[1] = y;// * this.worldScale[1];
|
|
this.tmpVec3[2] = 0;
|
|
mat4.translate(this.matMV, this.tmpVec3);
|
|
};
|
|
GLWrap_.prototype.scale = function (x, y)
|
|
{
|
|
if (x === 1 && y === 1)
|
|
return;
|
|
this.tmpVec3[0] = x;
|
|
this.tmpVec3[1] = y;
|
|
this.tmpVec3[2] = 1;
|
|
mat4.scale(this.matMV, this.tmpVec3);
|
|
};
|
|
GLWrap_.prototype.rotateZ = function (a)
|
|
{
|
|
if (a === 0)
|
|
return;
|
|
mat4.rotateZ(this.matMV, a);
|
|
};
|
|
GLWrap_.prototype.updateModelView = function()
|
|
{
|
|
if (areMat4sEqual(this.lastMV, this.matMV))
|
|
return;
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_UPDATEMODELVIEW;
|
|
if (b.mat4param)
|
|
mat4.set(this.matMV, b.mat4param);
|
|
else
|
|
b.mat4param = mat4.create(this.matMV);
|
|
mat4.set(this.matMV, this.lastMV);
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
/*
|
|
var debugBatch = false;
|
|
jQuery(document).mousedown(
|
|
function(info) {
|
|
if (info.which === 2)
|
|
debugBatch = true;
|
|
}
|
|
);
|
|
*/
|
|
GLWrap_.prototype.setEarlyZIndex = function (i)
|
|
{
|
|
if (!this.enableFrontToBack)
|
|
return;
|
|
if (i > 32760)
|
|
i = 32760;
|
|
this.currentZ = this.cam[2] - this.zNear - i * this.zIncrement;
|
|
};
|
|
function GLBatchJob(type_, glwrap_)
|
|
{
|
|
this.type = type_;
|
|
this.glwrap = glwrap_;
|
|
this.gl = glwrap_.gl;
|
|
this.opacityParam = 0; // for setOpacity()
|
|
this.startIndex = 0; // for quad()
|
|
this.indexCount = 0; // "
|
|
this.texParam = null; // for setTexture()
|
|
this.mat4param = null; // for updateModelView()
|
|
this.shaderParams = []; // for user parameters
|
|
cr.seal(this);
|
|
};
|
|
GLBatchJob.prototype.doSetEarlyZPass = function ()
|
|
{
|
|
var gl = this.gl;
|
|
var glwrap = this.glwrap;
|
|
if (this.startIndex !== 0) // enable
|
|
{
|
|
gl.depthMask(true); // enable depth writes
|
|
gl.colorMask(false, false, false, false); // disable color writes
|
|
gl.disable(gl.BLEND); // no color writes so disable blend
|
|
gl.bindFramebuffer(gl.FRAMEBUFFER, glwrap.fbo);
|
|
gl.framebufferTexture2D(gl.FRAMEBUFFER, gl.COLOR_ATTACHMENT0, gl.TEXTURE_2D, null, 0);
|
|
gl.clear(gl.DEPTH_BUFFER_BIT); // auto-clear depth buffer
|
|
gl.bindFramebuffer(gl.FRAMEBUFFER, null);
|
|
glwrap.isBatchInEarlyZPass = true;
|
|
}
|
|
else
|
|
{
|
|
gl.depthMask(false); // disable depth writes, only test existing depth values
|
|
gl.colorMask(true, true, true, true); // enable color writes
|
|
gl.enable(gl.BLEND); // turn blending back on
|
|
glwrap.isBatchInEarlyZPass = false;
|
|
}
|
|
};
|
|
GLBatchJob.prototype.doSetTexture = function ()
|
|
{
|
|
this.gl.bindTexture(this.gl.TEXTURE_2D, this.texParam);
|
|
};
|
|
GLBatchJob.prototype.doSetTexture1 = function ()
|
|
{
|
|
var gl = this.gl;
|
|
gl.activeTexture(gl.TEXTURE1);
|
|
gl.bindTexture(gl.TEXTURE_2D, this.texParam);
|
|
gl.activeTexture(gl.TEXTURE0);
|
|
};
|
|
GLBatchJob.prototype.doSetOpacity = function ()
|
|
{
|
|
var o = this.opacityParam;
|
|
var glwrap = this.glwrap;
|
|
glwrap.currentOpacity = o;
|
|
var curProg = glwrap.currentShader;
|
|
if (curProg.locOpacity && curProg.lpOpacity !== o)
|
|
{
|
|
curProg.lpOpacity = o;
|
|
this.gl.uniform1f(curProg.locOpacity, o);
|
|
}
|
|
};
|
|
GLBatchJob.prototype.doQuad = function ()
|
|
{
|
|
this.gl.drawElements(this.gl.TRIANGLES, this.indexCount, this.gl.UNSIGNED_SHORT, this.startIndex);
|
|
};
|
|
GLBatchJob.prototype.doSetBlend = function ()
|
|
{
|
|
this.gl.blendFunc(this.startIndex, this.indexCount);
|
|
};
|
|
GLBatchJob.prototype.doUpdateModelView = function ()
|
|
{
|
|
var i, len, s, shaderPrograms = this.glwrap.shaderPrograms, currentProgram = this.glwrap.currentProgram;
|
|
for (i = 0, len = shaderPrograms.length; i < len; i++)
|
|
{
|
|
s = shaderPrograms[i];
|
|
if (i === currentProgram && s.locMatMV)
|
|
{
|
|
s.updateMatMV(this.mat4param);
|
|
s.hasCurrentMatMV = true;
|
|
}
|
|
else
|
|
s.hasCurrentMatMV = false;
|
|
}
|
|
mat4.set(this.mat4param, this.glwrap.currentMV);
|
|
};
|
|
GLBatchJob.prototype.doRenderToTexture = function ()
|
|
{
|
|
var gl = this.gl;
|
|
var glwrap = this.glwrap;
|
|
if (this.texParam)
|
|
{
|
|
if (glwrap.lastTexture1 === this.texParam)
|
|
{
|
|
gl.activeTexture(gl.TEXTURE1);
|
|
gl.bindTexture(gl.TEXTURE_2D, null);
|
|
glwrap.lastTexture1 = null;
|
|
gl.activeTexture(gl.TEXTURE0);
|
|
}
|
|
gl.bindFramebuffer(gl.FRAMEBUFFER, glwrap.fbo);
|
|
if (!glwrap.isBatchInEarlyZPass)
|
|
{
|
|
gl.framebufferTexture2D(gl.FRAMEBUFFER, gl.COLOR_ATTACHMENT0, gl.TEXTURE_2D, this.texParam, 0);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (!glwrap.enableFrontToBack)
|
|
{
|
|
gl.framebufferTexture2D(gl.FRAMEBUFFER, gl.COLOR_ATTACHMENT0, gl.TEXTURE_2D, null, 0);
|
|
}
|
|
gl.bindFramebuffer(gl.FRAMEBUFFER, null);
|
|
}
|
|
};
|
|
GLBatchJob.prototype.doClear = function ()
|
|
{
|
|
var gl = this.gl;
|
|
var mode = this.startIndex;
|
|
if (mode === 0) // clear whole surface
|
|
{
|
|
gl.clearColor(this.mat4param[0], this.mat4param[1], this.mat4param[2], this.mat4param[3]);
|
|
gl.clear(gl.COLOR_BUFFER_BIT);
|
|
}
|
|
else if (mode === 1) // clear rectangle
|
|
{
|
|
gl.enable(gl.SCISSOR_TEST);
|
|
gl.scissor(this.mat4param[0], this.mat4param[1], this.mat4param[2], this.mat4param[3]);
|
|
gl.clearColor(0, 0, 0, 0);
|
|
gl.clear(gl.COLOR_BUFFER_BIT);
|
|
gl.disable(gl.SCISSOR_TEST);
|
|
}
|
|
else // clear depth
|
|
{
|
|
gl.clear(gl.DEPTH_BUFFER_BIT);
|
|
}
|
|
};
|
|
GLBatchJob.prototype.doSetDepthTestEnabled = function ()
|
|
{
|
|
var gl = this.gl;
|
|
var enable = this.startIndex;
|
|
if (enable !== 0)
|
|
{
|
|
gl.enable(gl.DEPTH_TEST);
|
|
}
|
|
else
|
|
{
|
|
gl.disable(gl.DEPTH_TEST);
|
|
}
|
|
};
|
|
GLBatchJob.prototype.doPoints = function ()
|
|
{
|
|
var gl = this.gl;
|
|
var glwrap = this.glwrap;
|
|
if (glwrap.enableFrontToBack)
|
|
gl.disable(gl.DEPTH_TEST);
|
|
var s = glwrap.shaderPrograms[1];
|
|
gl.useProgram(s.shaderProgram);
|
|
if (!s.hasCurrentMatMV && s.locMatMV)
|
|
{
|
|
s.updateMatMV(glwrap.currentMV);
|
|
s.hasCurrentMatMV = true;
|
|
}
|
|
gl.enableVertexAttribArray(s.locAPos);
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, glwrap.pointBuffer);
|
|
gl.vertexAttribPointer(s.locAPos, 4, gl.FLOAT, false, 0, 0);
|
|
gl.drawArrays(gl.POINTS, this.startIndex / 4, this.indexCount);
|
|
s = glwrap.currentShader;
|
|
gl.useProgram(s.shaderProgram);
|
|
if (s.locAPos >= 0)
|
|
{
|
|
gl.enableVertexAttribArray(s.locAPos);
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, glwrap.vertexBuffers[glwrap.curBuffer]);
|
|
gl.vertexAttribPointer(s.locAPos, glwrap.enableFrontToBack ? 3 : 2, gl.FLOAT, false, 0, 0);
|
|
}
|
|
if (s.locATex >= 0)
|
|
{
|
|
gl.enableVertexAttribArray(s.locATex);
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, glwrap.texcoordBuffers[glwrap.curBuffer]);
|
|
gl.vertexAttribPointer(s.locATex, 2, gl.FLOAT, false, 0, 0);
|
|
}
|
|
if (glwrap.enableFrontToBack)
|
|
gl.enable(gl.DEPTH_TEST);
|
|
};
|
|
GLBatchJob.prototype.doSetProgram = function ()
|
|
{
|
|
var gl = this.gl;
|
|
var glwrap = this.glwrap;
|
|
var s = glwrap.shaderPrograms[this.startIndex]; // recycled param to save memory
|
|
glwrap.currentProgram = this.startIndex; // current batch program
|
|
glwrap.currentShader = s;
|
|
gl.useProgram(s.shaderProgram); // switch to
|
|
if (!s.hasCurrentMatMV && s.locMatMV)
|
|
{
|
|
s.updateMatMV(glwrap.currentMV);
|
|
s.hasCurrentMatMV = true;
|
|
}
|
|
if (s.locOpacity && s.lpOpacity !== glwrap.currentOpacity)
|
|
{
|
|
s.lpOpacity = glwrap.currentOpacity;
|
|
gl.uniform1f(s.locOpacity, glwrap.currentOpacity);
|
|
}
|
|
if (s.locAPos >= 0)
|
|
{
|
|
gl.enableVertexAttribArray(s.locAPos);
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, glwrap.vertexBuffers[glwrap.curBuffer]);
|
|
gl.vertexAttribPointer(s.locAPos, glwrap.enableFrontToBack ? 3 : 2, gl.FLOAT, false, 0, 0);
|
|
}
|
|
if (s.locATex >= 0)
|
|
{
|
|
gl.enableVertexAttribArray(s.locATex);
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, glwrap.texcoordBuffers[glwrap.curBuffer]);
|
|
gl.vertexAttribPointer(s.locATex, 2, gl.FLOAT, false, 0, 0);
|
|
}
|
|
}
|
|
GLBatchJob.prototype.doSetColor = function ()
|
|
{
|
|
var s = this.glwrap.currentShader;
|
|
var mat4param = this.mat4param;
|
|
this.gl.uniform4f(s.locColorFill, mat4param[0], mat4param[1], mat4param[2], mat4param[3]);
|
|
};
|
|
GLBatchJob.prototype.doSetProgramParameters = function ()
|
|
{
|
|
var i, len, s = this.glwrap.currentShader;
|
|
var gl = this.gl;
|
|
var mat4param = this.mat4param;
|
|
if (s.locSamplerBack && this.glwrap.lastTexture1 !== this.texParam)
|
|
{
|
|
gl.activeTexture(gl.TEXTURE1);
|
|
gl.bindTexture(gl.TEXTURE_2D, this.texParam);
|
|
this.glwrap.lastTexture1 = this.texParam;
|
|
gl.activeTexture(gl.TEXTURE0);
|
|
}
|
|
var v = mat4param[0];
|
|
var v2;
|
|
if (s.locPixelWidth && v !== s.lpPixelWidth)
|
|
{
|
|
s.lpPixelWidth = v;
|
|
gl.uniform1f(s.locPixelWidth, v);
|
|
}
|
|
v = mat4param[1];
|
|
if (s.locPixelHeight && v !== s.lpPixelHeight)
|
|
{
|
|
s.lpPixelHeight = v;
|
|
gl.uniform1f(s.locPixelHeight, v);
|
|
}
|
|
v = mat4param[2];
|
|
v2 = mat4param[3];
|
|
if (s.locDestStart && (v !== s.lpDestStartX || v2 !== s.lpDestStartY))
|
|
{
|
|
s.lpDestStartX = v;
|
|
s.lpDestStartY = v2;
|
|
gl.uniform2f(s.locDestStart, v, v2);
|
|
}
|
|
v = mat4param[4];
|
|
v2 = mat4param[5];
|
|
if (s.locDestEnd && (v !== s.lpDestEndX || v2 !== s.lpDestEndY))
|
|
{
|
|
s.lpDestEndX = v;
|
|
s.lpDestEndY = v2;
|
|
gl.uniform2f(s.locDestEnd, v, v2);
|
|
}
|
|
v = mat4param[6];
|
|
if (s.locLayerScale && v !== s.lpLayerScale)
|
|
{
|
|
s.lpLayerScale = v;
|
|
gl.uniform1f(s.locLayerScale, v);
|
|
}
|
|
v = mat4param[7];
|
|
if (s.locLayerAngle && v !== s.lpLayerAngle)
|
|
{
|
|
s.lpLayerAngle = v;
|
|
gl.uniform1f(s.locLayerAngle, v);
|
|
}
|
|
v = mat4param[8];
|
|
v2 = mat4param[9];
|
|
if (s.locViewOrigin && (v !== s.lpViewOriginX || v2 !== s.lpViewOriginY))
|
|
{
|
|
s.lpViewOriginX = v;
|
|
s.lpViewOriginY = v2;
|
|
gl.uniform2f(s.locViewOrigin, v, v2);
|
|
}
|
|
v = mat4param[10];
|
|
v2 = mat4param[11];
|
|
if (s.locScrollPos && (v !== s.lpScrollPosX || v2 !== s.lpScrollPosY))
|
|
{
|
|
s.lpScrollPosX = v;
|
|
s.lpScrollPosY = v2;
|
|
gl.uniform2f(s.locScrollPos, v, v2);
|
|
}
|
|
v = mat4param[12];
|
|
if (s.locSeconds && v !== s.lpSeconds)
|
|
{
|
|
s.lpSeconds = v;
|
|
gl.uniform1f(s.locSeconds, v);
|
|
}
|
|
if (s.parameters.length)
|
|
{
|
|
for (i = 0, len = s.parameters.length; i < len; i++)
|
|
{
|
|
v = this.shaderParams[i];
|
|
if (v !== s.lastCustomParams[i])
|
|
{
|
|
s.lastCustomParams[i] = v;
|
|
gl.uniform1f(s.parameters[i][1], v);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
GLWrap_.prototype.pushBatch = function ()
|
|
{
|
|
if (this.batchPtr === this.batch.length)
|
|
this.batch.push(new GLBatchJob(BATCH_NULL, this));
|
|
return this.batch[this.batchPtr++];
|
|
};
|
|
GLWrap_.prototype.endBatch = function ()
|
|
{
|
|
if (this.batchPtr === 0)
|
|
return;
|
|
if (this.gl.isContextLost())
|
|
return;
|
|
var gl = this.gl;
|
|
if (this.pointPtr > 0)
|
|
{
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, this.pointBuffer);
|
|
gl.bufferSubData(gl.ARRAY_BUFFER, 0, this.pointData.subarray(0, this.pointPtr));
|
|
if (s && s.locAPos >= 0 && s.name === "<point>")
|
|
gl.vertexAttribPointer(s.locAPos, 4, gl.FLOAT, false, 0, 0);
|
|
}
|
|
if (this.vertexPtr > 0)
|
|
{
|
|
var s = this.currentShader;
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, this.vertexBuffers[this.curBuffer]);
|
|
gl.bufferSubData(gl.ARRAY_BUFFER, 0, this.vertexData.subarray(0, this.vertexPtr));
|
|
if (s && s.locAPos >= 0 && s.name !== "<point>")
|
|
gl.vertexAttribPointer(s.locAPos, this.enableFrontToBack ? 3 : 2, gl.FLOAT, false, 0, 0);
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, this.texcoordBuffers[this.curBuffer]);
|
|
gl.bufferSubData(gl.ARRAY_BUFFER, 0, this.texcoordData.subarray(0, this.texPtr));
|
|
if (s && s.locATex >= 0 && s.name !== "<point>")
|
|
gl.vertexAttribPointer(s.locATex, 2, gl.FLOAT, false, 0, 0);
|
|
}
|
|
var i, len, b;
|
|
for (i = 0, len = this.batchPtr; i < len; i++)
|
|
{
|
|
b = this.batch[i];
|
|
switch (b.type) {
|
|
case 1:
|
|
b.doQuad();
|
|
break;
|
|
case 2:
|
|
b.doSetTexture();
|
|
break;
|
|
case 3:
|
|
b.doSetOpacity();
|
|
break;
|
|
case 4:
|
|
b.doSetBlend();
|
|
break;
|
|
case 5:
|
|
b.doUpdateModelView();
|
|
break;
|
|
case 6:
|
|
b.doRenderToTexture();
|
|
break;
|
|
case 7:
|
|
b.doClear();
|
|
break;
|
|
case 8:
|
|
b.doPoints();
|
|
break;
|
|
case 9:
|
|
b.doSetProgram();
|
|
break;
|
|
case 10:
|
|
b.doSetProgramParameters();
|
|
break;
|
|
case 11:
|
|
b.doSetTexture1();
|
|
break;
|
|
case 12:
|
|
b.doSetColor();
|
|
break;
|
|
case 13:
|
|
b.doSetDepthTestEnabled();
|
|
break;
|
|
case 14:
|
|
b.doSetEarlyZPass();
|
|
break;
|
|
}
|
|
}
|
|
this.batchPtr = 0;
|
|
this.vertexPtr = 0;
|
|
this.texPtr = 0;
|
|
this.pointPtr = 0;
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
this.isBatchInEarlyZPass = false;
|
|
this.curBuffer++;
|
|
if (this.curBuffer >= MULTI_BUFFERS)
|
|
this.curBuffer = 0;
|
|
};
|
|
GLWrap_.prototype.setOpacity = function (op)
|
|
{
|
|
if (op === this.lastOpacity)
|
|
return;
|
|
if (this.isEarlyZPass)
|
|
return; // ignore
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_SETOPACITY;
|
|
b.opacityParam = op;
|
|
this.lastOpacity = op;
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
GLWrap_.prototype.setTexture = function (tex)
|
|
{
|
|
if (tex === this.lastTexture0)
|
|
return;
|
|
;
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_SETTEXTURE;
|
|
b.texParam = tex;
|
|
this.lastTexture0 = tex;
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
GLWrap_.prototype.setBlend = function (s, d)
|
|
{
|
|
if (s === this.lastSrcBlend && d === this.lastDestBlend)
|
|
return;
|
|
if (this.isEarlyZPass)
|
|
return; // ignore
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_SETBLEND;
|
|
b.startIndex = s; // recycle params to save memory
|
|
b.indexCount = d;
|
|
this.lastSrcBlend = s;
|
|
this.lastDestBlend = d;
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
GLWrap_.prototype.isPremultipliedAlphaBlend = function ()
|
|
{
|
|
return (this.lastSrcBlend === this.gl.ONE && this.lastDestBlend === this.gl.ONE_MINUS_SRC_ALPHA);
|
|
};
|
|
GLWrap_.prototype.setAlphaBlend = function ()
|
|
{
|
|
this.setBlend(this.gl.ONE, this.gl.ONE_MINUS_SRC_ALPHA);
|
|
};
|
|
GLWrap_.prototype.setNoPremultiplyAlphaBlend = function ()
|
|
{
|
|
this.setBlend(this.gl.SRC_ALPHA, this.gl.ONE_MINUS_SRC_ALPHA);
|
|
};
|
|
var LAST_VERTEX = MAX_VERTICES * 2 - 8;
|
|
GLWrap_.prototype.quad = function(tlx, tly, trx, try_, brx, bry, blx, bly)
|
|
{
|
|
if (this.vertexPtr >= LAST_VERTEX)
|
|
this.endBatch();
|
|
var v = this.vertexPtr; // vertex cursor
|
|
var t = this.texPtr;
|
|
var vd = this.vertexData; // vertex data array
|
|
var td = this.texcoordData; // texture coord data array
|
|
var currentZ = this.currentZ;
|
|
if (this.hasQuadBatchTop)
|
|
{
|
|
this.batch[this.batchPtr - 1].indexCount += 6;
|
|
}
|
|
else
|
|
{
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_QUAD;
|
|
b.startIndex = this.enableFrontToBack ? v : (v / 2) * 3;
|
|
b.indexCount = 6;
|
|
this.hasQuadBatchTop = true;
|
|
this.hasPointBatchTop = false;
|
|
}
|
|
if (this.enableFrontToBack)
|
|
{
|
|
vd[v++] = tlx;
|
|
vd[v++] = tly;
|
|
vd[v++] = currentZ;
|
|
vd[v++] = trx;
|
|
vd[v++] = try_;
|
|
vd[v++] = currentZ;
|
|
vd[v++] = brx;
|
|
vd[v++] = bry;
|
|
vd[v++] = currentZ;
|
|
vd[v++] = blx;
|
|
vd[v++] = bly;
|
|
vd[v++] = currentZ;
|
|
}
|
|
else
|
|
{
|
|
vd[v++] = tlx;
|
|
vd[v++] = tly;
|
|
vd[v++] = trx;
|
|
vd[v++] = try_;
|
|
vd[v++] = brx;
|
|
vd[v++] = bry;
|
|
vd[v++] = blx;
|
|
vd[v++] = bly;
|
|
}
|
|
td[t++] = 0;
|
|
td[t++] = 0;
|
|
td[t++] = 1;
|
|
td[t++] = 0;
|
|
td[t++] = 1;
|
|
td[t++] = 1;
|
|
td[t++] = 0;
|
|
td[t++] = 1;
|
|
this.vertexPtr = v;
|
|
this.texPtr = t;
|
|
};
|
|
GLWrap_.prototype.quadTex = function(tlx, tly, trx, try_, brx, bry, blx, bly, rcTex)
|
|
{
|
|
if (this.vertexPtr >= LAST_VERTEX)
|
|
this.endBatch();
|
|
var v = this.vertexPtr; // vertex cursor
|
|
var t = this.texPtr;
|
|
var vd = this.vertexData; // vertex data array
|
|
var td = this.texcoordData; // texture coord data array
|
|
var currentZ = this.currentZ;
|
|
if (this.hasQuadBatchTop)
|
|
{
|
|
this.batch[this.batchPtr - 1].indexCount += 6;
|
|
}
|
|
else
|
|
{
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_QUAD;
|
|
b.startIndex = this.enableFrontToBack ? v : (v / 2) * 3;
|
|
b.indexCount = 6;
|
|
this.hasQuadBatchTop = true;
|
|
this.hasPointBatchTop = false;
|
|
}
|
|
var rc_left = rcTex.left;
|
|
var rc_top = rcTex.top;
|
|
var rc_right = rcTex.right;
|
|
var rc_bottom = rcTex.bottom;
|
|
if (this.enableFrontToBack)
|
|
{
|
|
vd[v++] = tlx;
|
|
vd[v++] = tly;
|
|
vd[v++] = currentZ;
|
|
vd[v++] = trx;
|
|
vd[v++] = try_;
|
|
vd[v++] = currentZ;
|
|
vd[v++] = brx;
|
|
vd[v++] = bry;
|
|
vd[v++] = currentZ;
|
|
vd[v++] = blx;
|
|
vd[v++] = bly;
|
|
vd[v++] = currentZ;
|
|
}
|
|
else
|
|
{
|
|
vd[v++] = tlx;
|
|
vd[v++] = tly;
|
|
vd[v++] = trx;
|
|
vd[v++] = try_;
|
|
vd[v++] = brx;
|
|
vd[v++] = bry;
|
|
vd[v++] = blx;
|
|
vd[v++] = bly;
|
|
}
|
|
td[t++] = rc_left;
|
|
td[t++] = rc_top;
|
|
td[t++] = rc_right;
|
|
td[t++] = rc_top;
|
|
td[t++] = rc_right;
|
|
td[t++] = rc_bottom;
|
|
td[t++] = rc_left;
|
|
td[t++] = rc_bottom;
|
|
this.vertexPtr = v;
|
|
this.texPtr = t;
|
|
};
|
|
GLWrap_.prototype.quadTexUV = function(tlx, tly, trx, try_, brx, bry, blx, bly, tlu, tlv, tru, trv, bru, brv, blu, blv)
|
|
{
|
|
if (this.vertexPtr >= LAST_VERTEX)
|
|
this.endBatch();
|
|
var v = this.vertexPtr; // vertex cursor
|
|
var t = this.texPtr;
|
|
var vd = this.vertexData; // vertex data array
|
|
var td = this.texcoordData; // texture coord data array
|
|
var currentZ = this.currentZ;
|
|
if (this.hasQuadBatchTop)
|
|
{
|
|
this.batch[this.batchPtr - 1].indexCount += 6;
|
|
}
|
|
else
|
|
{
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_QUAD;
|
|
b.startIndex = this.enableFrontToBack ? v : (v / 2) * 3;
|
|
b.indexCount = 6;
|
|
this.hasQuadBatchTop = true;
|
|
this.hasPointBatchTop = false;
|
|
}
|
|
if (this.enableFrontToBack)
|
|
{
|
|
vd[v++] = tlx;
|
|
vd[v++] = tly;
|
|
vd[v++] = currentZ;
|
|
vd[v++] = trx;
|
|
vd[v++] = try_;
|
|
vd[v++] = currentZ;
|
|
vd[v++] = brx;
|
|
vd[v++] = bry;
|
|
vd[v++] = currentZ;
|
|
vd[v++] = blx;
|
|
vd[v++] = bly;
|
|
vd[v++] = currentZ;
|
|
}
|
|
else
|
|
{
|
|
vd[v++] = tlx;
|
|
vd[v++] = tly;
|
|
vd[v++] = trx;
|
|
vd[v++] = try_;
|
|
vd[v++] = brx;
|
|
vd[v++] = bry;
|
|
vd[v++] = blx;
|
|
vd[v++] = bly;
|
|
}
|
|
td[t++] = tlu;
|
|
td[t++] = tlv;
|
|
td[t++] = tru;
|
|
td[t++] = trv;
|
|
td[t++] = bru;
|
|
td[t++] = brv;
|
|
td[t++] = blu;
|
|
td[t++] = blv;
|
|
this.vertexPtr = v;
|
|
this.texPtr = t;
|
|
};
|
|
GLWrap_.prototype.convexPoly = function(pts)
|
|
{
|
|
var pts_count = pts.length / 2;
|
|
;
|
|
var tris = pts_count - 2; // 3 points = 1 tri, 4 points = 2 tris, 5 points = 3 tris etc.
|
|
var last_tri = tris - 1;
|
|
var p0x = pts[0];
|
|
var p0y = pts[1];
|
|
var i, i2, p1x, p1y, p2x, p2y, p3x, p3y;
|
|
for (i = 0; i < tris; i += 2) // draw 2 triangles at a time
|
|
{
|
|
i2 = i * 2;
|
|
p1x = pts[i2 + 2];
|
|
p1y = pts[i2 + 3];
|
|
p2x = pts[i2 + 4];
|
|
p2y = pts[i2 + 5];
|
|
if (i === last_tri)
|
|
{
|
|
this.quad(p0x, p0y, p1x, p1y, p2x, p2y, p2x, p2y);
|
|
}
|
|
else
|
|
{
|
|
p3x = pts[i2 + 6];
|
|
p3y = pts[i2 + 7];
|
|
this.quad(p0x, p0y, p1x, p1y, p2x, p2y, p3x, p3y);
|
|
}
|
|
}
|
|
};
|
|
var LAST_POINT = MAX_POINTS - 4;
|
|
GLWrap_.prototype.point = function(x_, y_, size_, opacity_)
|
|
{
|
|
if (this.pointPtr >= LAST_POINT)
|
|
this.endBatch();
|
|
var p = this.pointPtr; // point cursor
|
|
var pd = this.pointData; // point data array
|
|
if (this.hasPointBatchTop)
|
|
{
|
|
this.batch[this.batchPtr - 1].indexCount++;
|
|
}
|
|
else
|
|
{
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_POINTS;
|
|
b.startIndex = p;
|
|
b.indexCount = 1;
|
|
this.hasPointBatchTop = true;
|
|
this.hasQuadBatchTop = false;
|
|
}
|
|
pd[p++] = x_;
|
|
pd[p++] = y_;
|
|
pd[p++] = size_;
|
|
pd[p++] = opacity_;
|
|
this.pointPtr = p;
|
|
};
|
|
GLWrap_.prototype.switchProgram = function (progIndex)
|
|
{
|
|
if (this.lastProgram === progIndex)
|
|
return; // no change
|
|
var shaderProg = this.shaderPrograms[progIndex];
|
|
if (!shaderProg)
|
|
{
|
|
if (this.lastProgram === 0)
|
|
return; // already on default shader
|
|
progIndex = 0;
|
|
shaderProg = this.shaderPrograms[0];
|
|
}
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_SETPROGRAM;
|
|
b.startIndex = progIndex;
|
|
this.lastProgram = progIndex;
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
GLWrap_.prototype.programUsesDest = function (progIndex)
|
|
{
|
|
var s = this.shaderPrograms[progIndex];
|
|
return !!(s.locDestStart || s.locDestEnd);
|
|
};
|
|
GLWrap_.prototype.programUsesCrossSampling = function (progIndex)
|
|
{
|
|
var s = this.shaderPrograms[progIndex];
|
|
return !!(s.locDestStart || s.locDestEnd || s.crossSampling);
|
|
};
|
|
GLWrap_.prototype.programPreservesOpaqueness = function (progIndex)
|
|
{
|
|
return this.shaderPrograms[progIndex].preservesOpaqueness;
|
|
};
|
|
GLWrap_.prototype.programExtendsBox = function (progIndex)
|
|
{
|
|
var s = this.shaderPrograms[progIndex];
|
|
return s.extendBoxHorizontal !== 0 || s.extendBoxVertical !== 0;
|
|
};
|
|
GLWrap_.prototype.getProgramBoxExtendHorizontal = function (progIndex)
|
|
{
|
|
return this.shaderPrograms[progIndex].extendBoxHorizontal;
|
|
};
|
|
GLWrap_.prototype.getProgramBoxExtendVertical = function (progIndex)
|
|
{
|
|
return this.shaderPrograms[progIndex].extendBoxVertical;
|
|
};
|
|
GLWrap_.prototype.getProgramParameterType = function (progIndex, paramIndex)
|
|
{
|
|
return this.shaderPrograms[progIndex].parameters[paramIndex][2];
|
|
};
|
|
GLWrap_.prototype.programIsAnimated = function (progIndex)
|
|
{
|
|
return this.shaderPrograms[progIndex].animated;
|
|
};
|
|
GLWrap_.prototype.setProgramParameters = function (backTex, pixelWidth, pixelHeight, destStartX, destStartY, destEndX, destEndY, layerScale, layerAngle, viewOriginLeft, viewOriginTop, scrollPosX, scrollPosY, seconds, params)
|
|
{
|
|
var i, len;
|
|
var s = this.shaderPrograms[this.lastProgram];
|
|
var b, mat4param, shaderParams;
|
|
if (s.hasAnyOptionalUniforms || params.length)
|
|
{
|
|
b = this.pushBatch();
|
|
b.type = BATCH_SETPROGRAMPARAMETERS;
|
|
if (b.mat4param)
|
|
mat4.set(this.matMV, b.mat4param);
|
|
else
|
|
b.mat4param = mat4.create();
|
|
mat4param = b.mat4param;
|
|
mat4param[0] = pixelWidth;
|
|
mat4param[1] = pixelHeight;
|
|
mat4param[2] = destStartX;
|
|
mat4param[3] = destStartY;
|
|
mat4param[4] = destEndX;
|
|
mat4param[5] = destEndY;
|
|
mat4param[6] = layerScale;
|
|
mat4param[7] = layerAngle;
|
|
mat4param[8] = viewOriginLeft;
|
|
mat4param[9] = viewOriginTop;
|
|
mat4param[10] = scrollPosX;
|
|
mat4param[11] = scrollPosY;
|
|
mat4param[12] = seconds;
|
|
if (s.locSamplerBack)
|
|
{
|
|
;
|
|
b.texParam = backTex;
|
|
}
|
|
else
|
|
b.texParam = null;
|
|
if (params.length)
|
|
{
|
|
shaderParams = b.shaderParams;
|
|
shaderParams.length = params.length;
|
|
for (i = 0, len = params.length; i < len; i++)
|
|
shaderParams[i] = params[i];
|
|
}
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
}
|
|
};
|
|
GLWrap_.prototype.clear = function (r, g, b_, a)
|
|
{
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_CLEAR;
|
|
b.startIndex = 0; // clear all mode
|
|
if (!b.mat4param)
|
|
b.mat4param = mat4.create();
|
|
b.mat4param[0] = r;
|
|
b.mat4param[1] = g;
|
|
b.mat4param[2] = b_;
|
|
b.mat4param[3] = a;
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
GLWrap_.prototype.clearRect = function (x, y, w, h)
|
|
{
|
|
if (w < 0 || h < 0)
|
|
return; // invalid clear area
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_CLEAR;
|
|
b.startIndex = 1; // clear rect mode
|
|
if (!b.mat4param)
|
|
b.mat4param = mat4.create();
|
|
b.mat4param[0] = x;
|
|
b.mat4param[1] = y;
|
|
b.mat4param[2] = w;
|
|
b.mat4param[3] = h;
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
GLWrap_.prototype.clearDepth = function ()
|
|
{
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_CLEAR;
|
|
b.startIndex = 2; // clear depth mode
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
GLWrap_.prototype.setEarlyZPass = function (e)
|
|
{
|
|
if (!this.enableFrontToBack)
|
|
return; // no depth buffer in use
|
|
e = !!e;
|
|
if (this.isEarlyZPass === e)
|
|
return; // no change
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_SETEARLYZMODE;
|
|
b.startIndex = (e ? 1 : 0);
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
this.isEarlyZPass = e;
|
|
this.renderToTex = null;
|
|
if (this.isEarlyZPass)
|
|
{
|
|
this.switchProgram(2); // early Z program
|
|
}
|
|
else
|
|
{
|
|
this.switchProgram(0); // normal rendering
|
|
}
|
|
};
|
|
GLWrap_.prototype.setDepthTestEnabled = function (e)
|
|
{
|
|
if (!this.enableFrontToBack)
|
|
return; // no depth buffer in use
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_SETDEPTHTEST;
|
|
b.startIndex = (e ? 1 : 0);
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
GLWrap_.prototype.fullscreenQuad = function ()
|
|
{
|
|
mat4.set(this.lastMV, tempMat4);
|
|
this.resetModelView();
|
|
this.updateModelView();
|
|
var halfw = this.width / 2;
|
|
var halfh = this.height / 2;
|
|
this.quad(-halfw, halfh, halfw, halfh, halfw, -halfh, -halfw, -halfh);
|
|
mat4.set(tempMat4, this.matMV);
|
|
this.updateModelView();
|
|
};
|
|
GLWrap_.prototype.setColorFillMode = function (r_, g_, b_, a_)
|
|
{
|
|
this.switchProgram(3);
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_SETCOLOR;
|
|
if (!b.mat4param)
|
|
b.mat4param = mat4.create();
|
|
b.mat4param[0] = r_;
|
|
b.mat4param[1] = g_;
|
|
b.mat4param[2] = b_;
|
|
b.mat4param[3] = a_;
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
GLWrap_.prototype.setTextureFillMode = function ()
|
|
{
|
|
;
|
|
this.switchProgram(0);
|
|
};
|
|
GLWrap_.prototype.restoreEarlyZMode = function ()
|
|
{
|
|
;
|
|
this.switchProgram(2);
|
|
};
|
|
GLWrap_.prototype.present = function ()
|
|
{
|
|
this.endBatch();
|
|
this.gl.flush();
|
|
/*
|
|
if (debugBatch)
|
|
{
|
|
;
|
|
debugBatch = false;
|
|
}
|
|
*/
|
|
};
|
|
function nextHighestPowerOfTwo(x) {
|
|
--x;
|
|
for (var i = 1; i < 32; i <<= 1) {
|
|
x = x | x >> i;
|
|
}
|
|
return x + 1;
|
|
}
|
|
var all_textures = [];
|
|
var textures_by_src = {};
|
|
GLWrap_.prototype.contextLost = function ()
|
|
{
|
|
cr.clearArray(all_textures);
|
|
textures_by_src = {};
|
|
};
|
|
var BF_RGBA8 = 0;
|
|
var BF_RGB8 = 1;
|
|
var BF_RGBA4 = 2;
|
|
var BF_RGB5_A1 = 3;
|
|
var BF_RGB565 = 4;
|
|
GLWrap_.prototype.loadTexture = function (img, tiling, linearsampling, pixelformat, tiletype, nomip)
|
|
{
|
|
tiling = !!tiling;
|
|
linearsampling = !!linearsampling;
|
|
var tex_key = img.src + "," + tiling + "," + linearsampling + (tiling ? ("," + tiletype) : "");
|
|
var webGL_texture = null;
|
|
if (typeof img.src !== "undefined" && textures_by_src.hasOwnProperty(tex_key))
|
|
{
|
|
webGL_texture = textures_by_src[tex_key];
|
|
webGL_texture.c2refcount++;
|
|
return webGL_texture;
|
|
}
|
|
this.endBatch();
|
|
;
|
|
var gl = this.gl;
|
|
var isPOT = (cr.isPOT(img.width) && cr.isPOT(img.height));
|
|
webGL_texture = gl.createTexture();
|
|
gl.bindTexture(gl.TEXTURE_2D, webGL_texture);
|
|
gl.pixelStorei(gl["UNPACK_PREMULTIPLY_ALPHA_WEBGL"], true);
|
|
var internalformat = gl.RGBA;
|
|
var format = gl.RGBA;
|
|
var type = gl.UNSIGNED_BYTE;
|
|
if (pixelformat && !this.isIE)
|
|
{
|
|
switch (pixelformat) {
|
|
case BF_RGB8:
|
|
internalformat = gl.RGB;
|
|
format = gl.RGB;
|
|
break;
|
|
case BF_RGBA4:
|
|
type = gl.UNSIGNED_SHORT_4_4_4_4;
|
|
break;
|
|
case BF_RGB5_A1:
|
|
type = gl.UNSIGNED_SHORT_5_5_5_1;
|
|
break;
|
|
case BF_RGB565:
|
|
internalformat = gl.RGB;
|
|
format = gl.RGB;
|
|
type = gl.UNSIGNED_SHORT_5_6_5;
|
|
break;
|
|
}
|
|
}
|
|
if (this.version === 1 && !isPOT && tiling)
|
|
{
|
|
var canvas = document.createElement("canvas");
|
|
canvas.width = cr.nextHighestPowerOfTwo(img.width);
|
|
canvas.height = cr.nextHighestPowerOfTwo(img.height);
|
|
var ctx = canvas.getContext("2d");
|
|
if (typeof ctx["imageSmoothingEnabled"] !== "undefined")
|
|
{
|
|
ctx["imageSmoothingEnabled"] = linearsampling;
|
|
}
|
|
else
|
|
{
|
|
ctx["webkitImageSmoothingEnabled"] = linearsampling;
|
|
ctx["mozImageSmoothingEnabled"] = linearsampling;
|
|
ctx["msImageSmoothingEnabled"] = linearsampling;
|
|
}
|
|
ctx.drawImage(img,
|
|
0, 0, img.width, img.height,
|
|
0, 0, canvas.width, canvas.height);
|
|
gl.texImage2D(gl.TEXTURE_2D, 0, internalformat, format, type, canvas);
|
|
}
|
|
else
|
|
gl.texImage2D(gl.TEXTURE_2D, 0, internalformat, format, type, img);
|
|
if (tiling)
|
|
{
|
|
if (tiletype === "repeat-x")
|
|
{
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.REPEAT);
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.CLAMP_TO_EDGE);
|
|
}
|
|
else if (tiletype === "repeat-y")
|
|
{
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.CLAMP_TO_EDGE);
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.REPEAT);
|
|
}
|
|
else
|
|
{
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.REPEAT);
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.REPEAT);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.CLAMP_TO_EDGE);
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.CLAMP_TO_EDGE);
|
|
}
|
|
if (linearsampling)
|
|
{
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MAG_FILTER, gl.LINEAR);
|
|
if ((isPOT || this.version >= 2) && this.enable_mipmaps && !nomip)
|
|
{
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MIN_FILTER, gl.LINEAR_MIPMAP_LINEAR);
|
|
gl.generateMipmap(gl.TEXTURE_2D);
|
|
}
|
|
else
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MIN_FILTER, gl.LINEAR);
|
|
}
|
|
else
|
|
{
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MAG_FILTER, gl.NEAREST);
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MIN_FILTER, gl.NEAREST);
|
|
}
|
|
gl.bindTexture(gl.TEXTURE_2D, null);
|
|
this.lastTexture0 = null;
|
|
webGL_texture.c2width = img.width;
|
|
webGL_texture.c2height = img.height;
|
|
webGL_texture.c2refcount = 1;
|
|
webGL_texture.c2texkey = tex_key;
|
|
all_textures.push(webGL_texture);
|
|
textures_by_src[tex_key] = webGL_texture;
|
|
return webGL_texture;
|
|
};
|
|
GLWrap_.prototype.createEmptyTexture = function (w, h, linearsampling, _16bit, tiling)
|
|
{
|
|
this.endBatch();
|
|
var gl = this.gl;
|
|
if (this.isIE)
|
|
_16bit = false;
|
|
var webGL_texture = gl.createTexture();
|
|
gl.bindTexture(gl.TEXTURE_2D, webGL_texture);
|
|
gl.texImage2D(gl.TEXTURE_2D, 0, gl.RGBA, w, h, 0, gl.RGBA, _16bit ? gl.UNSIGNED_SHORT_4_4_4_4 : gl.UNSIGNED_BYTE, null);
|
|
if (tiling)
|
|
{
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.REPEAT);
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.REPEAT);
|
|
}
|
|
else
|
|
{
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_S, gl.CLAMP_TO_EDGE);
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_WRAP_T, gl.CLAMP_TO_EDGE);
|
|
}
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MAG_FILTER, linearsampling ? gl.LINEAR : gl.NEAREST);
|
|
gl.texParameteri(gl.TEXTURE_2D, gl.TEXTURE_MIN_FILTER, linearsampling ? gl.LINEAR : gl.NEAREST);
|
|
gl.bindTexture(gl.TEXTURE_2D, null);
|
|
this.lastTexture0 = null;
|
|
webGL_texture.c2width = w;
|
|
webGL_texture.c2height = h;
|
|
all_textures.push(webGL_texture);
|
|
return webGL_texture;
|
|
};
|
|
GLWrap_.prototype.videoToTexture = function (video_, texture_, _16bit)
|
|
{
|
|
this.endBatch();
|
|
var gl = this.gl;
|
|
if (this.isIE)
|
|
_16bit = false;
|
|
gl.bindTexture(gl.TEXTURE_2D, texture_);
|
|
gl.pixelStorei(gl["UNPACK_PREMULTIPLY_ALPHA_WEBGL"], true);
|
|
try {
|
|
gl.texImage2D(gl.TEXTURE_2D, 0, gl.RGBA, gl.RGBA, _16bit ? gl.UNSIGNED_SHORT_4_4_4_4 : gl.UNSIGNED_BYTE, video_);
|
|
}
|
|
catch (e)
|
|
{
|
|
if (console && console.error)
|
|
console.error("Error updating WebGL texture: ", e);
|
|
}
|
|
gl.bindTexture(gl.TEXTURE_2D, null);
|
|
this.lastTexture0 = null;
|
|
};
|
|
GLWrap_.prototype.deleteTexture = function (tex)
|
|
{
|
|
if (!tex)
|
|
return;
|
|
if (typeof tex.c2refcount !== "undefined" && tex.c2refcount > 1)
|
|
{
|
|
tex.c2refcount--;
|
|
return;
|
|
}
|
|
this.endBatch();
|
|
if (tex === this.lastTexture0)
|
|
{
|
|
this.gl.bindTexture(this.gl.TEXTURE_2D, null);
|
|
this.lastTexture0 = null;
|
|
}
|
|
if (tex === this.lastTexture1)
|
|
{
|
|
this.gl.activeTexture(this.gl.TEXTURE1);
|
|
this.gl.bindTexture(this.gl.TEXTURE_2D, null);
|
|
this.gl.activeTexture(this.gl.TEXTURE0);
|
|
this.lastTexture1 = null;
|
|
}
|
|
cr.arrayFindRemove(all_textures, tex);
|
|
if (typeof tex.c2texkey !== "undefined")
|
|
delete textures_by_src[tex.c2texkey];
|
|
this.gl.deleteTexture(tex);
|
|
};
|
|
GLWrap_.prototype.estimateVRAM = function ()
|
|
{
|
|
var total = this.width * this.height * 4 * 2;
|
|
var i, len, t;
|
|
for (i = 0, len = all_textures.length; i < len; i++)
|
|
{
|
|
t = all_textures[i];
|
|
total += (t.c2width * t.c2height * 4);
|
|
}
|
|
return total;
|
|
};
|
|
GLWrap_.prototype.textureCount = function ()
|
|
{
|
|
return all_textures.length;
|
|
};
|
|
GLWrap_.prototype.setRenderingToTexture = function (tex)
|
|
{
|
|
if (tex === this.renderToTex)
|
|
return;
|
|
;
|
|
var b = this.pushBatch();
|
|
b.type = BATCH_RENDERTOTEXTURE;
|
|
b.texParam = tex;
|
|
this.renderToTex = tex;
|
|
this.hasQuadBatchTop = false;
|
|
this.hasPointBatchTop = false;
|
|
};
|
|
cr.GLWrap = GLWrap_;
|
|
}());
|
|
;
|
|
(function()
|
|
{
|
|
var raf = window["requestAnimationFrame"] ||
|
|
window["mozRequestAnimationFrame"] ||
|
|
window["webkitRequestAnimationFrame"] ||
|
|
window["msRequestAnimationFrame"] ||
|
|
window["oRequestAnimationFrame"];
|
|
function Runtime(canvas)
|
|
{
|
|
if (!canvas || (!canvas.getContext && !canvas["dc"]))
|
|
return;
|
|
if (canvas["c2runtime"])
|
|
return;
|
|
else
|
|
canvas["c2runtime"] = this;
|
|
var self = this;
|
|
this.isCrosswalk = /crosswalk/i.test(navigator.userAgent) || /xwalk/i.test(navigator.userAgent) || !!(typeof window["c2isCrosswalk"] !== "undefined" && window["c2isCrosswalk"]);
|
|
this.isCordova = this.isCrosswalk || (typeof window["device"] !== "undefined" && (typeof window["device"]["cordova"] !== "undefined" || typeof window["device"]["phonegap"] !== "undefined")) || (typeof window["c2iscordova"] !== "undefined" && window["c2iscordova"]);
|
|
this.isPhoneGap = this.isCordova;
|
|
this.isDirectCanvas = !!canvas["dc"];
|
|
this.isAppMobi = (typeof window["AppMobi"] !== "undefined" || this.isDirectCanvas);
|
|
this.isCocoonJs = !!window["c2cocoonjs"];
|
|
this.isEjecta = !!window["c2ejecta"];
|
|
if (this.isCocoonJs)
|
|
{
|
|
CocoonJS["App"]["onSuspended"].addEventListener(function() {
|
|
self["setSuspended"](true);
|
|
});
|
|
CocoonJS["App"]["onActivated"].addEventListener(function () {
|
|
self["setSuspended"](false);
|
|
});
|
|
}
|
|
if (this.isEjecta)
|
|
{
|
|
document.addEventListener("pagehide", function() {
|
|
self["setSuspended"](true);
|
|
});
|
|
document.addEventListener("pageshow", function() {
|
|
self["setSuspended"](false);
|
|
});
|
|
document.addEventListener("resize", function () {
|
|
self["setSize"](window.innerWidth, window.innerHeight);
|
|
});
|
|
}
|
|
this.isDomFree = (this.isDirectCanvas || this.isCocoonJs || this.isEjecta);
|
|
this.isMicrosoftEdge = /edge\//i.test(navigator.userAgent);
|
|
this.isIE = (/msie/i.test(navigator.userAgent) || /trident/i.test(navigator.userAgent) || /iemobile/i.test(navigator.userAgent)) && !this.isMicrosoftEdge;
|
|
this.isTizen = /tizen/i.test(navigator.userAgent);
|
|
this.isAndroid = /android/i.test(navigator.userAgent) && !this.isTizen && !this.isIE && !this.isMicrosoftEdge; // IE mobile and Tizen masquerade as Android
|
|
this.isiPhone = (/iphone/i.test(navigator.userAgent) || /ipod/i.test(navigator.userAgent)) && !this.isIE && !this.isMicrosoftEdge; // treat ipod as an iphone; IE mobile masquerades as iPhone
|
|
this.isiPad = /ipad/i.test(navigator.userAgent);
|
|
this.isiOS = this.isiPhone || this.isiPad || this.isEjecta;
|
|
this.isiPhoneiOS6 = (this.isiPhone && /os\s6/i.test(navigator.userAgent));
|
|
this.isChrome = (/chrome/i.test(navigator.userAgent) || /chromium/i.test(navigator.userAgent)) && !this.isIE && !this.isMicrosoftEdge; // note true on Chromium-based webview on Android 4.4+; IE 'Edge' mode also pretends to be Chrome
|
|
this.isAmazonWebApp = /amazonwebappplatform/i.test(navigator.userAgent);
|
|
this.isFirefox = /firefox/i.test(navigator.userAgent);
|
|
this.isSafari = /safari/i.test(navigator.userAgent) && !this.isChrome && !this.isIE && !this.isMicrosoftEdge; // Chrome and IE Mobile masquerade as Safari
|
|
this.isWindows = /windows/i.test(navigator.userAgent);
|
|
this.isNWjs = (typeof window["c2nodewebkit"] !== "undefined" || typeof window["c2nwjs"] !== "undefined" || /nodewebkit/i.test(navigator.userAgent) || /nwjs/i.test(navigator.userAgent));
|
|
this.isNodeWebkit = this.isNWjs; // old name for backwards compat
|
|
this.isArcade = (typeof window["is_scirra_arcade"] !== "undefined");
|
|
this.isWindows8App = !!(typeof window["c2isWindows8"] !== "undefined" && window["c2isWindows8"]);
|
|
this.isWindows8Capable = !!(typeof window["c2isWindows8Capable"] !== "undefined" && window["c2isWindows8Capable"]);
|
|
this.isWindowsPhone8 = !!(typeof window["c2isWindowsPhone8"] !== "undefined" && window["c2isWindowsPhone8"]);
|
|
this.isWindowsPhone81 = !!(typeof window["c2isWindowsPhone81"] !== "undefined" && window["c2isWindowsPhone81"]);
|
|
this.isWindows10 = !!window["cr_windows10"];
|
|
this.isWinJS = (this.isWindows8App || this.isWindows8Capable || this.isWindowsPhone81 || this.isWindows10); // note not WP8.0
|
|
this.isBlackberry10 = !!(typeof window["c2isBlackberry10"] !== "undefined" && window["c2isBlackberry10"]);
|
|
this.isAndroidStockBrowser = (this.isAndroid && !this.isChrome && !this.isCrosswalk && !this.isFirefox && !this.isAmazonWebApp && !this.isDomFree);
|
|
this.devicePixelRatio = 1;
|
|
this.isMobile = (this.isCordova || this.isCrosswalk || this.isAppMobi || this.isCocoonJs || this.isAndroid || this.isiOS || this.isWindowsPhone8 || this.isWindowsPhone81 || this.isBlackberry10 || this.isTizen || this.isEjecta);
|
|
if (!this.isMobile)
|
|
{
|
|
this.isMobile = /(blackberry|bb10|playbook|palm|symbian|nokia|windows\s+ce|phone|mobile|tablet|kindle|silk)/i.test(navigator.userAgent);
|
|
}
|
|
this.isWKWebView = !!(this.isiOS && this.isCordova && window["webkit"]);
|
|
if (typeof cr_is_preview !== "undefined" && !this.isNWjs && (window.location.search === "?nw" || /nodewebkit/i.test(navigator.userAgent) || /nwjs/i.test(navigator.userAgent)))
|
|
{
|
|
this.isNWjs = true;
|
|
}
|
|
this.isDebug = (typeof cr_is_preview !== "undefined" && window.location.search.indexOf("debug") > -1);
|
|
this.canvas = canvas;
|
|
this.canvasdiv = document.getElementById("c2canvasdiv");
|
|
this.gl = null;
|
|
this.glwrap = null;
|
|
this.glUnmaskedRenderer = "(unavailable)";
|
|
this.enableFrontToBack = false;
|
|
this.earlyz_index = 0;
|
|
this.ctx = null;
|
|
this.firstInFullscreen = false;
|
|
this.oldWidth = 0; // for restoring non-fullscreen canvas after fullscreen
|
|
this.oldHeight = 0;
|
|
this.canvas.oncontextmenu = function (e) { if (e.preventDefault) e.preventDefault(); return false; };
|
|
this.canvas.onselectstart = function (e) { if (e.preventDefault) e.preventDefault(); return false; };
|
|
this.canvas.ontouchstart = function (e) { if(e.preventDefault) e.preventDefault(); return false; };
|
|
if (this.isDirectCanvas)
|
|
window["c2runtime"] = this;
|
|
if (this.isNWjs)
|
|
{
|
|
window["ondragover"] = function(e) { e.preventDefault(); return false; };
|
|
window["ondrop"] = function(e) { e.preventDefault(); return false; };
|
|
if (window["nwgui"] && window["nwgui"]["App"]["clearCache"])
|
|
window["nwgui"]["App"]["clearCache"]();
|
|
}
|
|
if (this.isAndroidStockBrowser && typeof jQuery !== "undefined")
|
|
{
|
|
jQuery("canvas").parents("*").css("overflow", "visible");
|
|
}
|
|
this.width = canvas.width;
|
|
this.height = canvas.height;
|
|
this.draw_width = this.width;
|
|
this.draw_height = this.height;
|
|
this.cssWidth = this.width;
|
|
this.cssHeight = this.height;
|
|
this.lastWindowWidth = window.innerWidth;
|
|
this.lastWindowHeight = window.innerHeight;
|
|
this.forceCanvasAlpha = false; // note: now unused, left for backwards compat since plugins could modify it
|
|
this.redraw = true;
|
|
this.isSuspended = false;
|
|
if (!Date.now) {
|
|
Date.now = function now() {
|
|
return +new Date();
|
|
};
|
|
}
|
|
this.plugins = [];
|
|
this.types = {};
|
|
this.types_by_index = [];
|
|
this.behaviors = [];
|
|
this.layouts = {};
|
|
this.layouts_by_index = [];
|
|
this.eventsheets = {};
|
|
this.eventsheets_by_index = [];
|
|
this.wait_for_textures = []; // for blocking until textures loaded
|
|
this.triggers_to_postinit = [];
|
|
this.all_global_vars = [];
|
|
this.all_local_vars = [];
|
|
this.solidBehavior = null;
|
|
this.jumpthruBehavior = null;
|
|
this.shadowcasterBehavior = null;
|
|
this.deathRow = {};
|
|
this.hasPendingInstances = false; // true if anything exists in create row or death row
|
|
this.isInClearDeathRow = false;
|
|
this.isInOnDestroy = 0; // needs to support recursion so increments and decrements and is true if > 0
|
|
this.isRunningEvents = false;
|
|
this.isEndingLayout = false;
|
|
this.createRow = [];
|
|
this.isLoadingState = false;
|
|
this.saveToSlot = "";
|
|
this.loadFromSlot = "";
|
|
this.loadFromJson = null; // set to string when there is something to try to load
|
|
this.lastSaveJson = "";
|
|
this.signalledContinuousPreview = false;
|
|
this.suspendDrawing = false; // for hiding display until continuous preview loads
|
|
this.fireOnCreateAfterLoad = []; // for delaying "On create" triggers until loading complete
|
|
this.dt = 0;
|
|
this.dt1 = 0;
|
|
this.minimumFramerate = 30;
|
|
this.logictime = 0; // used to calculate CPUUtilisation
|
|
this.cpuutilisation = 0;
|
|
this.timescale = 1.0;
|
|
this.kahanTime = new cr.KahanAdder();
|
|
this.wallTime = new cr.KahanAdder();
|
|
this.last_tick_time = 0;
|
|
this.fps = 0;
|
|
this.last_fps_time = 0;
|
|
this.tickcount = 0;
|
|
this.tickcount_nosave = 0; // same as tickcount but never saved/loaded
|
|
this.execcount = 0;
|
|
this.framecount = 0; // for fps
|
|
this.objectcount = 0;
|
|
this.changelayout = null;
|
|
this.destroycallbacks = [];
|
|
this.event_stack = [];
|
|
this.event_stack_index = -1;
|
|
this.localvar_stack = [[]];
|
|
this.localvar_stack_index = 0;
|
|
this.trigger_depth = 0; // recursion depth for triggers
|
|
this.pushEventStack(null);
|
|
this.loop_stack = [];
|
|
this.loop_stack_index = -1;
|
|
this.next_uid = 0;
|
|
this.next_puid = 0; // permanent unique ids
|
|
this.layout_first_tick = true;
|
|
this.family_count = 0;
|
|
this.suspend_events = [];
|
|
this.raf_id = -1;
|
|
this.timeout_id = -1;
|
|
this.isloading = true;
|
|
this.loadingprogress = 0;
|
|
this.isNodeFullscreen = false;
|
|
this.stackLocalCount = 0; // number of stack-based local vars for recursion
|
|
this.audioInstance = null;
|
|
this.had_a_click = false;
|
|
this.isInUserInputEvent = false;
|
|
this.objects_to_pretick = new cr.ObjectSet();
|
|
this.objects_to_tick = new cr.ObjectSet();
|
|
this.objects_to_tick2 = new cr.ObjectSet();
|
|
this.registered_collisions = [];
|
|
this.temp_poly = new cr.CollisionPoly([]);
|
|
this.temp_poly2 = new cr.CollisionPoly([]);
|
|
this.allGroups = []; // array of all event groups
|
|
this.groups_by_name = {};
|
|
this.cndsBySid = {};
|
|
this.actsBySid = {};
|
|
this.varsBySid = {};
|
|
this.blocksBySid = {};
|
|
this.running_layout = null; // currently running layout
|
|
this.layer_canvas = null; // for layers "render-to-texture"
|
|
this.layer_ctx = null;
|
|
this.layer_tex = null;
|
|
this.layout_tex = null;
|
|
this.layout_canvas = null;
|
|
this.layout_ctx = null;
|
|
this.is_WebGL_context_lost = false;
|
|
this.uses_background_blending = false; // if any shader uses background blending, so entire layout renders to texture
|
|
this.fx_tex = [null, null];
|
|
this.fullscreen_scaling = 0;
|
|
this.files_subfolder = ""; // path with project files
|
|
this.objectsByUid = {}; // maps every in-use UID (as a string) to its instance
|
|
this.loaderlogos = null;
|
|
this.snapshotCanvas = null;
|
|
this.snapshotData = "";
|
|
this.objectRefTable = [];
|
|
this.requestProjectData();
|
|
};
|
|
Runtime.prototype.requestProjectData = function ()
|
|
{
|
|
var self = this;
|
|
if (this.isWKWebView)
|
|
{
|
|
this.fetchLocalFileViaCordovaAsText("data.js", function (str)
|
|
{
|
|
self.loadProject(JSON.parse(str));
|
|
}, function (err)
|
|
{
|
|
alert("Error fetching data.js");
|
|
});
|
|
return;
|
|
}
|
|
var xhr;
|
|
if (this.isWindowsPhone8)
|
|
xhr = new ActiveXObject("Microsoft.XMLHTTP");
|
|
else
|
|
xhr = new XMLHttpRequest();
|
|
var datajs_filename = "data.js";
|
|
if (this.isWindows8App || this.isWindowsPhone8 || this.isWindowsPhone81 || this.isWindows10)
|
|
datajs_filename = "data.json";
|
|
xhr.open("GET", datajs_filename, true);
|
|
var supportsJsonResponse = false;
|
|
if (!this.isDomFree && ("response" in xhr) && ("responseType" in xhr))
|
|
{
|
|
try {
|
|
xhr["responseType"] = "json";
|
|
supportsJsonResponse = (xhr["responseType"] === "json");
|
|
}
|
|
catch (e) {
|
|
supportsJsonResponse = false;
|
|
}
|
|
}
|
|
if (!supportsJsonResponse && ("responseType" in xhr))
|
|
{
|
|
try {
|
|
xhr["responseType"] = "text";
|
|
}
|
|
catch (e) {}
|
|
}
|
|
if ("overrideMimeType" in xhr)
|
|
{
|
|
try {
|
|
xhr["overrideMimeType"]("application/json; charset=utf-8");
|
|
}
|
|
catch (e) {}
|
|
}
|
|
if (this.isWindowsPhone8)
|
|
{
|
|
xhr.onreadystatechange = function ()
|
|
{
|
|
if (xhr.readyState !== 4)
|
|
return;
|
|
self.loadProject(JSON.parse(xhr["responseText"]));
|
|
};
|
|
}
|
|
else
|
|
{
|
|
xhr.onload = function ()
|
|
{
|
|
if (supportsJsonResponse)
|
|
{
|
|
self.loadProject(xhr["response"]); // already parsed by browser
|
|
}
|
|
else
|
|
{
|
|
if (self.isEjecta)
|
|
{
|
|
var str = xhr["responseText"];
|
|
str = str.substr(str.indexOf("{")); // trim any BOM
|
|
self.loadProject(JSON.parse(str));
|
|
}
|
|
else
|
|
{
|
|
self.loadProject(JSON.parse(xhr["responseText"])); // forced to sync parse JSON
|
|
}
|
|
}
|
|
};
|
|
xhr.onerror = function (e)
|
|
{
|
|
cr.logerror("Error requesting " + datajs_filename + ":");
|
|
cr.logerror(e);
|
|
};
|
|
}
|
|
xhr.send();
|
|
};
|
|
Runtime.prototype.initRendererAndLoader = function ()
|
|
{
|
|
var self = this;
|
|
var i, len, j, lenj, k, lenk, t, s, l, y;
|
|
this.isRetina = ((!this.isDomFree || this.isEjecta || this.isCordova) && this.useHighDpi && !this.isAndroidStockBrowser);
|
|
if (this.fullscreen_mode === 0 && this.isiOS)
|
|
this.isRetina = false;
|
|
this.devicePixelRatio = (this.isRetina ? (window["devicePixelRatio"] || window["webkitDevicePixelRatio"] || window["mozDevicePixelRatio"] || window["msDevicePixelRatio"] || 1) : 1);
|
|
if (typeof window["StatusBar"] === "object")
|
|
window["StatusBar"]["hide"]();
|
|
this.ClearDeathRow();
|
|
var attribs;
|
|
if (this.fullscreen_mode > 0)
|
|
this["setSize"](window.innerWidth, window.innerHeight, true);
|
|
this.canvas.addEventListener("webglcontextlost", function (ev) {
|
|
ev.preventDefault();
|
|
self.onContextLost();
|
|
cr.logexport("[Construct 2] WebGL context lost");
|
|
window["cr_setSuspended"](true); // stop rendering
|
|
}, false);
|
|
this.canvas.addEventListener("webglcontextrestored", function (ev) {
|
|
self.glwrap.initState();
|
|
self.glwrap.setSize(self.glwrap.width, self.glwrap.height, true);
|
|
self.layer_tex = null;
|
|
self.layout_tex = null;
|
|
self.fx_tex[0] = null;
|
|
self.fx_tex[1] = null;
|
|
self.onContextRestored();
|
|
self.redraw = true;
|
|
cr.logexport("[Construct 2] WebGL context restored");
|
|
window["cr_setSuspended"](false); // resume rendering
|
|
}, false);
|
|
try {
|
|
if (this.enableWebGL && (this.isCocoonJs || this.isEjecta || !this.isDomFree))
|
|
{
|
|
attribs = {
|
|
"alpha": true,
|
|
"depth": false,
|
|
"antialias": false,
|
|
"powerPreference": "high-performance",
|
|
"failIfMajorPerformanceCaveat": true
|
|
};
|
|
if (!this.isAndroid)
|
|
this.gl = this.canvas.getContext("webgl2", attribs);
|
|
if (!this.gl)
|
|
{
|
|
this.gl = (this.canvas.getContext("webgl", attribs) ||
|
|
this.canvas.getContext("experimental-webgl", attribs));
|
|
}
|
|
}
|
|
}
|
|
catch (e) {
|
|
}
|
|
if (this.gl)
|
|
{
|
|
var isWebGL2 = (this.gl.getParameter(this.gl.VERSION).indexOf("WebGL 2") === 0);
|
|
var debug_ext = this.gl.getExtension("WEBGL_debug_renderer_info");
|
|
if (debug_ext)
|
|
{
|
|
var unmasked_vendor = this.gl.getParameter(debug_ext.UNMASKED_VENDOR_WEBGL);
|
|
var unmasked_renderer = this.gl.getParameter(debug_ext.UNMASKED_RENDERER_WEBGL);
|
|
this.glUnmaskedRenderer = unmasked_renderer + " [" + unmasked_vendor + "]";
|
|
}
|
|
if (this.enableFrontToBack)
|
|
this.glUnmaskedRenderer += " [front-to-back enabled]";
|
|
;
|
|
if (!this.isDomFree)
|
|
{
|
|
this.overlay_canvas = document.createElement("canvas");
|
|
jQuery(this.overlay_canvas).appendTo(this.canvas.parentNode);
|
|
this.overlay_canvas.oncontextmenu = function (e) { return false; };
|
|
this.overlay_canvas.onselectstart = function (e) { return false; };
|
|
this.overlay_canvas.width = Math.round(this.cssWidth * this.devicePixelRatio);
|
|
this.overlay_canvas.height = Math.round(this.cssHeight * this.devicePixelRatio);
|
|
jQuery(this.overlay_canvas).css({"width": this.cssWidth + "px",
|
|
"height": this.cssHeight + "px"});
|
|
this.positionOverlayCanvas();
|
|
this.overlay_ctx = this.overlay_canvas.getContext("2d");
|
|
}
|
|
this.glwrap = new cr.GLWrap(this.gl, this.isMobile, this.enableFrontToBack);
|
|
this.glwrap.setSize(this.canvas.width, this.canvas.height);
|
|
this.glwrap.enable_mipmaps = (this.downscalingQuality !== 0);
|
|
this.ctx = null;
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
t = this.types_by_index[i];
|
|
for (j = 0, lenj = t.effect_types.length; j < lenj; j++)
|
|
{
|
|
s = t.effect_types[j];
|
|
s.shaderindex = this.glwrap.getShaderIndex(s.id);
|
|
s.preservesOpaqueness = this.glwrap.programPreservesOpaqueness(s.shaderindex);
|
|
this.uses_background_blending = this.uses_background_blending || this.glwrap.programUsesDest(s.shaderindex);
|
|
}
|
|
}
|
|
for (i = 0, len = this.layouts_by_index.length; i < len; i++)
|
|
{
|
|
l = this.layouts_by_index[i];
|
|
for (j = 0, lenj = l.effect_types.length; j < lenj; j++)
|
|
{
|
|
s = l.effect_types[j];
|
|
s.shaderindex = this.glwrap.getShaderIndex(s.id);
|
|
s.preservesOpaqueness = this.glwrap.programPreservesOpaqueness(s.shaderindex);
|
|
}
|
|
l.updateActiveEffects(); // update preserves opaqueness flag
|
|
for (j = 0, lenj = l.layers.length; j < lenj; j++)
|
|
{
|
|
y = l.layers[j];
|
|
for (k = 0, lenk = y.effect_types.length; k < lenk; k++)
|
|
{
|
|
s = y.effect_types[k];
|
|
s.shaderindex = this.glwrap.getShaderIndex(s.id);
|
|
s.preservesOpaqueness = this.glwrap.programPreservesOpaqueness(s.shaderindex);
|
|
this.uses_background_blending = this.uses_background_blending || this.glwrap.programUsesDest(s.shaderindex);
|
|
}
|
|
y.updateActiveEffects(); // update preserves opaqueness flag
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (this.fullscreen_mode > 0 && this.isDirectCanvas)
|
|
{
|
|
;
|
|
this.canvas = null;
|
|
document.oncontextmenu = function (e) { return false; };
|
|
document.onselectstart = function (e) { return false; };
|
|
this.ctx = AppMobi["canvas"]["getContext"]("2d");
|
|
try {
|
|
this.ctx["samplingMode"] = this.linearSampling ? "smooth" : "sharp";
|
|
this.ctx["globalScale"] = 1;
|
|
this.ctx["HTML5CompatibilityMode"] = true;
|
|
this.ctx["imageSmoothingEnabled"] = this.linearSampling;
|
|
} catch(e){}
|
|
if (this.width !== 0 && this.height !== 0)
|
|
{
|
|
this.ctx.width = this.width;
|
|
this.ctx.height = this.height;
|
|
}
|
|
}
|
|
if (!this.ctx)
|
|
{
|
|
;
|
|
if (this.isCocoonJs)
|
|
{
|
|
attribs = {
|
|
"antialias": !!this.linearSampling,
|
|
"alpha": true
|
|
};
|
|
this.ctx = this.canvas.getContext("2d", attribs);
|
|
}
|
|
else
|
|
{
|
|
attribs = {
|
|
"alpha": true
|
|
};
|
|
this.ctx = this.canvas.getContext("2d", attribs);
|
|
}
|
|
this.setCtxImageSmoothingEnabled(this.ctx, this.linearSampling);
|
|
}
|
|
this.overlay_canvas = null;
|
|
this.overlay_ctx = null;
|
|
}
|
|
this.tickFunc = function (timestamp) { self.tick(false, timestamp); };
|
|
if (window != window.top && !this.isDomFree && !this.isWinJS && !this.isWindowsPhone8)
|
|
{
|
|
document.addEventListener("mousedown", function () {
|
|
window.focus();
|
|
}, true);
|
|
document.addEventListener("touchstart", function () {
|
|
window.focus();
|
|
}, true);
|
|
}
|
|
if (typeof cr_is_preview !== "undefined")
|
|
{
|
|
if (this.isCocoonJs)
|
|
console.log("[Construct 2] In preview-over-wifi via CocoonJS mode");
|
|
if (window.location.search.indexOf("continuous") > -1)
|
|
{
|
|
cr.logexport("Reloading for continuous preview");
|
|
this.loadFromSlot = "__c2_continuouspreview";
|
|
this.suspendDrawing = true;
|
|
}
|
|
if (this.pauseOnBlur && !this.isMobile)
|
|
{
|
|
jQuery(window).focus(function ()
|
|
{
|
|
self["setSuspended"](false);
|
|
});
|
|
jQuery(window).blur(function ()
|
|
{
|
|
var parent = window.parent;
|
|
if (!parent || !parent.document.hasFocus())
|
|
self["setSuspended"](true);
|
|
});
|
|
}
|
|
}
|
|
window.addEventListener("blur", function () {
|
|
self.onWindowBlur();
|
|
});
|
|
if (!this.isDomFree)
|
|
{
|
|
var unfocusFormControlFunc = function (e) {
|
|
if (cr.isCanvasInputEvent(e) && document["activeElement"] && document["activeElement"] !== document.getElementsByTagName("body")[0] && document["activeElement"].blur)
|
|
{
|
|
try {
|
|
document["activeElement"].blur();
|
|
}
|
|
catch (e) {}
|
|
}
|
|
}
|
|
if (typeof PointerEvent !== "undefined")
|
|
{
|
|
document.addEventListener("pointerdown", unfocusFormControlFunc);
|
|
}
|
|
else if (window.navigator["msPointerEnabled"])
|
|
{
|
|
document.addEventListener("MSPointerDown", unfocusFormControlFunc);
|
|
}
|
|
else
|
|
{
|
|
document.addEventListener("touchstart", unfocusFormControlFunc);
|
|
}
|
|
document.addEventListener("mousedown", unfocusFormControlFunc);
|
|
}
|
|
if (this.fullscreen_mode === 0 && this.isRetina && this.devicePixelRatio > 1)
|
|
{
|
|
this["setSize"](this.original_width, this.original_height, true);
|
|
}
|
|
this.tryLockOrientation();
|
|
this.getready(); // determine things to preload
|
|
this.go(); // run loading screen
|
|
this.extra = {};
|
|
cr.seal(this);
|
|
};
|
|
var webkitRepaintFlag = false;
|
|
Runtime.prototype["setSize"] = function (w, h, force)
|
|
{
|
|
var offx = 0, offy = 0;
|
|
var neww = 0, newh = 0, intscale = 0;
|
|
if (this.lastWindowWidth === w && this.lastWindowHeight === h && !force)
|
|
return;
|
|
this.lastWindowWidth = w;
|
|
this.lastWindowHeight = h;
|
|
var mode = this.fullscreen_mode;
|
|
var orig_aspect, cur_aspect;
|
|
var isfullscreen = (document["mozFullScreen"] || document["webkitIsFullScreen"] || !!document["msFullscreenElement"] || document["fullScreen"] || this.isNodeFullscreen) && !this.isCordova;
|
|
if (!isfullscreen && this.fullscreen_mode === 0 && !force)
|
|
return; // ignore size events when not fullscreen and not using a fullscreen-in-browser mode
|
|
if (isfullscreen)
|
|
mode = this.fullscreen_scaling;
|
|
var dpr = this.devicePixelRatio;
|
|
if (mode >= 4)
|
|
{
|
|
if (mode === 5 && dpr !== 1) // integer scaling
|
|
{
|
|
w += 1;
|
|
h += 1;
|
|
}
|
|
orig_aspect = this.original_width / this.original_height;
|
|
cur_aspect = w / h;
|
|
if (cur_aspect > orig_aspect)
|
|
{
|
|
neww = h * orig_aspect;
|
|
if (mode === 5) // integer scaling
|
|
{
|
|
intscale = (neww * dpr) / this.original_width;
|
|
if (intscale > 1)
|
|
intscale = Math.floor(intscale);
|
|
else if (intscale < 1)
|
|
intscale = 1 / Math.ceil(1 / intscale);
|
|
neww = this.original_width * intscale / dpr;
|
|
newh = this.original_height * intscale / dpr;
|
|
offx = (w - neww) / 2;
|
|
offy = (h - newh) / 2;
|
|
w = neww;
|
|
h = newh;
|
|
}
|
|
else
|
|
{
|
|
offx = (w - neww) / 2;
|
|
w = neww;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
newh = w / orig_aspect;
|
|
if (mode === 5) // integer scaling
|
|
{
|
|
intscale = (newh * dpr) / this.original_height;
|
|
if (intscale > 1)
|
|
intscale = Math.floor(intscale);
|
|
else if (intscale < 1)
|
|
intscale = 1 / Math.ceil(1 / intscale);
|
|
neww = this.original_width * intscale / dpr;
|
|
newh = this.original_height * intscale / dpr;
|
|
offx = (w - neww) / 2;
|
|
offy = (h - newh) / 2;
|
|
w = neww;
|
|
h = newh;
|
|
}
|
|
else
|
|
{
|
|
offy = (h - newh) / 2;
|
|
h = newh;
|
|
}
|
|
}
|
|
}
|
|
else if (isfullscreen && mode === 0)
|
|
{
|
|
offx = Math.floor((w - this.original_width) / 2);
|
|
offy = Math.floor((h - this.original_height) / 2);
|
|
w = this.original_width;
|
|
h = this.original_height;
|
|
}
|
|
if (mode < 2)
|
|
this.aspect_scale = dpr;
|
|
this.cssWidth = Math.round(w);
|
|
this.cssHeight = Math.round(h);
|
|
this.width = Math.round(w * dpr);
|
|
this.height = Math.round(h * dpr);
|
|
this.redraw = true;
|
|
if (this.wantFullscreenScalingQuality)
|
|
{
|
|
this.draw_width = this.width;
|
|
this.draw_height = this.height;
|
|
this.fullscreenScalingQuality = true;
|
|
}
|
|
else
|
|
{
|
|
if ((this.width < this.original_width && this.height < this.original_height) || mode === 1)
|
|
{
|
|
this.draw_width = this.width;
|
|
this.draw_height = this.height;
|
|
this.fullscreenScalingQuality = true;
|
|
}
|
|
else
|
|
{
|
|
this.draw_width = this.original_width;
|
|
this.draw_height = this.original_height;
|
|
this.fullscreenScalingQuality = false;
|
|
/*var orig_aspect = this.original_width / this.original_height;
|
|
var cur_aspect = this.width / this.height;
|
|
if ((this.fullscreen_mode !== 2 && cur_aspect > orig_aspect) || (this.fullscreen_mode === 2 && cur_aspect < orig_aspect))
|
|
this.aspect_scale = this.height / this.original_height;
|
|
else
|
|
this.aspect_scale = this.width / this.original_width;*/
|
|
if (mode === 2) // scale inner
|
|
{
|
|
orig_aspect = this.original_width / this.original_height;
|
|
cur_aspect = this.lastWindowWidth / this.lastWindowHeight;
|
|
if (cur_aspect < orig_aspect)
|
|
this.draw_width = this.draw_height * cur_aspect;
|
|
else if (cur_aspect > orig_aspect)
|
|
this.draw_height = this.draw_width / cur_aspect;
|
|
}
|
|
else if (mode === 3)
|
|
{
|
|
orig_aspect = this.original_width / this.original_height;
|
|
cur_aspect = this.lastWindowWidth / this.lastWindowHeight;
|
|
if (cur_aspect > orig_aspect)
|
|
this.draw_width = this.draw_height * cur_aspect;
|
|
else if (cur_aspect < orig_aspect)
|
|
this.draw_height = this.draw_width / cur_aspect;
|
|
}
|
|
}
|
|
}
|
|
if (this.canvasdiv && !this.isDomFree)
|
|
{
|
|
jQuery(this.canvasdiv).css({"width": Math.round(w) + "px",
|
|
"height": Math.round(h) + "px",
|
|
"margin-left": Math.floor(offx) + "px",
|
|
"margin-top": Math.floor(offy) + "px"});
|
|
if (typeof cr_is_preview !== "undefined")
|
|
{
|
|
jQuery("#borderwrap").css({"width": Math.round(w) + "px",
|
|
"height": Math.round(h) + "px"});
|
|
}
|
|
}
|
|
if (this.canvas)
|
|
{
|
|
this.canvas.width = Math.round(w * dpr);
|
|
this.canvas.height = Math.round(h * dpr);
|
|
if (this.isEjecta)
|
|
{
|
|
this.canvas.style.left = Math.floor(offx) + "px";
|
|
this.canvas.style.top = Math.floor(offy) + "px";
|
|
this.canvas.style.width = Math.round(w) + "px";
|
|
this.canvas.style.height = Math.round(h) + "px";
|
|
}
|
|
else if (this.isRetina && !this.isDomFree)
|
|
{
|
|
this.canvas.style.width = Math.round(w) + "px";
|
|
this.canvas.style.height = Math.round(h) + "px";
|
|
}
|
|
}
|
|
if (this.overlay_canvas)
|
|
{
|
|
this.overlay_canvas.width = Math.round(w * dpr);
|
|
this.overlay_canvas.height = Math.round(h * dpr);
|
|
this.overlay_canvas.style.width = this.cssWidth + "px";
|
|
this.overlay_canvas.style.height = this.cssHeight + "px";
|
|
}
|
|
if (this.glwrap)
|
|
{
|
|
this.glwrap.setSize(Math.round(w * dpr), Math.round(h * dpr));
|
|
}
|
|
if (this.isDirectCanvas && this.ctx)
|
|
{
|
|
this.ctx.width = Math.round(w);
|
|
this.ctx.height = Math.round(h);
|
|
}
|
|
if (this.ctx)
|
|
{
|
|
this.setCtxImageSmoothingEnabled(this.ctx, this.linearSampling);
|
|
}
|
|
this.tryLockOrientation();
|
|
if (this.isiPhone && !this.isCordova)
|
|
{
|
|
window.scrollTo(0, 0);
|
|
}
|
|
};
|
|
Runtime.prototype.tryLockOrientation = function ()
|
|
{
|
|
if (!this.autoLockOrientation || this.orientations === 0)
|
|
return;
|
|
var orientation = "portrait";
|
|
if (this.orientations === 2)
|
|
orientation = "landscape";
|
|
try {
|
|
if (screen["orientation"] && screen["orientation"]["lock"])
|
|
screen["orientation"]["lock"](orientation).catch(function(){});
|
|
else if (screen["lockOrientation"])
|
|
screen["lockOrientation"](orientation);
|
|
else if (screen["webkitLockOrientation"])
|
|
screen["webkitLockOrientation"](orientation);
|
|
else if (screen["mozLockOrientation"])
|
|
screen["mozLockOrientation"](orientation);
|
|
else if (screen["msLockOrientation"])
|
|
screen["msLockOrientation"](orientation);
|
|
}
|
|
catch (e)
|
|
{
|
|
if (console && console.warn)
|
|
console.warn("Failed to lock orientation: ", e);
|
|
}
|
|
};
|
|
Runtime.prototype.onContextLost = function ()
|
|
{
|
|
this.glwrap.contextLost();
|
|
this.is_WebGL_context_lost = true;
|
|
var i, len, t;
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
t = this.types_by_index[i];
|
|
if (t.onLostWebGLContext)
|
|
t.onLostWebGLContext();
|
|
}
|
|
};
|
|
Runtime.prototype.onContextRestored = function ()
|
|
{
|
|
this.is_WebGL_context_lost = false;
|
|
var i, len, t;
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
t = this.types_by_index[i];
|
|
if (t.onRestoreWebGLContext)
|
|
t.onRestoreWebGLContext();
|
|
}
|
|
};
|
|
Runtime.prototype.positionOverlayCanvas = function()
|
|
{
|
|
if (this.isDomFree)
|
|
return;
|
|
var isfullscreen = (document["mozFullScreen"] || document["webkitIsFullScreen"] || document["fullScreen"] || !!document["msFullscreenElement"] || this.isNodeFullscreen) && !this.isCordova;
|
|
var overlay_position = isfullscreen ? jQuery(this.canvas).offset() : jQuery(this.canvas).position();
|
|
overlay_position.position = "absolute";
|
|
jQuery(this.overlay_canvas).css(overlay_position);
|
|
};
|
|
var caf = window["cancelAnimationFrame"] ||
|
|
window["mozCancelAnimationFrame"] ||
|
|
window["webkitCancelAnimationFrame"] ||
|
|
window["msCancelAnimationFrame"] ||
|
|
window["oCancelAnimationFrame"];
|
|
Runtime.prototype["setSuspended"] = function (s)
|
|
{
|
|
var i, len;
|
|
var self = this;
|
|
if (s && !this.isSuspended)
|
|
{
|
|
cr.logexport("[Construct 2] Suspending");
|
|
this.isSuspended = true; // next tick will be last
|
|
if (this.raf_id !== -1 && caf) // note: CocoonJS does not implement cancelAnimationFrame
|
|
caf(this.raf_id);
|
|
if (this.timeout_id !== -1)
|
|
clearTimeout(this.timeout_id);
|
|
for (i = 0, len = this.suspend_events.length; i < len; i++)
|
|
this.suspend_events[i](true);
|
|
}
|
|
else if (!s && this.isSuspended)
|
|
{
|
|
cr.logexport("[Construct 2] Resuming");
|
|
this.isSuspended = false;
|
|
this.last_tick_time = cr.performance_now(); // ensure first tick is a zero-dt one
|
|
this.last_fps_time = cr.performance_now(); // reset FPS counter
|
|
this.framecount = 0;
|
|
this.logictime = 0;
|
|
for (i = 0, len = this.suspend_events.length; i < len; i++)
|
|
this.suspend_events[i](false);
|
|
this.tick(false); // kick off runtime again
|
|
}
|
|
};
|
|
Runtime.prototype.addSuspendCallback = function (f)
|
|
{
|
|
this.suspend_events.push(f);
|
|
};
|
|
Runtime.prototype.GetObjectReference = function (i)
|
|
{
|
|
;
|
|
return this.objectRefTable[i];
|
|
};
|
|
Runtime.prototype.loadProject = function (data_response)
|
|
{
|
|
;
|
|
if (!data_response || !data_response["project"])
|
|
cr.logerror("Project model unavailable");
|
|
var pm = data_response["project"];
|
|
this.name = pm[0];
|
|
this.first_layout = pm[1];
|
|
this.fullscreen_mode = pm[12]; // 0 = off, 1 = crop, 2 = scale inner, 3 = scale outer, 4 = letterbox scale, 5 = integer letterbox scale
|
|
this.fullscreen_mode_set = pm[12];
|
|
this.original_width = pm[10];
|
|
this.original_height = pm[11];
|
|
this.parallax_x_origin = this.original_width / 2;
|
|
this.parallax_y_origin = this.original_height / 2;
|
|
if (this.isDomFree && !this.isEjecta && (pm[12] >= 4 || pm[12] === 0))
|
|
{
|
|
cr.logexport("[Construct 2] Letterbox scale fullscreen modes are not supported on this platform - falling back to 'Scale outer'");
|
|
this.fullscreen_mode = 3;
|
|
this.fullscreen_mode_set = 3;
|
|
}
|
|
this.uses_loader_layout = pm[18];
|
|
this.loaderstyle = pm[19];
|
|
if (this.loaderstyle === 0)
|
|
{
|
|
var loaderImage = new Image();
|
|
loaderImage.crossOrigin = "anonymous";
|
|
this.setImageSrc(loaderImage, "loading-logo.png");
|
|
this.loaderlogos = {
|
|
logo: loaderImage
|
|
};
|
|
}
|
|
else if (this.loaderstyle === 4) // c2 splash
|
|
{
|
|
var loaderC2logo_1024 = new Image();
|
|
loaderC2logo_1024.src = "";
|
|
var loaderC2logo_512 = new Image();
|
|
loaderC2logo_512.src = "";
|
|
var loaderC2logo_256 = new Image();
|
|
loaderC2logo_256.src = "";
|
|
var loaderC2logo_128 = new Image();
|
|
loaderC2logo_128.src = "";
|
|
var loaderPowered_1024 = new Image();
|
|
loaderPowered_1024.src = "";
|
|
var loaderPowered_512 = new Image();
|
|
loaderPowered_512.src = "";
|
|
var loaderPowered_256 = new Image();
|
|
loaderPowered_256.src = "";
|
|
var loaderPowered_128 = new Image();
|
|
loaderPowered_128.src = "";
|
|
var loaderWebsite_1024 = new Image();
|
|
loaderWebsite_1024.src = "";
|
|
var loaderWebsite_512 = new Image();
|
|
loaderWebsite_512.src = "";
|
|
var loaderWebsite_256 = new Image();
|
|
loaderWebsite_256.src = "";
|
|
var loaderWebsite_128 = new Image();
|
|
loaderWebsite_128.src = "";
|
|
this.loaderlogos = {
|
|
logo: [loaderC2logo_1024, loaderC2logo_512, loaderC2logo_256, loaderC2logo_128],
|
|
powered: [loaderPowered_1024, loaderPowered_512, loaderPowered_256, loaderPowered_128],
|
|
website: [loaderWebsite_1024, loaderWebsite_512, loaderWebsite_256, loaderWebsite_128]
|
|
};
|
|
}
|
|
this.next_uid = pm[21];
|
|
this.objectRefTable = cr.getObjectRefTable();
|
|
this.system = new cr.system_object(this);
|
|
var i, len, j, lenj, k, lenk, idstr, m, b, t, f, p;
|
|
var plugin, plugin_ctor;
|
|
for (i = 0, len = pm[2].length; i < len; i++)
|
|
{
|
|
m = pm[2][i];
|
|
p = this.GetObjectReference(m[0]);
|
|
;
|
|
cr.add_common_aces(m, p.prototype);
|
|
plugin = new p(this);
|
|
plugin.singleglobal = m[1];
|
|
plugin.is_world = m[2];
|
|
plugin.is_rotatable = m[5];
|
|
plugin.must_predraw = m[9];
|
|
if (plugin.onCreate)
|
|
plugin.onCreate(); // opportunity to override default ACEs
|
|
cr.seal(plugin);
|
|
this.plugins.push(plugin);
|
|
}
|
|
this.objectRefTable = cr.getObjectRefTable();
|
|
for (i = 0, len = pm[3].length; i < len; i++)
|
|
{
|
|
m = pm[3][i];
|
|
plugin_ctor = this.GetObjectReference(m[1]);
|
|
;
|
|
plugin = null;
|
|
for (j = 0, lenj = this.plugins.length; j < lenj; j++)
|
|
{
|
|
if (this.plugins[j] instanceof plugin_ctor)
|
|
{
|
|
plugin = this.plugins[j];
|
|
break;
|
|
}
|
|
}
|
|
;
|
|
;
|
|
var type_inst = new plugin.Type(plugin);
|
|
;
|
|
type_inst.name = m[0];
|
|
type_inst.is_family = m[2];
|
|
type_inst.instvar_sids = m[3].slice(0);
|
|
type_inst.vars_count = m[3].length;
|
|
type_inst.behs_count = m[4];
|
|
type_inst.fx_count = m[5];
|
|
type_inst.sid = m[11];
|
|
if (type_inst.is_family)
|
|
{
|
|
type_inst.members = []; // types in this family
|
|
type_inst.family_index = this.family_count++;
|
|
type_inst.families = null;
|
|
}
|
|
else
|
|
{
|
|
type_inst.members = null;
|
|
type_inst.family_index = -1;
|
|
type_inst.families = []; // families this type belongs to
|
|
}
|
|
type_inst.family_var_map = null;
|
|
type_inst.family_beh_map = null;
|
|
type_inst.family_fx_map = null;
|
|
type_inst.is_contained = false;
|
|
type_inst.container = null;
|
|
if (m[6])
|
|
{
|
|
type_inst.texture_file = m[6][0];
|
|
type_inst.texture_filesize = m[6][1];
|
|
type_inst.texture_pixelformat = m[6][2];
|
|
}
|
|
else
|
|
{
|
|
type_inst.texture_file = null;
|
|
type_inst.texture_filesize = 0;
|
|
type_inst.texture_pixelformat = 0; // rgba8
|
|
}
|
|
if (m[7])
|
|
{
|
|
type_inst.animations = m[7];
|
|
}
|
|
else
|
|
{
|
|
type_inst.animations = null;
|
|
}
|
|
type_inst.index = i; // save index in to types array in type
|
|
type_inst.instances = []; // all instances of this type
|
|
type_inst.deadCache = []; // destroyed instances to recycle next create
|
|
type_inst.solstack = [new cr.selection(type_inst)]; // initialise SOL stack with one empty SOL
|
|
type_inst.cur_sol = 0;
|
|
type_inst.default_instance = null;
|
|
type_inst.default_layerindex = 0;
|
|
type_inst.stale_iids = true;
|
|
type_inst.updateIIDs = cr.type_updateIIDs;
|
|
type_inst.getFirstPicked = cr.type_getFirstPicked;
|
|
type_inst.getPairedInstance = cr.type_getPairedInstance;
|
|
type_inst.getCurrentSol = cr.type_getCurrentSol;
|
|
type_inst.pushCleanSol = cr.type_pushCleanSol;
|
|
type_inst.pushCopySol = cr.type_pushCopySol;
|
|
type_inst.popSol = cr.type_popSol;
|
|
type_inst.getBehaviorByName = cr.type_getBehaviorByName;
|
|
type_inst.getBehaviorIndexByName = cr.type_getBehaviorIndexByName;
|
|
type_inst.getEffectIndexByName = cr.type_getEffectIndexByName;
|
|
type_inst.applySolToContainer = cr.type_applySolToContainer;
|
|
type_inst.getInstanceByIID = cr.type_getInstanceByIID;
|
|
type_inst.collision_grid = new cr.SparseGrid(this.original_width, this.original_height);
|
|
type_inst.any_cell_changed = true;
|
|
type_inst.any_instance_parallaxed = false;
|
|
type_inst.extra = {};
|
|
type_inst.toString = cr.type_toString;
|
|
type_inst.behaviors = [];
|
|
for (j = 0, lenj = m[8].length; j < lenj; j++)
|
|
{
|
|
b = m[8][j];
|
|
var behavior_ctor = this.GetObjectReference(b[1]);
|
|
var behavior_plugin = null;
|
|
for (k = 0, lenk = this.behaviors.length; k < lenk; k++)
|
|
{
|
|
if (this.behaviors[k] instanceof behavior_ctor)
|
|
{
|
|
behavior_plugin = this.behaviors[k];
|
|
break;
|
|
}
|
|
}
|
|
if (!behavior_plugin)
|
|
{
|
|
behavior_plugin = new behavior_ctor(this);
|
|
behavior_plugin.my_types = []; // types using this behavior
|
|
behavior_plugin.my_instances = new cr.ObjectSet(); // instances of this behavior
|
|
if (behavior_plugin.onCreate)
|
|
behavior_plugin.onCreate();
|
|
cr.seal(behavior_plugin);
|
|
this.behaviors.push(behavior_plugin);
|
|
if (cr.behaviors.solid && behavior_plugin instanceof cr.behaviors.solid)
|
|
this.solidBehavior = behavior_plugin;
|
|
if (cr.behaviors.jumpthru && behavior_plugin instanceof cr.behaviors.jumpthru)
|
|
this.jumpthruBehavior = behavior_plugin;
|
|
if (cr.behaviors.shadowcaster && behavior_plugin instanceof cr.behaviors.shadowcaster)
|
|
this.shadowcasterBehavior = behavior_plugin;
|
|
}
|
|
if (behavior_plugin.my_types.indexOf(type_inst) === -1)
|
|
behavior_plugin.my_types.push(type_inst);
|
|
var behavior_type = new behavior_plugin.Type(behavior_plugin, type_inst);
|
|
behavior_type.name = b[0];
|
|
behavior_type.sid = b[2];
|
|
behavior_type.onCreate();
|
|
cr.seal(behavior_type);
|
|
type_inst.behaviors.push(behavior_type);
|
|
}
|
|
type_inst.global = m[9];
|
|
type_inst.isOnLoaderLayout = m[10];
|
|
type_inst.effect_types = [];
|
|
for (j = 0, lenj = m[12].length; j < lenj; j++)
|
|
{
|
|
type_inst.effect_types.push({
|
|
id: m[12][j][0],
|
|
name: m[12][j][1],
|
|
shaderindex: -1,
|
|
preservesOpaqueness: false,
|
|
active: true,
|
|
index: j
|
|
});
|
|
}
|
|
type_inst.tile_poly_data = m[13];
|
|
if (!this.uses_loader_layout || type_inst.is_family || type_inst.isOnLoaderLayout || !plugin.is_world)
|
|
{
|
|
type_inst.onCreate();
|
|
cr.seal(type_inst);
|
|
}
|
|
if (type_inst.name)
|
|
this.types[type_inst.name] = type_inst;
|
|
this.types_by_index.push(type_inst);
|
|
if (plugin.singleglobal)
|
|
{
|
|
var instance = new plugin.Instance(type_inst);
|
|
instance.uid = this.next_uid++;
|
|
instance.puid = this.next_puid++;
|
|
instance.iid = 0;
|
|
instance.get_iid = cr.inst_get_iid;
|
|
instance.toString = cr.inst_toString;
|
|
instance.properties = m[14];
|
|
instance.onCreate();
|
|
cr.seal(instance);
|
|
type_inst.instances.push(instance);
|
|
this.objectsByUid[instance.uid.toString()] = instance;
|
|
}
|
|
}
|
|
for (i = 0, len = pm[4].length; i < len; i++)
|
|
{
|
|
var familydata = pm[4][i];
|
|
var familytype = this.types_by_index[familydata[0]];
|
|
var familymember;
|
|
for (j = 1, lenj = familydata.length; j < lenj; j++)
|
|
{
|
|
familymember = this.types_by_index[familydata[j]];
|
|
familymember.families.push(familytype);
|
|
familytype.members.push(familymember);
|
|
}
|
|
}
|
|
for (i = 0, len = pm[28].length; i < len; i++)
|
|
{
|
|
var containerdata = pm[28][i];
|
|
var containertypes = [];
|
|
for (j = 0, lenj = containerdata.length; j < lenj; j++)
|
|
containertypes.push(this.types_by_index[containerdata[j]]);
|
|
for (j = 0, lenj = containertypes.length; j < lenj; j++)
|
|
{
|
|
containertypes[j].is_contained = true;
|
|
containertypes[j].container = containertypes;
|
|
}
|
|
}
|
|
if (this.family_count > 0)
|
|
{
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
t = this.types_by_index[i];
|
|
if (t.is_family || !t.families.length)
|
|
continue;
|
|
t.family_var_map = new Array(this.family_count);
|
|
t.family_beh_map = new Array(this.family_count);
|
|
t.family_fx_map = new Array(this.family_count);
|
|
var all_fx = [];
|
|
var varsum = 0;
|
|
var behsum = 0;
|
|
var fxsum = 0;
|
|
for (j = 0, lenj = t.families.length; j < lenj; j++)
|
|
{
|
|
f = t.families[j];
|
|
t.family_var_map[f.family_index] = varsum;
|
|
varsum += f.vars_count;
|
|
t.family_beh_map[f.family_index] = behsum;
|
|
behsum += f.behs_count;
|
|
t.family_fx_map[f.family_index] = fxsum;
|
|
fxsum += f.fx_count;
|
|
for (k = 0, lenk = f.effect_types.length; k < lenk; k++)
|
|
all_fx.push(cr.shallowCopy({}, f.effect_types[k]));
|
|
}
|
|
t.effect_types = all_fx.concat(t.effect_types);
|
|
for (j = 0, lenj = t.effect_types.length; j < lenj; j++)
|
|
t.effect_types[j].index = j;
|
|
}
|
|
}
|
|
for (i = 0, len = pm[5].length; i < len; i++)
|
|
{
|
|
m = pm[5][i];
|
|
var layout = new cr.layout(this, m);
|
|
cr.seal(layout);
|
|
this.layouts[layout.name] = layout;
|
|
this.layouts_by_index.push(layout);
|
|
}
|
|
for (i = 0, len = pm[6].length; i < len; i++)
|
|
{
|
|
m = pm[6][i];
|
|
var sheet = new cr.eventsheet(this, m);
|
|
cr.seal(sheet);
|
|
this.eventsheets[sheet.name] = sheet;
|
|
this.eventsheets_by_index.push(sheet);
|
|
}
|
|
for (i = 0, len = this.eventsheets_by_index.length; i < len; i++)
|
|
this.eventsheets_by_index[i].postInit();
|
|
for (i = 0, len = this.eventsheets_by_index.length; i < len; i++)
|
|
this.eventsheets_by_index[i].updateDeepIncludes();
|
|
for (i = 0, len = this.triggers_to_postinit.length; i < len; i++)
|
|
this.triggers_to_postinit[i].postInit();
|
|
cr.clearArray(this.triggers_to_postinit)
|
|
this.audio_to_preload = pm[7];
|
|
this.files_subfolder = pm[8];
|
|
this.pixel_rounding = pm[9];
|
|
this.aspect_scale = 1.0;
|
|
this.enableWebGL = pm[13];
|
|
this.linearSampling = pm[14];
|
|
this.clearBackground = pm[15];
|
|
this.versionstr = pm[16];
|
|
this.useHighDpi = pm[17];
|
|
this.orientations = pm[20]; // 0 = any, 1 = portrait, 2 = landscape
|
|
this.autoLockOrientation = (this.orientations > 0);
|
|
this.pauseOnBlur = pm[22];
|
|
this.wantFullscreenScalingQuality = pm[23]; // false = low quality, true = high quality
|
|
this.fullscreenScalingQuality = this.wantFullscreenScalingQuality;
|
|
this.downscalingQuality = pm[24]; // 0 = low (mips off), 1 = medium (mips on, dense spritesheet), 2 = high (mips on, sparse spritesheet)
|
|
this.preloadSounds = pm[25]; // 0 = no, 1 = yes
|
|
this.projectName = pm[26];
|
|
this.enableFrontToBack = pm[27] && !this.isIE; // front-to-back renderer disabled in IE (but not Edge)
|
|
this.start_time = Date.now();
|
|
cr.clearArray(this.objectRefTable);
|
|
this.initRendererAndLoader();
|
|
};
|
|
var anyImageHadError = false;
|
|
var MAX_PARALLEL_IMAGE_LOADS = 100;
|
|
var currentlyActiveImageLoads = 0;
|
|
var imageLoadQueue = []; // array of [img, srcToSet]
|
|
Runtime.prototype.queueImageLoad = function (img_, src_)
|
|
{
|
|
var self = this;
|
|
var doneFunc = function ()
|
|
{
|
|
currentlyActiveImageLoads--;
|
|
self.maybeLoadNextImages();
|
|
};
|
|
img_.addEventListener("load", doneFunc);
|
|
img_.addEventListener("error", doneFunc);
|
|
imageLoadQueue.push([img_, src_]);
|
|
this.maybeLoadNextImages();
|
|
};
|
|
Runtime.prototype.maybeLoadNextImages = function ()
|
|
{
|
|
var next;
|
|
while (imageLoadQueue.length && currentlyActiveImageLoads < MAX_PARALLEL_IMAGE_LOADS)
|
|
{
|
|
currentlyActiveImageLoads++;
|
|
next = imageLoadQueue.shift();
|
|
this.setImageSrc(next[0], next[1]);
|
|
}
|
|
};
|
|
Runtime.prototype.waitForImageLoad = function (img_, src_)
|
|
{
|
|
img_["cocoonLazyLoad"] = true;
|
|
img_.onerror = function (e)
|
|
{
|
|
img_.c2error = true;
|
|
anyImageHadError = true;
|
|
if (console && console.error)
|
|
console.error("Error loading image '" + img_.src + "': ", e);
|
|
};
|
|
if (this.isEjecta)
|
|
{
|
|
img_.src = src_;
|
|
}
|
|
else if (!img_.src)
|
|
{
|
|
if (typeof XAPKReader !== "undefined")
|
|
{
|
|
XAPKReader.get(src_, function (expanded_url)
|
|
{
|
|
img_.src = expanded_url;
|
|
}, function (e)
|
|
{
|
|
img_.c2error = true;
|
|
anyImageHadError = true;
|
|
if (console && console.error)
|
|
console.error("Error extracting image '" + src_ + "' from expansion file: ", e);
|
|
});
|
|
}
|
|
else
|
|
{
|
|
img_.crossOrigin = "anonymous"; // required for Arcade sandbox compatibility
|
|
this.queueImageLoad(img_, src_); // use a queue to avoid requesting all images simultaneously
|
|
}
|
|
}
|
|
this.wait_for_textures.push(img_);
|
|
};
|
|
Runtime.prototype.findWaitingTexture = function (src_)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.wait_for_textures.length; i < len; i++)
|
|
{
|
|
if (this.wait_for_textures[i].cr_src === src_)
|
|
return this.wait_for_textures[i];
|
|
}
|
|
return null;
|
|
};
|
|
var audio_preload_totalsize = 0;
|
|
var audio_preload_started = false;
|
|
Runtime.prototype.getready = function ()
|
|
{
|
|
if (!this.audioInstance)
|
|
return;
|
|
audio_preload_totalsize = this.audioInstance.setPreloadList(this.audio_to_preload);
|
|
};
|
|
Runtime.prototype.areAllTexturesAndSoundsLoaded = function ()
|
|
{
|
|
var totalsize = audio_preload_totalsize;
|
|
var completedsize = 0;
|
|
var audiocompletedsize = 0;
|
|
var ret = true;
|
|
var i, len, img;
|
|
for (i = 0, len = this.wait_for_textures.length; i < len; i++)
|
|
{
|
|
img = this.wait_for_textures[i];
|
|
var filesize = img.cr_filesize;
|
|
if (!filesize || filesize <= 0)
|
|
filesize = 50000;
|
|
totalsize += filesize;
|
|
if (!!img.src && (img.complete || img["loaded"]) && !img.c2error)
|
|
completedsize += filesize;
|
|
else
|
|
ret = false; // not all textures loaded
|
|
}
|
|
if (ret && this.preloadSounds && this.audioInstance)
|
|
{
|
|
if (!audio_preload_started)
|
|
{
|
|
this.audioInstance.startPreloads();
|
|
audio_preload_started = true;
|
|
}
|
|
audiocompletedsize = this.audioInstance.getPreloadedSize();
|
|
completedsize += audiocompletedsize;
|
|
if (audiocompletedsize < audio_preload_totalsize)
|
|
ret = false; // not done yet
|
|
}
|
|
if (totalsize == 0)
|
|
this.progress = 1; // indicate to C2 splash loader that it can finish now
|
|
else
|
|
this.progress = (completedsize / totalsize);
|
|
return ret;
|
|
};
|
|
var isC2SplashDone = false;
|
|
Runtime.prototype.go = function ()
|
|
{
|
|
if (!this.ctx && !this.glwrap)
|
|
return;
|
|
var ctx = this.ctx || this.overlay_ctx;
|
|
if (this.overlay_canvas)
|
|
this.positionOverlayCanvas();
|
|
var curwidth = window.innerWidth;
|
|
var curheight = window.innerHeight;
|
|
if (this.lastWindowWidth !== curwidth || this.lastWindowHeight !== curheight)
|
|
{
|
|
this["setSize"](curwidth, curheight);
|
|
}
|
|
this.progress = 0;
|
|
this.last_progress = -1;
|
|
var self = this;
|
|
if (this.areAllTexturesAndSoundsLoaded() && (this.loaderstyle !== 4 || isC2SplashDone))
|
|
{
|
|
this.go_loading_finished();
|
|
}
|
|
else
|
|
{
|
|
var ms_elapsed = Date.now() - this.start_time;
|
|
if (ctx)
|
|
{
|
|
var overlay_width = this.width;
|
|
var overlay_height = this.height;
|
|
var dpr = this.devicePixelRatio;
|
|
if (this.loaderstyle < 3 && (this.isCocoonJs || (ms_elapsed >= 500 && this.last_progress != this.progress)))
|
|
{
|
|
ctx.clearRect(0, 0, overlay_width, overlay_height);
|
|
var mx = overlay_width / 2;
|
|
var my = overlay_height / 2;
|
|
var haslogo = (this.loaderstyle === 0 && this.loaderlogos.logo.complete);
|
|
var hlw = 40 * dpr;
|
|
var hlh = 0;
|
|
var logowidth = 80 * dpr;
|
|
var logoheight;
|
|
if (haslogo)
|
|
{
|
|
var loaderLogoImage = this.loaderlogos.logo;
|
|
logowidth = loaderLogoImage.width * dpr;
|
|
logoheight = loaderLogoImage.height * dpr;
|
|
hlw = logowidth / 2;
|
|
hlh = logoheight / 2;
|
|
ctx.drawImage(loaderLogoImage, cr.floor(mx - hlw), cr.floor(my - hlh), logowidth, logoheight);
|
|
}
|
|
if (this.loaderstyle <= 1)
|
|
{
|
|
my += hlh + (haslogo ? 12 * dpr : 0);
|
|
mx -= hlw;
|
|
mx = cr.floor(mx) + 0.5;
|
|
my = cr.floor(my) + 0.5;
|
|
ctx.fillStyle = anyImageHadError ? "red" : "DodgerBlue";
|
|
ctx.fillRect(mx, my, Math.floor(logowidth * this.progress), 6 * dpr);
|
|
ctx.strokeStyle = "black";
|
|
ctx.strokeRect(mx, my, logowidth, 6 * dpr);
|
|
ctx.strokeStyle = "white";
|
|
ctx.strokeRect(mx - 1 * dpr, my - 1 * dpr, logowidth + 2 * dpr, 8 * dpr);
|
|
}
|
|
else if (this.loaderstyle === 2)
|
|
{
|
|
ctx.font = (this.isEjecta ? "12pt ArialMT" : "12pt Arial");
|
|
ctx.fillStyle = anyImageHadError ? "#f00" : "#999";
|
|
ctx.textBaseLine = "middle";
|
|
var percent_text = Math.round(this.progress * 100) + "%";
|
|
var text_dim = ctx.measureText ? ctx.measureText(percent_text) : null;
|
|
var text_width = text_dim ? text_dim.width : 0;
|
|
ctx.fillText(percent_text, mx - (text_width / 2), my);
|
|
}
|
|
this.last_progress = this.progress;
|
|
}
|
|
else if (this.loaderstyle === 4)
|
|
{
|
|
this.draw_c2_splash_loader(ctx);
|
|
if (raf)
|
|
raf(function() { self.go(); });
|
|
else
|
|
setTimeout(function() { self.go(); }, 16);
|
|
return;
|
|
}
|
|
}
|
|
setTimeout(function() { self.go(); }, (this.isCocoonJs ? 10 : 100));
|
|
}
|
|
};
|
|
var splashStartTime = -1;
|
|
var splashFadeInDuration = 300;
|
|
var splashFadeOutDuration = 300;
|
|
var splashAfterFadeOutWait = (typeof cr_is_preview === "undefined" ? 200 : 0);
|
|
var splashIsFadeIn = true;
|
|
var splashIsFadeOut = false;
|
|
var splashFadeInFinish = 0;
|
|
var splashFadeOutStart = 0;
|
|
var splashMinDisplayTime = (typeof cr_is_preview === "undefined" ? 3000 : 0);
|
|
var renderViaCanvas = null;
|
|
var renderViaCtx = null;
|
|
var splashFrameNumber = 0;
|
|
function maybeCreateRenderViaCanvas(w, h)
|
|
{
|
|
if (!renderViaCanvas || renderViaCanvas.width !== w || renderViaCanvas.height !== h)
|
|
{
|
|
renderViaCanvas = document.createElement("canvas");
|
|
renderViaCanvas.width = w;
|
|
renderViaCanvas.height = h;
|
|
renderViaCtx = renderViaCanvas.getContext("2d");
|
|
}
|
|
};
|
|
function mipImage(arr, size)
|
|
{
|
|
if (size <= 128)
|
|
return arr[3];
|
|
else if (size <= 256)
|
|
return arr[2];
|
|
else if (size <= 512)
|
|
return arr[1];
|
|
else
|
|
return arr[0];
|
|
};
|
|
Runtime.prototype.draw_c2_splash_loader = function(ctx)
|
|
{
|
|
if (isC2SplashDone)
|
|
return;
|
|
var w = Math.ceil(this.width);
|
|
var h = Math.ceil(this.height);
|
|
var dpr = this.devicePixelRatio;
|
|
var logoimages = this.loaderlogos.logo;
|
|
var poweredimages = this.loaderlogos.powered;
|
|
var websiteimages = this.loaderlogos.website;
|
|
for (var i = 0; i < 4; ++i)
|
|
{
|
|
if (!logoimages[i].complete || !poweredimages[i].complete || !websiteimages[i].complete)
|
|
return;
|
|
}
|
|
if (splashFrameNumber === 0)
|
|
splashStartTime = Date.now();
|
|
var nowTime = Date.now();
|
|
var isRenderingVia = false;
|
|
var renderToCtx = ctx;
|
|
var drawW, drawH;
|
|
if (splashIsFadeIn || splashIsFadeOut)
|
|
{
|
|
ctx.clearRect(0, 0, w, h);
|
|
maybeCreateRenderViaCanvas(w, h);
|
|
renderToCtx = renderViaCtx;
|
|
isRenderingVia = true;
|
|
if (splashIsFadeIn && splashFrameNumber === 1)
|
|
splashStartTime = Date.now();
|
|
}
|
|
else
|
|
{
|
|
ctx.globalAlpha = 1;
|
|
}
|
|
renderToCtx.fillStyle = "#333333";
|
|
renderToCtx.fillRect(0, 0, w, h);
|
|
if (this.cssHeight > 256)
|
|
{
|
|
drawW = cr.clamp(h * 0.22, 105, w * 0.6);
|
|
drawH = drawW * 0.25;
|
|
renderToCtx.drawImage(mipImage(poweredimages, drawW), w * 0.5 - drawW/2, h * 0.2 - drawH/2, drawW, drawH);
|
|
drawW = Math.min(h * 0.395, w * 0.95);
|
|
drawH = drawW;
|
|
renderToCtx.drawImage(mipImage(logoimages, drawW), w * 0.5 - drawW/2, h * 0.485 - drawH/2, drawW, drawH);
|
|
drawW = cr.clamp(h * 0.22, 105, w * 0.6);
|
|
drawH = drawW * 0.25;
|
|
renderToCtx.drawImage(mipImage(websiteimages, drawW), w * 0.5 - drawW/2, h * 0.868 - drawH/2, drawW, drawH);
|
|
renderToCtx.fillStyle = "#3C3C3C";
|
|
drawW = w;
|
|
drawH = Math.max(h * 0.005, 2);
|
|
renderToCtx.fillRect(0, h * 0.8 - drawH/2, drawW, drawH);
|
|
renderToCtx.fillStyle = anyImageHadError ? "red" : "#E0FF65";
|
|
drawW = w * this.progress;
|
|
renderToCtx.fillRect(w * 0.5 - drawW/2, h * 0.8 - drawH/2, drawW, drawH);
|
|
}
|
|
else
|
|
{
|
|
drawW = h * 0.55;
|
|
drawH = drawW;
|
|
renderToCtx.drawImage(mipImage(logoimages, drawW), w * 0.5 - drawW/2, h * 0.45 - drawH/2, drawW, drawH);
|
|
renderToCtx.fillStyle = "#3C3C3C";
|
|
drawW = w;
|
|
drawH = Math.max(h * 0.005, 2);
|
|
renderToCtx.fillRect(0, h * 0.85 - drawH/2, drawW, drawH);
|
|
renderToCtx.fillStyle = anyImageHadError ? "red" : "#E0FF65";
|
|
drawW = w * this.progress;
|
|
renderToCtx.fillRect(w * 0.5 - drawW/2, h * 0.85 - drawH/2, drawW, drawH);
|
|
}
|
|
if (isRenderingVia)
|
|
{
|
|
if (splashIsFadeIn)
|
|
{
|
|
if (splashFrameNumber === 0)
|
|
ctx.globalAlpha = 0;
|
|
else
|
|
ctx.globalAlpha = Math.min((nowTime - splashStartTime) / splashFadeInDuration, 1);
|
|
}
|
|
else if (splashIsFadeOut)
|
|
{
|
|
ctx.globalAlpha = Math.max(1 - (nowTime - splashFadeOutStart) / splashFadeOutDuration, 0);
|
|
}
|
|
ctx.drawImage(renderViaCanvas, 0, 0, w, h);
|
|
}
|
|
if (splashIsFadeIn && nowTime - splashStartTime >= splashFadeInDuration && splashFrameNumber >= 2)
|
|
{
|
|
splashIsFadeIn = false;
|
|
splashFadeInFinish = nowTime;
|
|
}
|
|
if (!splashIsFadeIn && nowTime - splashFadeInFinish >= splashMinDisplayTime && !splashIsFadeOut && this.progress >= 1)
|
|
{
|
|
splashIsFadeOut = true;
|
|
splashFadeOutStart = nowTime;
|
|
}
|
|
if ((splashIsFadeOut && nowTime - splashFadeOutStart >= splashFadeOutDuration + splashAfterFadeOutWait) ||
|
|
(typeof cr_is_preview !== "undefined" && this.progress >= 1 && Date.now() - splashStartTime < 500))
|
|
{
|
|
isC2SplashDone = true;
|
|
splashIsFadeIn = false;
|
|
splashIsFadeOut = false;
|
|
renderViaCanvas = null;
|
|
renderViaCtx = null;
|
|
this.loaderlogos = null;
|
|
}
|
|
++splashFrameNumber;
|
|
};
|
|
Runtime.prototype.go_loading_finished = function ()
|
|
{
|
|
if (this.overlay_canvas)
|
|
{
|
|
this.canvas.parentNode.removeChild(this.overlay_canvas);
|
|
this.overlay_ctx = null;
|
|
this.overlay_canvas = null;
|
|
}
|
|
this.start_time = Date.now();
|
|
this.last_fps_time = cr.performance_now(); // for counting framerate
|
|
var i, len, t;
|
|
if (this.uses_loader_layout)
|
|
{
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
t = this.types_by_index[i];
|
|
if (!t.is_family && !t.isOnLoaderLayout && t.plugin.is_world)
|
|
{
|
|
t.onCreate();
|
|
cr.seal(t);
|
|
}
|
|
}
|
|
}
|
|
else
|
|
this.isloading = false;
|
|
for (i = 0, len = this.layouts_by_index.length; i < len; i++)
|
|
{
|
|
this.layouts_by_index[i].createGlobalNonWorlds();
|
|
}
|
|
if (this.fullscreen_mode >= 2)
|
|
{
|
|
var orig_aspect = this.original_width / this.original_height;
|
|
var cur_aspect = this.width / this.height;
|
|
if ((this.fullscreen_mode !== 2 && cur_aspect > orig_aspect) || (this.fullscreen_mode === 2 && cur_aspect < orig_aspect))
|
|
this.aspect_scale = this.height / this.original_height;
|
|
else
|
|
this.aspect_scale = this.width / this.original_width;
|
|
}
|
|
if (this.first_layout)
|
|
this.layouts[this.first_layout].startRunning();
|
|
else
|
|
this.layouts_by_index[0].startRunning();
|
|
;
|
|
if (!this.uses_loader_layout)
|
|
{
|
|
this.loadingprogress = 1;
|
|
this.trigger(cr.system_object.prototype.cnds.OnLoadFinished, null);
|
|
if (window["C2_RegisterSW"]) // note not all platforms use SW
|
|
window["C2_RegisterSW"]();
|
|
}
|
|
if (navigator["splashscreen"] && navigator["splashscreen"]["hide"])
|
|
navigator["splashscreen"]["hide"]();
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
t = this.types_by_index[i];
|
|
if (t.onAppBegin)
|
|
t.onAppBegin();
|
|
}
|
|
if (document["hidden"] || document["webkitHidden"] || document["mozHidden"] || document["msHidden"])
|
|
{
|
|
window["cr_setSuspended"](true); // stop rendering
|
|
}
|
|
else
|
|
{
|
|
this.tick(false);
|
|
}
|
|
if (this.isDirectCanvas)
|
|
AppMobi["webview"]["execute"]("onGameReady();");
|
|
};
|
|
Runtime.prototype.tick = function (background_wake, timestamp, debug_step)
|
|
{
|
|
if (!this.running_layout)
|
|
return;
|
|
var nowtime = cr.performance_now();
|
|
var logic_start = nowtime;
|
|
if (!debug_step && this.isSuspended && !background_wake)
|
|
return;
|
|
if (!background_wake)
|
|
{
|
|
if (raf)
|
|
this.raf_id = raf(this.tickFunc);
|
|
else
|
|
{
|
|
this.timeout_id = setTimeout(this.tickFunc, this.isMobile ? 1 : 16);
|
|
}
|
|
}
|
|
var raf_time = timestamp || nowtime;
|
|
var fsmode = this.fullscreen_mode;
|
|
var isfullscreen = (document["mozFullScreen"] || document["webkitIsFullScreen"] || document["fullScreen"] || !!document["msFullscreenElement"]) && !this.isCordova;
|
|
if ((isfullscreen || this.isNodeFullscreen) && this.fullscreen_scaling > 0)
|
|
fsmode = this.fullscreen_scaling;
|
|
if (fsmode > 0) // r222: experimentally enabling this workaround for all platforms
|
|
{
|
|
var curwidth = window.innerWidth;
|
|
var curheight = window.innerHeight;
|
|
if (this.lastWindowWidth !== curwidth || this.lastWindowHeight !== curheight)
|
|
{
|
|
this["setSize"](curwidth, curheight);
|
|
}
|
|
}
|
|
if (!this.isDomFree)
|
|
{
|
|
if (isfullscreen)
|
|
{
|
|
if (!this.firstInFullscreen)
|
|
this.firstInFullscreen = true;
|
|
}
|
|
else
|
|
{
|
|
if (this.firstInFullscreen)
|
|
{
|
|
this.firstInFullscreen = false;
|
|
if (this.fullscreen_mode === 0)
|
|
{
|
|
this["setSize"](Math.round(this.oldWidth / this.devicePixelRatio), Math.round(this.oldHeight / this.devicePixelRatio), true);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
this.oldWidth = this.width;
|
|
this.oldHeight = this.height;
|
|
}
|
|
}
|
|
}
|
|
if (this.isloading)
|
|
{
|
|
var done = this.areAllTexturesAndSoundsLoaded(); // updates this.progress
|
|
this.loadingprogress = this.progress;
|
|
if (done)
|
|
{
|
|
this.isloading = false;
|
|
this.progress = 1;
|
|
this.trigger(cr.system_object.prototype.cnds.OnLoadFinished, null);
|
|
if (window["C2_RegisterSW"])
|
|
window["C2_RegisterSW"]();
|
|
}
|
|
}
|
|
this.logic(raf_time);
|
|
if ((this.redraw || this.isCocoonJs) && !this.is_WebGL_context_lost && !this.suspendDrawing && !background_wake)
|
|
{
|
|
this.redraw = false;
|
|
if (this.glwrap)
|
|
this.drawGL();
|
|
else
|
|
this.draw();
|
|
if (this.snapshotCanvas)
|
|
{
|
|
if (this.canvas && this.canvas.toDataURL)
|
|
{
|
|
this.snapshotData = this.canvas.toDataURL(this.snapshotCanvas[0], this.snapshotCanvas[1]);
|
|
if (window["cr_onSnapshot"])
|
|
window["cr_onSnapshot"](this.snapshotData);
|
|
this.trigger(cr.system_object.prototype.cnds.OnCanvasSnapshot, null);
|
|
}
|
|
this.snapshotCanvas = null;
|
|
}
|
|
}
|
|
if (!this.hit_breakpoint)
|
|
{
|
|
this.tickcount++;
|
|
this.tickcount_nosave++;
|
|
this.execcount++;
|
|
this.framecount++;
|
|
}
|
|
this.logictime += cr.performance_now() - logic_start;
|
|
};
|
|
Runtime.prototype.logic = function (cur_time)
|
|
{
|
|
var i, leni, j, lenj, k, lenk, type, inst, binst;
|
|
if (cur_time - this.last_fps_time >= 1000) // every 1 second
|
|
{
|
|
this.last_fps_time += 1000;
|
|
if (cur_time - this.last_fps_time >= 1000)
|
|
this.last_fps_time = cur_time;
|
|
this.fps = this.framecount;
|
|
this.framecount = 0;
|
|
this.cpuutilisation = this.logictime;
|
|
this.logictime = 0;
|
|
}
|
|
var wallDt = 0;
|
|
if (this.last_tick_time !== 0)
|
|
{
|
|
var ms_diff = cur_time - this.last_tick_time;
|
|
if (ms_diff < 0)
|
|
ms_diff = 0;
|
|
wallDt = ms_diff / 1000.0; // dt measured in seconds
|
|
this.dt1 = wallDt;
|
|
if (this.dt1 > 0.5)
|
|
this.dt1 = 0;
|
|
else if (this.dt1 > 1 / this.minimumFramerate)
|
|
this.dt1 = 1 / this.minimumFramerate;
|
|
}
|
|
this.last_tick_time = cur_time;
|
|
this.dt = this.dt1 * this.timescale;
|
|
this.kahanTime.add(this.dt);
|
|
this.wallTime.add(wallDt); // prevent min/max framerate affecting wall clock
|
|
var isfullscreen = (document["mozFullScreen"] || document["webkitIsFullScreen"] || document["fullScreen"] || !!document["msFullscreenElement"] || this.isNodeFullscreen) && !this.isCordova;
|
|
if (this.fullscreen_mode >= 2 /* scale */ || (isfullscreen && this.fullscreen_scaling > 0))
|
|
{
|
|
var orig_aspect = this.original_width / this.original_height;
|
|
var cur_aspect = this.width / this.height;
|
|
var mode = this.fullscreen_mode;
|
|
if (isfullscreen && this.fullscreen_scaling > 0)
|
|
mode = this.fullscreen_scaling;
|
|
if ((mode !== 2 && cur_aspect > orig_aspect) || (mode === 2 && cur_aspect < orig_aspect))
|
|
{
|
|
this.aspect_scale = this.height / this.original_height;
|
|
}
|
|
else
|
|
{
|
|
this.aspect_scale = this.width / this.original_width;
|
|
}
|
|
if (this.running_layout)
|
|
{
|
|
this.running_layout.scrollToX(this.running_layout.scrollX);
|
|
this.running_layout.scrollToY(this.running_layout.scrollY);
|
|
}
|
|
}
|
|
else
|
|
this.aspect_scale = (this.isRetina ? this.devicePixelRatio : 1);
|
|
this.ClearDeathRow();
|
|
this.isInOnDestroy++;
|
|
this.system.runWaits(); // prevent instance list changing
|
|
this.isInOnDestroy--;
|
|
this.ClearDeathRow(); // allow instance list changing
|
|
this.isInOnDestroy++;
|
|
var tickarr = this.objects_to_pretick.valuesRef();
|
|
for (i = 0, leni = tickarr.length; i < leni; i++)
|
|
tickarr[i].pretick();
|
|
for (i = 0, leni = this.types_by_index.length; i < leni; i++)
|
|
{
|
|
type = this.types_by_index[i];
|
|
if (type.is_family || (!type.behaviors.length && !type.families.length))
|
|
continue;
|
|
for (j = 0, lenj = type.instances.length; j < lenj; j++)
|
|
{
|
|
inst = type.instances[j];
|
|
for (k = 0, lenk = inst.behavior_insts.length; k < lenk; k++)
|
|
{
|
|
inst.behavior_insts[k].tick();
|
|
}
|
|
}
|
|
}
|
|
for (i = 0, leni = this.types_by_index.length; i < leni; i++)
|
|
{
|
|
type = this.types_by_index[i];
|
|
if (type.is_family || (!type.behaviors.length && !type.families.length))
|
|
continue; // type doesn't have any behaviors
|
|
for (j = 0, lenj = type.instances.length; j < lenj; j++)
|
|
{
|
|
inst = type.instances[j];
|
|
for (k = 0, lenk = inst.behavior_insts.length; k < lenk; k++)
|
|
{
|
|
binst = inst.behavior_insts[k];
|
|
if (binst.posttick)
|
|
binst.posttick();
|
|
}
|
|
}
|
|
}
|
|
tickarr = this.objects_to_tick.valuesRef();
|
|
for (i = 0, leni = tickarr.length; i < leni; i++)
|
|
tickarr[i].tick();
|
|
this.isInOnDestroy--; // end preventing instance lists from being changed
|
|
this.handleSaveLoad(); // save/load now if queued
|
|
i = 0;
|
|
while (this.changelayout && i++ < 10)
|
|
{
|
|
this.doChangeLayout(this.changelayout);
|
|
}
|
|
for (i = 0, leni = this.eventsheets_by_index.length; i < leni; i++)
|
|
this.eventsheets_by_index[i].hasRun = false;
|
|
if (this.running_layout.event_sheet)
|
|
this.running_layout.event_sheet.run();
|
|
cr.clearArray(this.registered_collisions);
|
|
this.layout_first_tick = false;
|
|
this.isInOnDestroy++; // prevent instance lists from being changed
|
|
for (i = 0, leni = this.types_by_index.length; i < leni; i++)
|
|
{
|
|
type = this.types_by_index[i];
|
|
if (type.is_family || (!type.behaviors.length && !type.families.length))
|
|
continue; // type doesn't have any behaviors
|
|
for (j = 0, lenj = type.instances.length; j < lenj; j++)
|
|
{
|
|
var inst = type.instances[j];
|
|
for (k = 0, lenk = inst.behavior_insts.length; k < lenk; k++)
|
|
{
|
|
binst = inst.behavior_insts[k];
|
|
if (binst.tick2)
|
|
binst.tick2();
|
|
}
|
|
}
|
|
}
|
|
tickarr = this.objects_to_tick2.valuesRef();
|
|
for (i = 0, leni = tickarr.length; i < leni; i++)
|
|
tickarr[i].tick2();
|
|
this.isInOnDestroy--; // end preventing instance lists from being changed
|
|
};
|
|
Runtime.prototype.onWindowBlur = function ()
|
|
{
|
|
var i, leni, j, lenj, k, lenk, type, inst, binst;
|
|
for (i = 0, leni = this.types_by_index.length; i < leni; i++)
|
|
{
|
|
type = this.types_by_index[i];
|
|
if (type.is_family)
|
|
continue;
|
|
for (j = 0, lenj = type.instances.length; j < lenj; j++)
|
|
{
|
|
inst = type.instances[j];
|
|
if (inst.onWindowBlur)
|
|
inst.onWindowBlur();
|
|
if (!inst.behavior_insts)
|
|
continue; // single-globals don't have behavior_insts
|
|
for (k = 0, lenk = inst.behavior_insts.length; k < lenk; k++)
|
|
{
|
|
binst = inst.behavior_insts[k];
|
|
if (binst.onWindowBlur)
|
|
binst.onWindowBlur();
|
|
}
|
|
}
|
|
}
|
|
};
|
|
Runtime.prototype.doChangeLayout = function (changeToLayout)
|
|
{
|
|
var prev_layout = this.running_layout;
|
|
this.running_layout.stopRunning();
|
|
var i, len, j, lenj, k, lenk, type, inst, binst;
|
|
if (this.glwrap)
|
|
{
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
type = this.types_by_index[i];
|
|
if (type.is_family)
|
|
continue;
|
|
if (type.unloadTextures && (!type.global || type.instances.length === 0) && changeToLayout.initial_types.indexOf(type) === -1)
|
|
{
|
|
type.unloadTextures();
|
|
}
|
|
}
|
|
}
|
|
if (prev_layout == changeToLayout)
|
|
cr.clearArray(this.system.waits);
|
|
cr.clearArray(this.registered_collisions);
|
|
this.runLayoutChangeMethods(true);
|
|
changeToLayout.startRunning();
|
|
this.runLayoutChangeMethods(false);
|
|
this.redraw = true;
|
|
this.layout_first_tick = true;
|
|
this.ClearDeathRow();
|
|
};
|
|
Runtime.prototype.runLayoutChangeMethods = function (isBeforeChange)
|
|
{
|
|
var i, len, beh, type, j, lenj, inst, k, lenk, binst;
|
|
for (i = 0, len = this.behaviors.length; i < len; i++)
|
|
{
|
|
beh = this.behaviors[i];
|
|
if (isBeforeChange)
|
|
{
|
|
if (beh.onBeforeLayoutChange)
|
|
beh.onBeforeLayoutChange();
|
|
}
|
|
else
|
|
{
|
|
if (beh.onLayoutChange)
|
|
beh.onLayoutChange();
|
|
}
|
|
}
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
type = this.types_by_index[i];
|
|
if (!type.global && !type.plugin.singleglobal)
|
|
continue;
|
|
for (j = 0, lenj = type.instances.length; j < lenj; j++)
|
|
{
|
|
inst = type.instances[j];
|
|
if (isBeforeChange)
|
|
{
|
|
if (inst.onBeforeLayoutChange)
|
|
inst.onBeforeLayoutChange();
|
|
}
|
|
else
|
|
{
|
|
if (inst.onLayoutChange)
|
|
inst.onLayoutChange();
|
|
}
|
|
if (inst.behavior_insts)
|
|
{
|
|
for (k = 0, lenk = inst.behavior_insts.length; k < lenk; k++)
|
|
{
|
|
binst = inst.behavior_insts[k];
|
|
if (isBeforeChange)
|
|
{
|
|
if (binst.onBeforeLayoutChange)
|
|
binst.onBeforeLayoutChange();
|
|
}
|
|
else
|
|
{
|
|
if (binst.onLayoutChange)
|
|
binst.onLayoutChange();
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
};
|
|
Runtime.prototype.pretickMe = function (inst)
|
|
{
|
|
this.objects_to_pretick.add(inst);
|
|
};
|
|
Runtime.prototype.unpretickMe = function (inst)
|
|
{
|
|
this.objects_to_pretick.remove(inst);
|
|
};
|
|
Runtime.prototype.tickMe = function (inst)
|
|
{
|
|
this.objects_to_tick.add(inst);
|
|
};
|
|
Runtime.prototype.untickMe = function (inst)
|
|
{
|
|
this.objects_to_tick.remove(inst);
|
|
};
|
|
Runtime.prototype.tick2Me = function (inst)
|
|
{
|
|
this.objects_to_tick2.add(inst);
|
|
};
|
|
Runtime.prototype.untick2Me = function (inst)
|
|
{
|
|
this.objects_to_tick2.remove(inst);
|
|
};
|
|
Runtime.prototype.getDt = function (inst)
|
|
{
|
|
if (!inst || inst.my_timescale === -1.0)
|
|
return this.dt;
|
|
return this.dt1 * inst.my_timescale;
|
|
};
|
|
Runtime.prototype.draw = function ()
|
|
{
|
|
this.running_layout.draw(this.ctx);
|
|
if (this.isDirectCanvas)
|
|
this.ctx["present"]();
|
|
};
|
|
Runtime.prototype.drawGL = function ()
|
|
{
|
|
if (this.enableFrontToBack)
|
|
{
|
|
this.earlyz_index = 1; // start from front, 1-based to avoid exactly equalling near plane Z value
|
|
this.running_layout.drawGL_earlyZPass(this.glwrap);
|
|
}
|
|
this.running_layout.drawGL(this.glwrap);
|
|
this.glwrap.present();
|
|
};
|
|
Runtime.prototype.addDestroyCallback = function (f)
|
|
{
|
|
if (f)
|
|
this.destroycallbacks.push(f);
|
|
};
|
|
Runtime.prototype.removeDestroyCallback = function (f)
|
|
{
|
|
cr.arrayFindRemove(this.destroycallbacks, f);
|
|
};
|
|
Runtime.prototype.getObjectByUID = function (uid_)
|
|
{
|
|
;
|
|
var uidstr = uid_.toString();
|
|
if (this.objectsByUid.hasOwnProperty(uidstr))
|
|
return this.objectsByUid[uidstr];
|
|
else
|
|
return null;
|
|
};
|
|
var objectset_cache = [];
|
|
function alloc_objectset()
|
|
{
|
|
if (objectset_cache.length)
|
|
return objectset_cache.pop();
|
|
else
|
|
return new cr.ObjectSet();
|
|
};
|
|
function free_objectset(s)
|
|
{
|
|
s.clear();
|
|
objectset_cache.push(s);
|
|
};
|
|
Runtime.prototype.DestroyInstance = function (inst)
|
|
{
|
|
var i, len;
|
|
var type = inst.type;
|
|
var typename = type.name;
|
|
var has_typename = this.deathRow.hasOwnProperty(typename);
|
|
var obj_set = null;
|
|
if (has_typename)
|
|
{
|
|
obj_set = this.deathRow[typename];
|
|
if (obj_set.contains(inst))
|
|
return; // already had DestroyInstance called
|
|
}
|
|
else
|
|
{
|
|
obj_set = alloc_objectset();
|
|
this.deathRow[typename] = obj_set;
|
|
}
|
|
obj_set.add(inst);
|
|
this.hasPendingInstances = true;
|
|
if (inst.is_contained)
|
|
{
|
|
for (i = 0, len = inst.siblings.length; i < len; i++)
|
|
{
|
|
this.DestroyInstance(inst.siblings[i]);
|
|
}
|
|
}
|
|
if (this.isInClearDeathRow)
|
|
obj_set.values_cache.push(inst);
|
|
if (!this.isEndingLayout)
|
|
{
|
|
this.isInOnDestroy++; // support recursion
|
|
this.trigger(Object.getPrototypeOf(inst.type.plugin).cnds.OnDestroyed, inst);
|
|
this.isInOnDestroy--;
|
|
}
|
|
};
|
|
Runtime.prototype.ClearDeathRow = function ()
|
|
{
|
|
if (!this.hasPendingInstances)
|
|
return;
|
|
var inst, type, instances;
|
|
var i, j, leni, lenj, obj_set;
|
|
this.isInClearDeathRow = true;
|
|
for (i = 0, leni = this.createRow.length; i < leni; ++i)
|
|
{
|
|
inst = this.createRow[i];
|
|
type = inst.type;
|
|
type.instances.push(inst);
|
|
for (j = 0, lenj = type.families.length; j < lenj; ++j)
|
|
{
|
|
type.families[j].instances.push(inst);
|
|
type.families[j].stale_iids = true;
|
|
}
|
|
}
|
|
cr.clearArray(this.createRow);
|
|
this.IterateDeathRow(); // moved to separate function so for-in performance doesn't hobble entire function
|
|
cr.wipe(this.deathRow); // all objectsets have already been recycled
|
|
this.isInClearDeathRow = false;
|
|
this.hasPendingInstances = false;
|
|
};
|
|
Runtime.prototype.IterateDeathRow = function ()
|
|
{
|
|
for (var p in this.deathRow)
|
|
{
|
|
if (this.deathRow.hasOwnProperty(p))
|
|
{
|
|
this.ClearDeathRowForType(this.deathRow[p]);
|
|
}
|
|
}
|
|
};
|
|
Runtime.prototype.ClearDeathRowForType = function (obj_set)
|
|
{
|
|
var arr = obj_set.valuesRef(); // get array of items from set
|
|
;
|
|
var type = arr[0].type;
|
|
;
|
|
;
|
|
var i, len, j, lenj, w, f, layer_instances, inst;
|
|
cr.arrayRemoveAllFromObjectSet(type.instances, obj_set);
|
|
type.stale_iids = true;
|
|
if (type.instances.length === 0)
|
|
type.any_instance_parallaxed = false;
|
|
for (i = 0, len = type.families.length; i < len; ++i)
|
|
{
|
|
f = type.families[i];
|
|
cr.arrayRemoveAllFromObjectSet(f.instances, obj_set);
|
|
f.stale_iids = true;
|
|
}
|
|
for (i = 0, len = this.system.waits.length; i < len; ++i)
|
|
{
|
|
w = this.system.waits[i];
|
|
if (w.sols.hasOwnProperty(type.index))
|
|
cr.arrayRemoveAllFromObjectSet(w.sols[type.index].insts, obj_set);
|
|
if (!type.is_family)
|
|
{
|
|
for (j = 0, lenj = type.families.length; j < lenj; ++j)
|
|
{
|
|
f = type.families[j];
|
|
if (w.sols.hasOwnProperty(f.index))
|
|
cr.arrayRemoveAllFromObjectSet(w.sols[f.index].insts, obj_set);
|
|
}
|
|
}
|
|
}
|
|
var first_layer = arr[0].layer;
|
|
if (first_layer)
|
|
{
|
|
if (first_layer.useRenderCells)
|
|
{
|
|
layer_instances = first_layer.instances;
|
|
for (i = 0, len = layer_instances.length; i < len; ++i)
|
|
{
|
|
inst = layer_instances[i];
|
|
if (!obj_set.contains(inst))
|
|
continue; // not destroying this instance
|
|
inst.update_bbox();
|
|
first_layer.render_grid.update(inst, inst.rendercells, null);
|
|
inst.rendercells.set(0, 0, -1, -1);
|
|
}
|
|
}
|
|
cr.arrayRemoveAllFromObjectSet(first_layer.instances, obj_set);
|
|
first_layer.setZIndicesStaleFrom(0);
|
|
}
|
|
for (i = 0; i < arr.length; ++i) // check array length every time in case it changes
|
|
{
|
|
this.ClearDeathRowForSingleInstance(arr[i], type);
|
|
}
|
|
free_objectset(obj_set);
|
|
this.redraw = true;
|
|
};
|
|
Runtime.prototype.ClearDeathRowForSingleInstance = function (inst, type)
|
|
{
|
|
var i, len, binst;
|
|
for (i = 0, len = this.destroycallbacks.length; i < len; ++i)
|
|
this.destroycallbacks[i](inst);
|
|
if (inst.collcells)
|
|
{
|
|
type.collision_grid.update(inst, inst.collcells, null);
|
|
}
|
|
var layer = inst.layer;
|
|
if (layer)
|
|
{
|
|
layer.removeFromInstanceList(inst, true); // remove from both instance list and render grid
|
|
}
|
|
if (inst.behavior_insts)
|
|
{
|
|
for (i = 0, len = inst.behavior_insts.length; i < len; ++i)
|
|
{
|
|
binst = inst.behavior_insts[i];
|
|
if (binst.onDestroy)
|
|
binst.onDestroy();
|
|
binst.behavior.my_instances.remove(inst);
|
|
}
|
|
}
|
|
this.objects_to_pretick.remove(inst);
|
|
this.objects_to_tick.remove(inst);
|
|
this.objects_to_tick2.remove(inst);
|
|
if (inst.onDestroy)
|
|
inst.onDestroy();
|
|
if (this.objectsByUid.hasOwnProperty(inst.uid.toString()))
|
|
delete this.objectsByUid[inst.uid.toString()];
|
|
this.objectcount--;
|
|
if (type.deadCache.length < 100)
|
|
type.deadCache.push(inst);
|
|
};
|
|
Runtime.prototype.createInstance = function (type, layer, sx, sy)
|
|
{
|
|
if (type.is_family)
|
|
{
|
|
var i = cr.floor(Math.random() * type.members.length);
|
|
return this.createInstance(type.members[i], layer, sx, sy);
|
|
}
|
|
if (!type.default_instance)
|
|
{
|
|
return null;
|
|
}
|
|
return this.createInstanceFromInit(type.default_instance, layer, false, sx, sy, false);
|
|
};
|
|
var all_behaviors = [];
|
|
Runtime.prototype.createInstanceFromInit = function (initial_inst, layer, is_startup_instance, sx, sy, skip_siblings)
|
|
{
|
|
var i, len, j, lenj, p, effect_fallback, x, y;
|
|
if (!initial_inst)
|
|
return null;
|
|
var type = this.types_by_index[initial_inst[1]];
|
|
;
|
|
;
|
|
var is_world = type.plugin.is_world;
|
|
;
|
|
if (this.isloading && is_world && !type.isOnLoaderLayout)
|
|
return null;
|
|
if (is_world && !this.glwrap && initial_inst[0][11] === 11)
|
|
return null;
|
|
var original_layer = layer;
|
|
if (!is_world)
|
|
layer = null;
|
|
var inst;
|
|
if (type.deadCache.length)
|
|
{
|
|
inst = type.deadCache.pop();
|
|
inst.recycled = true;
|
|
type.plugin.Instance.call(inst, type);
|
|
}
|
|
else
|
|
{
|
|
inst = new type.plugin.Instance(type);
|
|
inst.recycled = false;
|
|
}
|
|
if (is_startup_instance && !skip_siblings && !this.objectsByUid.hasOwnProperty(initial_inst[2].toString()))
|
|
inst.uid = initial_inst[2];
|
|
else
|
|
inst.uid = this.next_uid++;
|
|
this.objectsByUid[inst.uid.toString()] = inst;
|
|
inst.puid = this.next_puid++;
|
|
inst.iid = type.instances.length;
|
|
for (i = 0, len = this.createRow.length; i < len; ++i)
|
|
{
|
|
if (this.createRow[i].type === type)
|
|
inst.iid++;
|
|
}
|
|
inst.get_iid = cr.inst_get_iid;
|
|
inst.toString = cr.inst_toString;
|
|
var initial_vars = initial_inst[3];
|
|
if (inst.recycled)
|
|
{
|
|
cr.wipe(inst.extra);
|
|
}
|
|
else
|
|
{
|
|
inst.extra = {};
|
|
if (typeof cr_is_preview !== "undefined")
|
|
{
|
|
inst.instance_var_names = [];
|
|
inst.instance_var_names.length = initial_vars.length;
|
|
for (i = 0, len = initial_vars.length; i < len; i++)
|
|
inst.instance_var_names[i] = initial_vars[i][1];
|
|
}
|
|
inst.instance_vars = [];
|
|
inst.instance_vars.length = initial_vars.length;
|
|
}
|
|
for (i = 0, len = initial_vars.length; i < len; i++)
|
|
inst.instance_vars[i] = initial_vars[i][0];
|
|
if (is_world)
|
|
{
|
|
var wm = initial_inst[0];
|
|
;
|
|
inst.x = cr.is_undefined(sx) ? wm[0] : sx;
|
|
inst.y = cr.is_undefined(sy) ? wm[1] : sy;
|
|
inst.z = wm[2];
|
|
inst.width = wm[3];
|
|
inst.height = wm[4];
|
|
inst.depth = wm[5];
|
|
inst.angle = wm[6];
|
|
inst.opacity = wm[7];
|
|
inst.hotspotX = wm[8];
|
|
inst.hotspotY = wm[9];
|
|
inst.blend_mode = wm[10];
|
|
effect_fallback = wm[11];
|
|
if (!this.glwrap && type.effect_types.length) // no WebGL renderer and shaders used
|
|
inst.blend_mode = effect_fallback; // use fallback blend mode - destroy mode was handled above
|
|
inst.compositeOp = cr.effectToCompositeOp(inst.blend_mode);
|
|
if (this.gl)
|
|
cr.setGLBlend(inst, inst.blend_mode, this.gl);
|
|
if (inst.recycled)
|
|
{
|
|
for (i = 0, len = wm[12].length; i < len; i++)
|
|
{
|
|
for (j = 0, lenj = wm[12][i].length; j < lenj; j++)
|
|
inst.effect_params[i][j] = wm[12][i][j];
|
|
}
|
|
inst.bbox.set(0, 0, 0, 0);
|
|
inst.collcells.set(0, 0, -1, -1);
|
|
inst.rendercells.set(0, 0, -1, -1);
|
|
inst.bquad.set_from_rect(inst.bbox);
|
|
cr.clearArray(inst.bbox_changed_callbacks);
|
|
}
|
|
else
|
|
{
|
|
inst.effect_params = wm[12].slice(0);
|
|
for (i = 0, len = inst.effect_params.length; i < len; i++)
|
|
inst.effect_params[i] = wm[12][i].slice(0);
|
|
inst.active_effect_types = [];
|
|
inst.active_effect_flags = [];
|
|
inst.active_effect_flags.length = type.effect_types.length;
|
|
inst.bbox = new cr.rect(0, 0, 0, 0);
|
|
inst.collcells = new cr.rect(0, 0, -1, -1);
|
|
inst.rendercells = new cr.rect(0, 0, -1, -1);
|
|
inst.bquad = new cr.quad();
|
|
inst.bbox_changed_callbacks = [];
|
|
inst.set_bbox_changed = cr.set_bbox_changed;
|
|
inst.add_bbox_changed_callback = cr.add_bbox_changed_callback;
|
|
inst.contains_pt = cr.inst_contains_pt;
|
|
inst.update_bbox = cr.update_bbox;
|
|
inst.update_render_cell = cr.update_render_cell;
|
|
inst.update_collision_cell = cr.update_collision_cell;
|
|
inst.get_zindex = cr.inst_get_zindex;
|
|
}
|
|
inst.tilemap_exists = false;
|
|
inst.tilemap_width = 0;
|
|
inst.tilemap_height = 0;
|
|
inst.tilemap_data = null;
|
|
if (wm.length === 14)
|
|
{
|
|
inst.tilemap_exists = true;
|
|
inst.tilemap_width = wm[13][0];
|
|
inst.tilemap_height = wm[13][1];
|
|
inst.tilemap_data = wm[13][2];
|
|
}
|
|
for (i = 0, len = type.effect_types.length; i < len; i++)
|
|
inst.active_effect_flags[i] = true;
|
|
inst.shaders_preserve_opaqueness = true;
|
|
inst.updateActiveEffects = cr.inst_updateActiveEffects;
|
|
inst.updateActiveEffects();
|
|
inst.uses_shaders = !!inst.active_effect_types.length;
|
|
inst.bbox_changed = true;
|
|
inst.cell_changed = true;
|
|
type.any_cell_changed = true;
|
|
inst.visible = true;
|
|
inst.my_timescale = -1.0;
|
|
inst.layer = layer;
|
|
inst.zindex = layer.instances.length; // will be placed at top of current layer
|
|
inst.earlyz_index = 0;
|
|
if (typeof inst.collision_poly === "undefined")
|
|
inst.collision_poly = null;
|
|
inst.collisionsEnabled = true;
|
|
this.redraw = true;
|
|
}
|
|
var initial_props, binst;
|
|
cr.clearArray(all_behaviors);
|
|
for (i = 0, len = type.families.length; i < len; i++)
|
|
{
|
|
all_behaviors.push.apply(all_behaviors, type.families[i].behaviors);
|
|
}
|
|
all_behaviors.push.apply(all_behaviors, type.behaviors);
|
|
if (inst.recycled)
|
|
{
|
|
for (i = 0, len = all_behaviors.length; i < len; i++)
|
|
{
|
|
var btype = all_behaviors[i];
|
|
binst = inst.behavior_insts[i];
|
|
binst.recycled = true;
|
|
btype.behavior.Instance.call(binst, btype, inst);
|
|
initial_props = initial_inst[4][i];
|
|
for (j = 0, lenj = initial_props.length; j < lenj; j++)
|
|
binst.properties[j] = initial_props[j];
|
|
binst.onCreate();
|
|
btype.behavior.my_instances.add(inst);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
inst.behavior_insts = [];
|
|
for (i = 0, len = all_behaviors.length; i < len; i++)
|
|
{
|
|
var btype = all_behaviors[i];
|
|
var binst = new btype.behavior.Instance(btype, inst);
|
|
binst.recycled = false;
|
|
binst.properties = initial_inst[4][i].slice(0);
|
|
binst.onCreate();
|
|
cr.seal(binst);
|
|
inst.behavior_insts.push(binst);
|
|
btype.behavior.my_instances.add(inst);
|
|
}
|
|
}
|
|
initial_props = initial_inst[5];
|
|
if (inst.recycled)
|
|
{
|
|
for (i = 0, len = initial_props.length; i < len; i++)
|
|
inst.properties[i] = initial_props[i];
|
|
}
|
|
else
|
|
inst.properties = initial_props.slice(0);
|
|
this.createRow.push(inst);
|
|
this.hasPendingInstances = true;
|
|
if (layer)
|
|
{
|
|
;
|
|
layer.appendToInstanceList(inst, true);
|
|
if (layer.parallaxX !== 1 || layer.parallaxY !== 1)
|
|
type.any_instance_parallaxed = true;
|
|
}
|
|
this.objectcount++;
|
|
if (type.is_contained)
|
|
{
|
|
inst.is_contained = true;
|
|
if (inst.recycled)
|
|
cr.clearArray(inst.siblings);
|
|
else
|
|
inst.siblings = []; // note: should not include self in siblings
|
|
if (!is_startup_instance && !skip_siblings) // layout links initial instances
|
|
{
|
|
for (i = 0, len = type.container.length; i < len; i++)
|
|
{
|
|
if (type.container[i] === type)
|
|
continue;
|
|
if (!type.container[i].default_instance)
|
|
{
|
|
return null;
|
|
}
|
|
inst.siblings.push(this.createInstanceFromInit(type.container[i].default_instance, original_layer, false, is_world ? inst.x : sx, is_world ? inst.y : sy, true));
|
|
}
|
|
for (i = 0, len = inst.siblings.length; i < len; i++)
|
|
{
|
|
inst.siblings[i].siblings.push(inst);
|
|
for (j = 0; j < len; j++)
|
|
{
|
|
if (i !== j)
|
|
inst.siblings[i].siblings.push(inst.siblings[j]);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
inst.is_contained = false;
|
|
inst.siblings = null;
|
|
}
|
|
inst.onCreate();
|
|
if (!inst.recycled)
|
|
cr.seal(inst);
|
|
for (i = 0, len = inst.behavior_insts.length; i < len; i++)
|
|
{
|
|
if (inst.behavior_insts[i].postCreate)
|
|
inst.behavior_insts[i].postCreate();
|
|
}
|
|
return inst;
|
|
};
|
|
Runtime.prototype.getLayerByName = function (layer_name)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.running_layout.layers.length; i < len; i++)
|
|
{
|
|
var layer = this.running_layout.layers[i];
|
|
if (cr.equals_nocase(layer.name, layer_name))
|
|
return layer;
|
|
}
|
|
return null;
|
|
};
|
|
Runtime.prototype.getLayerByNumber = function (index)
|
|
{
|
|
index = cr.floor(index);
|
|
if (index < 0)
|
|
index = 0;
|
|
if (index >= this.running_layout.layers.length)
|
|
index = this.running_layout.layers.length - 1;
|
|
return this.running_layout.layers[index];
|
|
};
|
|
Runtime.prototype.getLayer = function (l)
|
|
{
|
|
if (cr.is_number(l))
|
|
return this.getLayerByNumber(l);
|
|
else
|
|
return this.getLayerByName(l.toString());
|
|
};
|
|
Runtime.prototype.clearSol = function (solModifiers)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = solModifiers.length; i < len; i++)
|
|
{
|
|
solModifiers[i].getCurrentSol().select_all = true;
|
|
}
|
|
};
|
|
Runtime.prototype.pushCleanSol = function (solModifiers)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = solModifiers.length; i < len; i++)
|
|
{
|
|
solModifiers[i].pushCleanSol();
|
|
}
|
|
};
|
|
Runtime.prototype.pushCopySol = function (solModifiers)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = solModifiers.length; i < len; i++)
|
|
{
|
|
solModifiers[i].pushCopySol();
|
|
}
|
|
};
|
|
Runtime.prototype.popSol = function (solModifiers)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = solModifiers.length; i < len; i++)
|
|
{
|
|
solModifiers[i].popSol();
|
|
}
|
|
};
|
|
Runtime.prototype.updateAllCells = function (type)
|
|
{
|
|
if (!type.any_cell_changed)
|
|
return; // all instances must already be up-to-date
|
|
var i, len, instances = type.instances;
|
|
for (i = 0, len = instances.length; i < len; ++i)
|
|
{
|
|
instances[i].update_collision_cell();
|
|
}
|
|
var createRow = this.createRow;
|
|
for (i = 0, len = createRow.length; i < len; ++i)
|
|
{
|
|
if (createRow[i].type === type)
|
|
createRow[i].update_collision_cell();
|
|
}
|
|
type.any_cell_changed = false;
|
|
};
|
|
Runtime.prototype.getCollisionCandidates = function (layer, rtype, bbox, candidates)
|
|
{
|
|
var i, len, t;
|
|
var is_parallaxed = (layer ? (layer.parallaxX !== 1 || layer.parallaxY !== 1) : false);
|
|
if (rtype.is_family)
|
|
{
|
|
for (i = 0, len = rtype.members.length; i < len; ++i)
|
|
{
|
|
t = rtype.members[i];
|
|
if (is_parallaxed || t.any_instance_parallaxed)
|
|
{
|
|
cr.appendArray(candidates, t.instances);
|
|
}
|
|
else
|
|
{
|
|
this.updateAllCells(t);
|
|
t.collision_grid.queryRange(bbox, candidates);
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (is_parallaxed || rtype.any_instance_parallaxed)
|
|
{
|
|
cr.appendArray(candidates, rtype.instances);
|
|
}
|
|
else
|
|
{
|
|
this.updateAllCells(rtype);
|
|
rtype.collision_grid.queryRange(bbox, candidates);
|
|
}
|
|
}
|
|
};
|
|
Runtime.prototype.getTypesCollisionCandidates = function (layer, types, bbox, candidates)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = types.length; i < len; ++i)
|
|
{
|
|
this.getCollisionCandidates(layer, types[i], bbox, candidates);
|
|
}
|
|
};
|
|
Runtime.prototype.getSolidCollisionCandidates = function (layer, bbox, candidates)
|
|
{
|
|
var solid = this.getSolidBehavior();
|
|
if (!solid)
|
|
return null;
|
|
this.getTypesCollisionCandidates(layer, solid.my_types, bbox, candidates);
|
|
};
|
|
Runtime.prototype.getJumpthruCollisionCandidates = function (layer, bbox, candidates)
|
|
{
|
|
var jumpthru = this.getJumpthruBehavior();
|
|
if (!jumpthru)
|
|
return null;
|
|
this.getTypesCollisionCandidates(layer, jumpthru.my_types, bbox, candidates);
|
|
};
|
|
Runtime.prototype.testAndSelectCanvasPointOverlap = function (type, ptx, pty, inverted)
|
|
{
|
|
var sol = type.getCurrentSol();
|
|
var i, j, inst, len;
|
|
var orblock = this.getCurrentEventStack().current_event.orblock;
|
|
var lx, ly, arr;
|
|
if (sol.select_all)
|
|
{
|
|
if (!inverted)
|
|
{
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances); // clear contents
|
|
}
|
|
for (i = 0, len = type.instances.length; i < len; i++)
|
|
{
|
|
inst = type.instances[i];
|
|
inst.update_bbox();
|
|
lx = inst.layer.canvasToLayer(ptx, pty, true);
|
|
ly = inst.layer.canvasToLayer(ptx, pty, false);
|
|
if (inst.contains_pt(lx, ly))
|
|
{
|
|
if (inverted)
|
|
return false;
|
|
else
|
|
sol.instances.push(inst);
|
|
}
|
|
else if (orblock)
|
|
sol.else_instances.push(inst);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
j = 0;
|
|
arr = (orblock ? sol.else_instances : sol.instances);
|
|
for (i = 0, len = arr.length; i < len; i++)
|
|
{
|
|
inst = arr[i];
|
|
inst.update_bbox();
|
|
lx = inst.layer.canvasToLayer(ptx, pty, true);
|
|
ly = inst.layer.canvasToLayer(ptx, pty, false);
|
|
if (inst.contains_pt(lx, ly))
|
|
{
|
|
if (inverted)
|
|
return false;
|
|
else if (orblock)
|
|
sol.instances.push(inst);
|
|
else
|
|
{
|
|
sol.instances[j] = sol.instances[i];
|
|
j++;
|
|
}
|
|
}
|
|
}
|
|
if (!inverted)
|
|
arr.length = j;
|
|
}
|
|
type.applySolToContainer();
|
|
if (inverted)
|
|
return true; // did not find anything overlapping
|
|
else
|
|
return sol.hasObjects();
|
|
};
|
|
Runtime.prototype.testOverlap = function (a, b)
|
|
{
|
|
if (!a || !b || a === b || !a.collisionsEnabled || !b.collisionsEnabled)
|
|
return false;
|
|
a.update_bbox();
|
|
b.update_bbox();
|
|
var layera = a.layer;
|
|
var layerb = b.layer;
|
|
var different_layers = (layera !== layerb && (layera.parallaxX !== layerb.parallaxX || layerb.parallaxY !== layerb.parallaxY || layera.scale !== layerb.scale || layera.angle !== layerb.angle || layera.zoomRate !== layerb.zoomRate));
|
|
var i, len, i2, i21, x, y, haspolya, haspolyb, polya, polyb;
|
|
if (!different_layers) // same layers: easy check
|
|
{
|
|
if (!a.bbox.intersects_rect(b.bbox))
|
|
return false;
|
|
if (!a.bquad.intersects_quad(b.bquad))
|
|
return false;
|
|
if (a.tilemap_exists && b.tilemap_exists)
|
|
return false;
|
|
if (a.tilemap_exists)
|
|
return this.testTilemapOverlap(a, b);
|
|
if (b.tilemap_exists)
|
|
return this.testTilemapOverlap(b, a);
|
|
haspolya = (a.collision_poly && !a.collision_poly.is_empty());
|
|
haspolyb = (b.collision_poly && !b.collision_poly.is_empty());
|
|
if (!haspolya && !haspolyb)
|
|
return true;
|
|
if (haspolya)
|
|
{
|
|
a.collision_poly.cache_poly(a.width, a.height, a.angle);
|
|
polya = a.collision_poly;
|
|
}
|
|
else
|
|
{
|
|
this.temp_poly.set_from_quad(a.bquad, a.x, a.y, a.width, a.height);
|
|
polya = this.temp_poly;
|
|
}
|
|
if (haspolyb)
|
|
{
|
|
b.collision_poly.cache_poly(b.width, b.height, b.angle);
|
|
polyb = b.collision_poly;
|
|
}
|
|
else
|
|
{
|
|
this.temp_poly.set_from_quad(b.bquad, b.x, b.y, b.width, b.height);
|
|
polyb = this.temp_poly;
|
|
}
|
|
return polya.intersects_poly(polyb, b.x - a.x, b.y - a.y);
|
|
}
|
|
else // different layers: need to do full translated check
|
|
{
|
|
haspolya = (a.collision_poly && !a.collision_poly.is_empty());
|
|
haspolyb = (b.collision_poly && !b.collision_poly.is_empty());
|
|
if (haspolya)
|
|
{
|
|
a.collision_poly.cache_poly(a.width, a.height, a.angle);
|
|
this.temp_poly.set_from_poly(a.collision_poly);
|
|
}
|
|
else
|
|
{
|
|
this.temp_poly.set_from_quad(a.bquad, a.x, a.y, a.width, a.height);
|
|
}
|
|
polya = this.temp_poly;
|
|
if (haspolyb)
|
|
{
|
|
b.collision_poly.cache_poly(b.width, b.height, b.angle);
|
|
this.temp_poly2.set_from_poly(b.collision_poly);
|
|
}
|
|
else
|
|
{
|
|
this.temp_poly2.set_from_quad(b.bquad, b.x, b.y, b.width, b.height);
|
|
}
|
|
polyb = this.temp_poly2;
|
|
for (i = 0, len = polya.pts_count; i < len; i++)
|
|
{
|
|
i2 = i * 2;
|
|
i21 = i2 + 1;
|
|
x = polya.pts_cache[i2];
|
|
y = polya.pts_cache[i21];
|
|
polya.pts_cache[i2] = layera.layerToCanvas(x + a.x, y + a.y, true);
|
|
polya.pts_cache[i21] = layera.layerToCanvas(x + a.x, y + a.y, false);
|
|
}
|
|
polya.update_bbox();
|
|
for (i = 0, len = polyb.pts_count; i < len; i++)
|
|
{
|
|
i2 = i * 2;
|
|
i21 = i2 + 1;
|
|
x = polyb.pts_cache[i2];
|
|
y = polyb.pts_cache[i21];
|
|
polyb.pts_cache[i2] = layerb.layerToCanvas(x + b.x, y + b.y, true);
|
|
polyb.pts_cache[i21] = layerb.layerToCanvas(x + b.x, y + b.y, false);
|
|
}
|
|
polyb.update_bbox();
|
|
return polya.intersects_poly(polyb, 0, 0);
|
|
}
|
|
};
|
|
var tmpQuad = new cr.quad();
|
|
var tmpRect = new cr.rect(0, 0, 0, 0);
|
|
var collrect_candidates = [];
|
|
Runtime.prototype.testTilemapOverlap = function (tm, a)
|
|
{
|
|
var i, len, c, rc;
|
|
var bbox = a.bbox;
|
|
var tmx = tm.x;
|
|
var tmy = tm.y;
|
|
tm.getCollisionRectCandidates(bbox, collrect_candidates);
|
|
var collrects = collrect_candidates;
|
|
var haspolya = (a.collision_poly && !a.collision_poly.is_empty());
|
|
for (i = 0, len = collrects.length; i < len; ++i)
|
|
{
|
|
c = collrects[i];
|
|
rc = c.rc;
|
|
if (bbox.intersects_rect_off(rc, tmx, tmy))
|
|
{
|
|
tmpQuad.set_from_rect(rc);
|
|
tmpQuad.offset(tmx, tmy);
|
|
if (tmpQuad.intersects_quad(a.bquad))
|
|
{
|
|
if (haspolya)
|
|
{
|
|
a.collision_poly.cache_poly(a.width, a.height, a.angle);
|
|
if (c.poly)
|
|
{
|
|
if (c.poly.intersects_poly(a.collision_poly, a.x - (tmx + rc.left), a.y - (tmy + rc.top)))
|
|
{
|
|
cr.clearArray(collrect_candidates);
|
|
return true;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
this.temp_poly.set_from_quad(tmpQuad, 0, 0, rc.right - rc.left, rc.bottom - rc.top);
|
|
if (this.temp_poly.intersects_poly(a.collision_poly, a.x, a.y))
|
|
{
|
|
cr.clearArray(collrect_candidates);
|
|
return true;
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (c.poly)
|
|
{
|
|
this.temp_poly.set_from_quad(a.bquad, 0, 0, a.width, a.height);
|
|
if (c.poly.intersects_poly(this.temp_poly, -(tmx + rc.left), -(tmy + rc.top)))
|
|
{
|
|
cr.clearArray(collrect_candidates);
|
|
return true;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
cr.clearArray(collrect_candidates);
|
|
return true;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
cr.clearArray(collrect_candidates);
|
|
return false;
|
|
};
|
|
Runtime.prototype.testRectOverlap = function (r, b)
|
|
{
|
|
if (!b || !b.collisionsEnabled)
|
|
return false;
|
|
b.update_bbox();
|
|
var layerb = b.layer;
|
|
var haspolyb, polyb;
|
|
if (!b.bbox.intersects_rect(r))
|
|
return false;
|
|
if (b.tilemap_exists)
|
|
{
|
|
b.getCollisionRectCandidates(r, collrect_candidates);
|
|
var collrects = collrect_candidates;
|
|
var i, len, c, tilerc;
|
|
var tmx = b.x;
|
|
var tmy = b.y;
|
|
for (i = 0, len = collrects.length; i < len; ++i)
|
|
{
|
|
c = collrects[i];
|
|
tilerc = c.rc;
|
|
if (r.intersects_rect_off(tilerc, tmx, tmy))
|
|
{
|
|
if (c.poly)
|
|
{
|
|
this.temp_poly.set_from_rect(r, 0, 0);
|
|
if (c.poly.intersects_poly(this.temp_poly, -(tmx + tilerc.left), -(tmy + tilerc.top)))
|
|
{
|
|
cr.clearArray(collrect_candidates);
|
|
return true;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
cr.clearArray(collrect_candidates);
|
|
return true;
|
|
}
|
|
}
|
|
}
|
|
cr.clearArray(collrect_candidates);
|
|
return false;
|
|
}
|
|
else
|
|
{
|
|
tmpQuad.set_from_rect(r);
|
|
if (!b.bquad.intersects_quad(tmpQuad))
|
|
return false;
|
|
haspolyb = (b.collision_poly && !b.collision_poly.is_empty());
|
|
if (!haspolyb)
|
|
return true;
|
|
b.collision_poly.cache_poly(b.width, b.height, b.angle);
|
|
tmpQuad.offset(-r.left, -r.top);
|
|
this.temp_poly.set_from_quad(tmpQuad, 0, 0, 1, 1);
|
|
return b.collision_poly.intersects_poly(this.temp_poly, r.left - b.x, r.top - b.y);
|
|
}
|
|
};
|
|
Runtime.prototype.testSegmentOverlap = function (x1, y1, x2, y2, b)
|
|
{
|
|
if (!b || !b.collisionsEnabled)
|
|
return false;
|
|
b.update_bbox();
|
|
var layerb = b.layer;
|
|
var haspolyb, polyb;
|
|
tmpRect.set(cr.min(x1, x2), cr.min(y1, y2), cr.max(x1, x2), cr.max(y1, y2));
|
|
if (!b.bbox.intersects_rect(tmpRect))
|
|
return false;
|
|
if (b.tilemap_exists)
|
|
{
|
|
b.getCollisionRectCandidates(tmpRect, collrect_candidates);
|
|
var collrects = collrect_candidates;
|
|
var i, len, c, tilerc;
|
|
var tmx = b.x;
|
|
var tmy = b.y;
|
|
for (i = 0, len = collrects.length; i < len; ++i)
|
|
{
|
|
c = collrects[i];
|
|
tilerc = c.rc;
|
|
if (tmpRect.intersects_rect_off(tilerc, tmx, tmy))
|
|
{
|
|
tmpQuad.set_from_rect(tilerc);
|
|
tmpQuad.offset(tmx, tmy);
|
|
if (tmpQuad.intersects_segment(x1, y1, x2, y2))
|
|
{
|
|
if (c.poly)
|
|
{
|
|
if (c.poly.intersects_segment(tmx + tilerc.left, tmy + tilerc.top, x1, y1, x2, y2))
|
|
{
|
|
cr.clearArray(collrect_candidates);
|
|
return true;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
cr.clearArray(collrect_candidates);
|
|
return true;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
cr.clearArray(collrect_candidates);
|
|
return false;
|
|
}
|
|
else
|
|
{
|
|
if (!b.bquad.intersects_segment(x1, y1, x2, y2))
|
|
return false;
|
|
haspolyb = (b.collision_poly && !b.collision_poly.is_empty());
|
|
if (!haspolyb)
|
|
return true;
|
|
b.collision_poly.cache_poly(b.width, b.height, b.angle);
|
|
return b.collision_poly.intersects_segment(b.x, b.y, x1, y1, x2, y2);
|
|
}
|
|
};
|
|
Runtime.prototype.typeHasBehavior = function (t, b)
|
|
{
|
|
if (!b)
|
|
return false;
|
|
var i, len, j, lenj, f;
|
|
for (i = 0, len = t.behaviors.length; i < len; i++)
|
|
{
|
|
if (t.behaviors[i].behavior instanceof b)
|
|
return true;
|
|
}
|
|
if (!t.is_family)
|
|
{
|
|
for (i = 0, len = t.families.length; i < len; i++)
|
|
{
|
|
f = t.families[i];
|
|
for (j = 0, lenj = f.behaviors.length; j < lenj; j++)
|
|
{
|
|
if (f.behaviors[j].behavior instanceof b)
|
|
return true;
|
|
}
|
|
}
|
|
}
|
|
return false;
|
|
};
|
|
Runtime.prototype.typeHasNoSaveBehavior = function (t)
|
|
{
|
|
return this.typeHasBehavior(t, cr.behaviors.NoSave);
|
|
};
|
|
Runtime.prototype.typeHasPersistBehavior = function (t)
|
|
{
|
|
return this.typeHasBehavior(t, cr.behaviors.Persist);
|
|
};
|
|
Runtime.prototype.getSolidBehavior = function ()
|
|
{
|
|
return this.solidBehavior;
|
|
};
|
|
Runtime.prototype.getJumpthruBehavior = function ()
|
|
{
|
|
return this.jumpthruBehavior;
|
|
};
|
|
var candidates = [];
|
|
Runtime.prototype.testOverlapSolid = function (inst)
|
|
{
|
|
var i, len, s;
|
|
inst.update_bbox();
|
|
this.getSolidCollisionCandidates(inst.layer, inst.bbox, candidates);
|
|
for (i = 0, len = candidates.length; i < len; ++i)
|
|
{
|
|
s = candidates[i];
|
|
if (!s.extra["solidEnabled"])
|
|
continue;
|
|
if (this.testOverlap(inst, s))
|
|
{
|
|
cr.clearArray(candidates);
|
|
return s;
|
|
}
|
|
}
|
|
cr.clearArray(candidates);
|
|
return null;
|
|
};
|
|
Runtime.prototype.testRectOverlapSolid = function (r)
|
|
{
|
|
var i, len, s;
|
|
this.getSolidCollisionCandidates(null, r, candidates);
|
|
for (i = 0, len = candidates.length; i < len; ++i)
|
|
{
|
|
s = candidates[i];
|
|
if (!s.extra["solidEnabled"])
|
|
continue;
|
|
if (this.testRectOverlap(r, s))
|
|
{
|
|
cr.clearArray(candidates);
|
|
return s;
|
|
}
|
|
}
|
|
cr.clearArray(candidates);
|
|
return null;
|
|
};
|
|
var jumpthru_array_ret = [];
|
|
Runtime.prototype.testOverlapJumpThru = function (inst, all)
|
|
{
|
|
var ret = null;
|
|
if (all)
|
|
{
|
|
ret = jumpthru_array_ret;
|
|
cr.clearArray(ret);
|
|
}
|
|
inst.update_bbox();
|
|
this.getJumpthruCollisionCandidates(inst.layer, inst.bbox, candidates);
|
|
var i, len, j;
|
|
for (i = 0, len = candidates.length; i < len; ++i)
|
|
{
|
|
j = candidates[i];
|
|
if (!j.extra["jumpthruEnabled"])
|
|
continue;
|
|
if (this.testOverlap(inst, j))
|
|
{
|
|
if (all)
|
|
ret.push(j);
|
|
else
|
|
{
|
|
cr.clearArray(candidates);
|
|
return j;
|
|
}
|
|
}
|
|
}
|
|
cr.clearArray(candidates);
|
|
return ret;
|
|
};
|
|
Runtime.prototype.pushOutSolid = function (inst, xdir, ydir, dist, include_jumpthrus, specific_jumpthru)
|
|
{
|
|
var push_dist = dist || 50;
|
|
var oldx = inst.x
|
|
var oldy = inst.y;
|
|
var i;
|
|
var last_overlapped = null, secondlast_overlapped = null;
|
|
for (i = 0; i < push_dist; i++)
|
|
{
|
|
inst.x = (oldx + (xdir * i));
|
|
inst.y = (oldy + (ydir * i));
|
|
inst.set_bbox_changed();
|
|
if (!this.testOverlap(inst, last_overlapped))
|
|
{
|
|
last_overlapped = this.testOverlapSolid(inst);
|
|
if (last_overlapped)
|
|
secondlast_overlapped = last_overlapped;
|
|
if (!last_overlapped)
|
|
{
|
|
if (include_jumpthrus)
|
|
{
|
|
if (specific_jumpthru)
|
|
last_overlapped = (this.testOverlap(inst, specific_jumpthru) ? specific_jumpthru : null);
|
|
else
|
|
last_overlapped = this.testOverlapJumpThru(inst);
|
|
if (last_overlapped)
|
|
secondlast_overlapped = last_overlapped;
|
|
}
|
|
if (!last_overlapped)
|
|
{
|
|
if (secondlast_overlapped)
|
|
this.pushInFractional(inst, xdir, ydir, secondlast_overlapped, 16);
|
|
return true;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
inst.x = oldx;
|
|
inst.y = oldy;
|
|
inst.set_bbox_changed();
|
|
return false;
|
|
};
|
|
Runtime.prototype.pushOutSolidAxis = function(inst, xdir, ydir, dist)
|
|
{
|
|
dist = dist || 50;
|
|
var oldX = inst.x;
|
|
var oldY = inst.y;
|
|
var lastOverlapped = null;
|
|
var secondLastOverlapped = null;
|
|
var i, which, sign;
|
|
for (i = 0; i < dist; ++i)
|
|
{
|
|
for (which = 0; which < 2; ++which)
|
|
{
|
|
sign = which * 2 - 1; // -1 or 1
|
|
inst.x = oldX + (xdir * i * sign);
|
|
inst.y = oldY + (ydir * i * sign);
|
|
inst.set_bbox_changed();
|
|
if (!this.testOverlap(inst, lastOverlapped))
|
|
{
|
|
lastOverlapped = this.testOverlapSolid(inst);
|
|
if (lastOverlapped)
|
|
{
|
|
secondLastOverlapped = lastOverlapped;
|
|
}
|
|
else
|
|
{
|
|
if (secondLastOverlapped)
|
|
this.pushInFractional(inst, xdir * sign, ydir * sign, secondLastOverlapped, 16);
|
|
return true;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
inst.x = oldX;
|
|
inst.y = oldY;
|
|
inst.set_bbox_changed();
|
|
return false;
|
|
};
|
|
Runtime.prototype.pushOut = function (inst, xdir, ydir, dist, otherinst)
|
|
{
|
|
var push_dist = dist || 50;
|
|
var oldx = inst.x
|
|
var oldy = inst.y;
|
|
var i;
|
|
for (i = 0; i < push_dist; i++)
|
|
{
|
|
inst.x = (oldx + (xdir * i));
|
|
inst.y = (oldy + (ydir * i));
|
|
inst.set_bbox_changed();
|
|
if (!this.testOverlap(inst, otherinst))
|
|
return true;
|
|
}
|
|
inst.x = oldx;
|
|
inst.y = oldy;
|
|
inst.set_bbox_changed();
|
|
return false;
|
|
};
|
|
Runtime.prototype.pushInFractional = function (inst, xdir, ydir, obj, limit)
|
|
{
|
|
var divisor = 2;
|
|
var frac;
|
|
var forward = false;
|
|
var overlapping = false;
|
|
var bestx = inst.x;
|
|
var besty = inst.y;
|
|
while (divisor <= limit)
|
|
{
|
|
frac = 1 / divisor;
|
|
divisor *= 2;
|
|
inst.x += xdir * frac * (forward ? 1 : -1);
|
|
inst.y += ydir * frac * (forward ? 1 : -1);
|
|
inst.set_bbox_changed();
|
|
if (this.testOverlap(inst, obj))
|
|
{
|
|
forward = true;
|
|
overlapping = true;
|
|
}
|
|
else
|
|
{
|
|
forward = false;
|
|
overlapping = false;
|
|
bestx = inst.x;
|
|
besty = inst.y;
|
|
}
|
|
}
|
|
if (overlapping)
|
|
{
|
|
inst.x = bestx;
|
|
inst.y = besty;
|
|
inst.set_bbox_changed();
|
|
}
|
|
};
|
|
Runtime.prototype.pushOutSolidNearest = function (inst, max_dist_)
|
|
{
|
|
var max_dist = (cr.is_undefined(max_dist_) ? 100 : max_dist_);
|
|
var dist = 0;
|
|
var oldx = inst.x
|
|
var oldy = inst.y;
|
|
var dir = 0;
|
|
var dx = 0, dy = 0;
|
|
var last_overlapped = this.testOverlapSolid(inst);
|
|
if (!last_overlapped)
|
|
return true; // already clear of solids
|
|
while (dist <= max_dist)
|
|
{
|
|
switch (dir) {
|
|
case 0: dx = 0; dy = -1; dist++; break;
|
|
case 1: dx = 1; dy = -1; break;
|
|
case 2: dx = 1; dy = 0; break;
|
|
case 3: dx = 1; dy = 1; break;
|
|
case 4: dx = 0; dy = 1; break;
|
|
case 5: dx = -1; dy = 1; break;
|
|
case 6: dx = -1; dy = 0; break;
|
|
case 7: dx = -1; dy = -1; break;
|
|
}
|
|
dir = (dir + 1) % 8;
|
|
inst.x = cr.floor(oldx + (dx * dist));
|
|
inst.y = cr.floor(oldy + (dy * dist));
|
|
inst.set_bbox_changed();
|
|
if (!this.testOverlap(inst, last_overlapped))
|
|
{
|
|
last_overlapped = this.testOverlapSolid(inst);
|
|
if (!last_overlapped)
|
|
return true;
|
|
}
|
|
}
|
|
inst.x = oldx;
|
|
inst.y = oldy;
|
|
inst.set_bbox_changed();
|
|
return false;
|
|
};
|
|
Runtime.prototype.registerCollision = function (a, b)
|
|
{
|
|
if (!a.collisionsEnabled || !b.collisionsEnabled)
|
|
return;
|
|
this.registered_collisions.push([a, b]);
|
|
};
|
|
Runtime.prototype.addRegisteredCollisionCandidates = function (inst, otherType, arr)
|
|
{
|
|
var i, len, r, otherInst;
|
|
for (i = 0, len = this.registered_collisions.length; i < len; ++i)
|
|
{
|
|
r = this.registered_collisions[i];
|
|
if (r[0] === inst)
|
|
otherInst = r[1];
|
|
else if (r[1] === inst)
|
|
otherInst = r[0];
|
|
else
|
|
continue;
|
|
if (otherType.is_family)
|
|
{
|
|
if (otherType.members.indexOf(otherType) === -1)
|
|
continue;
|
|
}
|
|
else
|
|
{
|
|
if (otherInst.type !== otherType)
|
|
continue;
|
|
}
|
|
if (arr.indexOf(otherInst) === -1)
|
|
arr.push(otherInst);
|
|
}
|
|
};
|
|
Runtime.prototype.checkRegisteredCollision = function (a, b)
|
|
{
|
|
var i, len, x;
|
|
for (i = 0, len = this.registered_collisions.length; i < len; i++)
|
|
{
|
|
x = this.registered_collisions[i];
|
|
if ((x[0] === a && x[1] === b) || (x[0] === b && x[1] === a))
|
|
return true;
|
|
}
|
|
return false;
|
|
};
|
|
Runtime.prototype.calculateSolidBounceAngle = function(inst, startx, starty, obj)
|
|
{
|
|
var objx = inst.x;
|
|
var objy = inst.y;
|
|
var radius = cr.max(10, cr.distanceTo(startx, starty, objx, objy));
|
|
var startangle = cr.angleTo(startx, starty, objx, objy);
|
|
var firstsolid = obj || this.testOverlapSolid(inst);
|
|
if (!firstsolid)
|
|
return cr.clamp_angle(startangle + cr.PI);
|
|
var cursolid = firstsolid;
|
|
var i, curangle, anticlockwise_free_angle, clockwise_free_angle;
|
|
var increment = cr.to_radians(5); // 5 degree increments
|
|
for (i = 1; i < 36; i++)
|
|
{
|
|
curangle = startangle - i * increment;
|
|
inst.x = startx + Math.cos(curangle) * radius;
|
|
inst.y = starty + Math.sin(curangle) * radius;
|
|
inst.set_bbox_changed();
|
|
if (!this.testOverlap(inst, cursolid))
|
|
{
|
|
cursolid = obj ? null : this.testOverlapSolid(inst);
|
|
if (!cursolid)
|
|
{
|
|
anticlockwise_free_angle = curangle;
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
if (i === 36)
|
|
anticlockwise_free_angle = cr.clamp_angle(startangle + cr.PI);
|
|
var cursolid = firstsolid;
|
|
for (i = 1; i < 36; i++)
|
|
{
|
|
curangle = startangle + i * increment;
|
|
inst.x = startx + Math.cos(curangle) * radius;
|
|
inst.y = starty + Math.sin(curangle) * radius;
|
|
inst.set_bbox_changed();
|
|
if (!this.testOverlap(inst, cursolid))
|
|
{
|
|
cursolid = obj ? null : this.testOverlapSolid(inst);
|
|
if (!cursolid)
|
|
{
|
|
clockwise_free_angle = curangle;
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
if (i === 36)
|
|
clockwise_free_angle = cr.clamp_angle(startangle + cr.PI);
|
|
inst.x = objx;
|
|
inst.y = objy;
|
|
inst.set_bbox_changed();
|
|
if (clockwise_free_angle === anticlockwise_free_angle)
|
|
return clockwise_free_angle;
|
|
var half_diff = cr.angleDiff(clockwise_free_angle, anticlockwise_free_angle) / 2;
|
|
var normal;
|
|
if (cr.angleClockwise(clockwise_free_angle, anticlockwise_free_angle))
|
|
{
|
|
normal = cr.clamp_angle(anticlockwise_free_angle + half_diff + cr.PI);
|
|
}
|
|
else
|
|
{
|
|
normal = cr.clamp_angle(clockwise_free_angle + half_diff);
|
|
}
|
|
;
|
|
var vx = Math.cos(startangle);
|
|
var vy = Math.sin(startangle);
|
|
var nx = Math.cos(normal);
|
|
var ny = Math.sin(normal);
|
|
var v_dot_n = vx * nx + vy * ny;
|
|
var rx = vx - 2 * v_dot_n * nx;
|
|
var ry = vy - 2 * v_dot_n * ny;
|
|
return cr.angleTo(0, 0, rx, ry);
|
|
};
|
|
var triggerSheetIndex = -1;
|
|
Runtime.prototype.trigger = function (method, inst, value /* for fast triggers */)
|
|
{
|
|
;
|
|
if (!this.running_layout)
|
|
return false;
|
|
var sheet = this.running_layout.event_sheet;
|
|
if (!sheet)
|
|
return false; // no event sheet active; nothing to trigger
|
|
var ret = false;
|
|
var r, i, len;
|
|
triggerSheetIndex++;
|
|
var deep_includes = sheet.deep_includes;
|
|
for (i = 0, len = deep_includes.length; i < len; ++i)
|
|
{
|
|
r = this.triggerOnSheet(method, inst, deep_includes[i], value);
|
|
ret = ret || r;
|
|
}
|
|
r = this.triggerOnSheet(method, inst, sheet, value);
|
|
ret = ret || r;
|
|
triggerSheetIndex--;
|
|
return ret;
|
|
};
|
|
Runtime.prototype.triggerOnSheet = function (method, inst, sheet, value)
|
|
{
|
|
var ret = false;
|
|
var i, leni, r, families;
|
|
if (!inst)
|
|
{
|
|
r = this.triggerOnSheetForTypeName(method, inst, "system", sheet, value);
|
|
ret = ret || r;
|
|
}
|
|
else
|
|
{
|
|
r = this.triggerOnSheetForTypeName(method, inst, inst.type.name, sheet, value);
|
|
ret = ret || r;
|
|
families = inst.type.families;
|
|
for (i = 0, leni = families.length; i < leni; ++i)
|
|
{
|
|
r = this.triggerOnSheetForTypeName(method, inst, families[i].name, sheet, value);
|
|
ret = ret || r;
|
|
}
|
|
}
|
|
return ret; // true if anything got triggered
|
|
};
|
|
Runtime.prototype.triggerOnSheetForTypeName = function (method, inst, type_name, sheet, value)
|
|
{
|
|
var i, leni;
|
|
var ret = false, ret2 = false;
|
|
var trig, index;
|
|
var fasttrigger = (typeof value !== "undefined");
|
|
var triggers = (fasttrigger ? sheet.fasttriggers : sheet.triggers);
|
|
var obj_entry = triggers[type_name];
|
|
if (!obj_entry)
|
|
return ret;
|
|
var triggers_list = null;
|
|
for (i = 0, leni = obj_entry.length; i < leni; ++i)
|
|
{
|
|
if (obj_entry[i].method == method)
|
|
{
|
|
triggers_list = obj_entry[i].evs;
|
|
break;
|
|
}
|
|
}
|
|
if (!triggers_list)
|
|
return ret;
|
|
var triggers_to_fire;
|
|
if (fasttrigger)
|
|
{
|
|
triggers_to_fire = triggers_list[value];
|
|
}
|
|
else
|
|
{
|
|
triggers_to_fire = triggers_list;
|
|
}
|
|
if (!triggers_to_fire)
|
|
return null;
|
|
for (i = 0, leni = triggers_to_fire.length; i < leni; i++)
|
|
{
|
|
trig = triggers_to_fire[i][0];
|
|
index = triggers_to_fire[i][1];
|
|
ret2 = this.executeSingleTrigger(inst, type_name, trig, index);
|
|
ret = ret || ret2;
|
|
}
|
|
return ret;
|
|
};
|
|
Runtime.prototype.executeSingleTrigger = function (inst, type_name, trig, index)
|
|
{
|
|
var i, leni;
|
|
var ret = false;
|
|
this.trigger_depth++;
|
|
var current_event = this.getCurrentEventStack().current_event;
|
|
if (current_event)
|
|
this.pushCleanSol(current_event.solModifiersIncludingParents);
|
|
var isrecursive = (this.trigger_depth > 1); // calling trigger from inside another trigger
|
|
this.pushCleanSol(trig.solModifiersIncludingParents);
|
|
if (isrecursive)
|
|
this.pushLocalVarStack();
|
|
var event_stack = this.pushEventStack(trig);
|
|
event_stack.current_event = trig;
|
|
if (inst)
|
|
{
|
|
var sol = this.types[type_name].getCurrentSol();
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
sol.instances[0] = inst;
|
|
this.types[type_name].applySolToContainer();
|
|
}
|
|
var ok_to_run = true;
|
|
if (trig.parent)
|
|
{
|
|
var temp_parents_arr = event_stack.temp_parents_arr;
|
|
var cur_parent = trig.parent;
|
|
while (cur_parent)
|
|
{
|
|
temp_parents_arr.push(cur_parent);
|
|
cur_parent = cur_parent.parent;
|
|
}
|
|
temp_parents_arr.reverse();
|
|
for (i = 0, leni = temp_parents_arr.length; i < leni; i++)
|
|
{
|
|
if (!temp_parents_arr[i].run_pretrigger()) // parent event failed
|
|
{
|
|
ok_to_run = false;
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
if (ok_to_run)
|
|
{
|
|
this.execcount++;
|
|
if (trig.orblock)
|
|
trig.run_orblocktrigger(index);
|
|
else
|
|
trig.run();
|
|
ret = ret || event_stack.last_event_true;
|
|
}
|
|
this.popEventStack();
|
|
if (isrecursive)
|
|
this.popLocalVarStack();
|
|
this.popSol(trig.solModifiersIncludingParents);
|
|
if (current_event)
|
|
this.popSol(current_event.solModifiersIncludingParents);
|
|
if (this.hasPendingInstances && this.isInOnDestroy === 0 && triggerSheetIndex === 0 && !this.isRunningEvents)
|
|
{
|
|
this.ClearDeathRow();
|
|
}
|
|
this.trigger_depth--;
|
|
return ret;
|
|
};
|
|
Runtime.prototype.getCurrentCondition = function ()
|
|
{
|
|
var evinfo = this.getCurrentEventStack();
|
|
return evinfo.current_event.conditions[evinfo.cndindex];
|
|
};
|
|
Runtime.prototype.getCurrentConditionObjectType = function ()
|
|
{
|
|
var cnd = this.getCurrentCondition();
|
|
return cnd.type;
|
|
};
|
|
Runtime.prototype.isCurrentConditionFirst = function ()
|
|
{
|
|
var evinfo = this.getCurrentEventStack();
|
|
return evinfo.cndindex === 0;
|
|
};
|
|
Runtime.prototype.getCurrentAction = function ()
|
|
{
|
|
var evinfo = this.getCurrentEventStack();
|
|
return evinfo.current_event.actions[evinfo.actindex];
|
|
};
|
|
Runtime.prototype.pushLocalVarStack = function ()
|
|
{
|
|
this.localvar_stack_index++;
|
|
if (this.localvar_stack_index >= this.localvar_stack.length)
|
|
this.localvar_stack.push([]);
|
|
};
|
|
Runtime.prototype.popLocalVarStack = function ()
|
|
{
|
|
;
|
|
this.localvar_stack_index--;
|
|
};
|
|
Runtime.prototype.getCurrentLocalVarStack = function ()
|
|
{
|
|
return this.localvar_stack[this.localvar_stack_index];
|
|
};
|
|
Runtime.prototype.pushEventStack = function (cur_event)
|
|
{
|
|
this.event_stack_index++;
|
|
if (this.event_stack_index >= this.event_stack.length)
|
|
this.event_stack.push(new cr.eventStackFrame());
|
|
var ret = this.getCurrentEventStack();
|
|
ret.reset(cur_event);
|
|
return ret;
|
|
};
|
|
Runtime.prototype.popEventStack = function ()
|
|
{
|
|
;
|
|
this.event_stack_index--;
|
|
};
|
|
Runtime.prototype.getCurrentEventStack = function ()
|
|
{
|
|
return this.event_stack[this.event_stack_index];
|
|
};
|
|
Runtime.prototype.pushLoopStack = function (name_)
|
|
{
|
|
this.loop_stack_index++;
|
|
if (this.loop_stack_index >= this.loop_stack.length)
|
|
{
|
|
this.loop_stack.push(cr.seal({ name: name_, index: 0, stopped: false }));
|
|
}
|
|
var ret = this.getCurrentLoop();
|
|
ret.name = name_;
|
|
ret.index = 0;
|
|
ret.stopped = false;
|
|
return ret;
|
|
};
|
|
Runtime.prototype.popLoopStack = function ()
|
|
{
|
|
;
|
|
this.loop_stack_index--;
|
|
};
|
|
Runtime.prototype.getCurrentLoop = function ()
|
|
{
|
|
return this.loop_stack[this.loop_stack_index];
|
|
};
|
|
Runtime.prototype.getEventVariableByName = function (name, scope)
|
|
{
|
|
var i, leni, j, lenj, sheet, e;
|
|
while (scope)
|
|
{
|
|
for (i = 0, leni = scope.subevents.length; i < leni; i++)
|
|
{
|
|
e = scope.subevents[i];
|
|
if (e instanceof cr.eventvariable && cr.equals_nocase(name, e.name))
|
|
return e;
|
|
}
|
|
scope = scope.parent;
|
|
}
|
|
for (i = 0, leni = this.eventsheets_by_index.length; i < leni; i++)
|
|
{
|
|
sheet = this.eventsheets_by_index[i];
|
|
for (j = 0, lenj = sheet.events.length; j < lenj; j++)
|
|
{
|
|
e = sheet.events[j];
|
|
if (e instanceof cr.eventvariable && cr.equals_nocase(name, e.name))
|
|
return e;
|
|
}
|
|
}
|
|
return null;
|
|
};
|
|
Runtime.prototype.getLayoutBySid = function (sid_)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.layouts_by_index.length; i < len; i++)
|
|
{
|
|
if (this.layouts_by_index[i].sid === sid_)
|
|
return this.layouts_by_index[i];
|
|
}
|
|
return null;
|
|
};
|
|
Runtime.prototype.getObjectTypeBySid = function (sid_)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
if (this.types_by_index[i].sid === sid_)
|
|
return this.types_by_index[i];
|
|
}
|
|
return null;
|
|
};
|
|
Runtime.prototype.getGroupBySid = function (sid_)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.allGroups.length; i < len; i++)
|
|
{
|
|
if (this.allGroups[i].sid === sid_)
|
|
return this.allGroups[i];
|
|
}
|
|
return null;
|
|
};
|
|
Runtime.prototype.doCanvasSnapshot = function (format_, quality_)
|
|
{
|
|
this.snapshotCanvas = [format_, quality_];
|
|
this.redraw = true; // force redraw so snapshot is always taken
|
|
};
|
|
function IsIndexedDBAvailable()
|
|
{
|
|
try {
|
|
return !!window.indexedDB;
|
|
}
|
|
catch (e)
|
|
{
|
|
return false;
|
|
}
|
|
};
|
|
function makeSaveDb(e)
|
|
{
|
|
var db = e.target.result;
|
|
db.createObjectStore("saves", { keyPath: "slot" });
|
|
};
|
|
function IndexedDB_WriteSlot(slot_, data_, oncomplete_, onerror_)
|
|
{
|
|
try {
|
|
var request = indexedDB.open("_C2SaveStates");
|
|
request.onupgradeneeded = makeSaveDb;
|
|
request.onerror = onerror_;
|
|
request.onsuccess = function (e)
|
|
{
|
|
var db = e.target.result;
|
|
db.onerror = onerror_;
|
|
var transaction = db.transaction(["saves"], "readwrite");
|
|
var objectStore = transaction.objectStore("saves");
|
|
var putReq = objectStore.put({"slot": slot_, "data": data_ });
|
|
putReq.onsuccess = oncomplete_;
|
|
};
|
|
}
|
|
catch (err)
|
|
{
|
|
onerror_(err);
|
|
}
|
|
};
|
|
function IndexedDB_ReadSlot(slot_, oncomplete_, onerror_)
|
|
{
|
|
try {
|
|
var request = indexedDB.open("_C2SaveStates");
|
|
request.onupgradeneeded = makeSaveDb;
|
|
request.onerror = onerror_;
|
|
request.onsuccess = function (e)
|
|
{
|
|
var db = e.target.result;
|
|
db.onerror = onerror_;
|
|
var transaction = db.transaction(["saves"]);
|
|
var objectStore = transaction.objectStore("saves");
|
|
var readReq = objectStore.get(slot_);
|
|
readReq.onsuccess = function (e)
|
|
{
|
|
if (readReq.result)
|
|
oncomplete_(readReq.result["data"]);
|
|
else
|
|
oncomplete_(null);
|
|
};
|
|
};
|
|
}
|
|
catch (err)
|
|
{
|
|
onerror_(err);
|
|
}
|
|
};
|
|
Runtime.prototype.signalContinuousPreview = function ()
|
|
{
|
|
this.signalledContinuousPreview = true;
|
|
};
|
|
function doContinuousPreviewReload()
|
|
{
|
|
cr.logexport("Reloading for continuous preview");
|
|
if (!!window["c2cocoonjs"])
|
|
{
|
|
CocoonJS["App"]["reload"]();
|
|
}
|
|
else
|
|
{
|
|
if (window.location.search.indexOf("continuous") > -1)
|
|
window.location.reload(true);
|
|
else
|
|
window.location = window.location + "?continuous";
|
|
}
|
|
};
|
|
Runtime.prototype.handleSaveLoad = function ()
|
|
{
|
|
var self = this;
|
|
var savingToSlot = this.saveToSlot;
|
|
var savingJson = this.lastSaveJson;
|
|
var loadingFromSlot = this.loadFromSlot;
|
|
var continuous = false;
|
|
if (this.signalledContinuousPreview)
|
|
{
|
|
continuous = true;
|
|
savingToSlot = "__c2_continuouspreview";
|
|
this.signalledContinuousPreview = false;
|
|
}
|
|
if (savingToSlot.length)
|
|
{
|
|
this.ClearDeathRow();
|
|
savingJson = this.saveToJSONString();
|
|
if (IsIndexedDBAvailable() && !this.isCocoonJs)
|
|
{
|
|
IndexedDB_WriteSlot(savingToSlot, savingJson, function ()
|
|
{
|
|
cr.logexport("Saved state to IndexedDB storage (" + savingJson.length + " bytes)");
|
|
self.lastSaveJson = savingJson;
|
|
self.trigger(cr.system_object.prototype.cnds.OnSaveComplete, null);
|
|
self.lastSaveJson = "";
|
|
savingJson = "";
|
|
if (continuous)
|
|
doContinuousPreviewReload();
|
|
}, function (e)
|
|
{
|
|
try {
|
|
localStorage.setItem("__c2save_" + savingToSlot, savingJson);
|
|
cr.logexport("Saved state to WebStorage (" + savingJson.length + " bytes)");
|
|
self.lastSaveJson = savingJson;
|
|
self.trigger(cr.system_object.prototype.cnds.OnSaveComplete, null);
|
|
self.lastSaveJson = "";
|
|
savingJson = "";
|
|
if (continuous)
|
|
doContinuousPreviewReload();
|
|
}
|
|
catch (f)
|
|
{
|
|
cr.logexport("Failed to save game state: " + e + "; " + f);
|
|
self.trigger(cr.system_object.prototype.cnds.OnSaveFailed, null);
|
|
}
|
|
});
|
|
}
|
|
else
|
|
{
|
|
try {
|
|
localStorage.setItem("__c2save_" + savingToSlot, savingJson);
|
|
cr.logexport("Saved state to WebStorage (" + savingJson.length + " bytes)");
|
|
self.lastSaveJson = savingJson;
|
|
this.trigger(cr.system_object.prototype.cnds.OnSaveComplete, null);
|
|
self.lastSaveJson = "";
|
|
savingJson = "";
|
|
if (continuous)
|
|
doContinuousPreviewReload();
|
|
}
|
|
catch (e)
|
|
{
|
|
cr.logexport("Error saving to WebStorage: " + e);
|
|
self.trigger(cr.system_object.prototype.cnds.OnSaveFailed, null);
|
|
}
|
|
}
|
|
this.saveToSlot = "";
|
|
this.loadFromSlot = "";
|
|
this.loadFromJson = null;
|
|
}
|
|
if (loadingFromSlot.length)
|
|
{
|
|
if (IsIndexedDBAvailable() && !this.isCocoonJs)
|
|
{
|
|
IndexedDB_ReadSlot(loadingFromSlot, function (result_)
|
|
{
|
|
if (result_)
|
|
{
|
|
self.loadFromJson = result_;
|
|
cr.logexport("Loaded state from IndexedDB storage (" + self.loadFromJson.length + " bytes)");
|
|
}
|
|
else
|
|
{
|
|
self.loadFromJson = localStorage.getItem("__c2save_" + loadingFromSlot) || "";
|
|
cr.logexport("Loaded state from WebStorage (" + self.loadFromJson.length + " bytes)");
|
|
}
|
|
self.suspendDrawing = false;
|
|
if (!self.loadFromJson)
|
|
{
|
|
self.loadFromJson = null;
|
|
self.trigger(cr.system_object.prototype.cnds.OnLoadFailed, null);
|
|
}
|
|
}, function (e)
|
|
{
|
|
self.loadFromJson = localStorage.getItem("__c2save_" + loadingFromSlot) || "";
|
|
cr.logexport("Loaded state from WebStorage (" + self.loadFromJson.length + " bytes)");
|
|
self.suspendDrawing = false;
|
|
if (!self.loadFromJson)
|
|
{
|
|
self.loadFromJson = null;
|
|
self.trigger(cr.system_object.prototype.cnds.OnLoadFailed, null);
|
|
}
|
|
});
|
|
}
|
|
else
|
|
{
|
|
try {
|
|
this.loadFromJson = localStorage.getItem("__c2save_" + loadingFromSlot) || "";
|
|
cr.logexport("Loaded state from WebStorage (" + this.loadFromJson.length + " bytes)");
|
|
}
|
|
catch (e)
|
|
{
|
|
this.loadFromJson = null;
|
|
}
|
|
this.suspendDrawing = false;
|
|
if (!self.loadFromJson)
|
|
{
|
|
self.loadFromJson = null;
|
|
self.trigger(cr.system_object.prototype.cnds.OnLoadFailed, null);
|
|
}
|
|
}
|
|
this.loadFromSlot = "";
|
|
this.saveToSlot = "";
|
|
}
|
|
if (this.loadFromJson !== null)
|
|
{
|
|
this.ClearDeathRow();
|
|
var ok = this.loadFromJSONString(this.loadFromJson);
|
|
if (ok)
|
|
{
|
|
this.lastSaveJson = this.loadFromJson;
|
|
this.trigger(cr.system_object.prototype.cnds.OnLoadComplete, null);
|
|
this.lastSaveJson = "";
|
|
}
|
|
else
|
|
{
|
|
self.trigger(cr.system_object.prototype.cnds.OnLoadFailed, null);
|
|
}
|
|
this.loadFromJson = null;
|
|
}
|
|
};
|
|
function CopyExtraObject(extra)
|
|
{
|
|
var p, ret = {};
|
|
for (p in extra)
|
|
{
|
|
if (extra.hasOwnProperty(p))
|
|
{
|
|
if (extra[p] instanceof cr.ObjectSet)
|
|
continue;
|
|
if (extra[p] && typeof extra[p].c2userdata !== "undefined")
|
|
continue;
|
|
if (p === "spriteCreatedDestroyCallback")
|
|
continue;
|
|
ret[p] = extra[p];
|
|
}
|
|
}
|
|
return ret;
|
|
};
|
|
Runtime.prototype.saveToJSONString = function()
|
|
{
|
|
var i, len, j, lenj, type, layout, typeobj, g, c, a, v, p;
|
|
var o = {
|
|
"c2save": true,
|
|
"version": 1,
|
|
"rt": {
|
|
"time": this.kahanTime.sum,
|
|
"walltime": this.wallTime.sum,
|
|
"timescale": this.timescale,
|
|
"tickcount": this.tickcount,
|
|
"execcount": this.execcount,
|
|
"next_uid": this.next_uid,
|
|
"running_layout": this.running_layout.sid,
|
|
"start_time_offset": (Date.now() - this.start_time)
|
|
},
|
|
"types": {},
|
|
"layouts": {},
|
|
"events": {
|
|
"groups": {},
|
|
"cnds": {},
|
|
"acts": {},
|
|
"vars": {}
|
|
}
|
|
};
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
type = this.types_by_index[i];
|
|
if (type.is_family || this.typeHasNoSaveBehavior(type))
|
|
continue;
|
|
typeobj = {
|
|
"instances": []
|
|
};
|
|
if (cr.hasAnyOwnProperty(type.extra))
|
|
typeobj["ex"] = CopyExtraObject(type.extra);
|
|
for (j = 0, lenj = type.instances.length; j < lenj; j++)
|
|
{
|
|
typeobj["instances"].push(this.saveInstanceToJSON(type.instances[j]));
|
|
}
|
|
o["types"][type.sid.toString()] = typeobj;
|
|
}
|
|
for (i = 0, len = this.layouts_by_index.length; i < len; i++)
|
|
{
|
|
layout = this.layouts_by_index[i];
|
|
o["layouts"][layout.sid.toString()] = layout.saveToJSON();
|
|
}
|
|
var ogroups = o["events"]["groups"];
|
|
for (i = 0, len = this.allGroups.length; i < len; i++)
|
|
{
|
|
g = this.allGroups[i];
|
|
ogroups[g.sid.toString()] = this.groups_by_name[g.group_name].group_active;
|
|
}
|
|
var ocnds = o["events"]["cnds"];
|
|
for (p in this.cndsBySid)
|
|
{
|
|
if (this.cndsBySid.hasOwnProperty(p))
|
|
{
|
|
c = this.cndsBySid[p];
|
|
if (cr.hasAnyOwnProperty(c.extra))
|
|
ocnds[p] = { "ex": CopyExtraObject(c.extra) };
|
|
}
|
|
}
|
|
var oacts = o["events"]["acts"];
|
|
for (p in this.actsBySid)
|
|
{
|
|
if (this.actsBySid.hasOwnProperty(p))
|
|
{
|
|
a = this.actsBySid[p];
|
|
if (cr.hasAnyOwnProperty(a.extra))
|
|
oacts[p] = { "ex": CopyExtraObject(a.extra) };
|
|
}
|
|
}
|
|
var ovars = o["events"]["vars"];
|
|
for (p in this.varsBySid)
|
|
{
|
|
if (this.varsBySid.hasOwnProperty(p))
|
|
{
|
|
v = this.varsBySid[p];
|
|
if (!v.is_constant && (!v.parent || v.is_static))
|
|
ovars[p] = v.data;
|
|
}
|
|
}
|
|
o["system"] = this.system.saveToJSON();
|
|
return JSON.stringify(o);
|
|
};
|
|
Runtime.prototype.refreshUidMap = function ()
|
|
{
|
|
var i, len, type, j, lenj, inst;
|
|
this.objectsByUid = {};
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
type = this.types_by_index[i];
|
|
if (type.is_family)
|
|
continue;
|
|
for (j = 0, lenj = type.instances.length; j < lenj; j++)
|
|
{
|
|
inst = type.instances[j];
|
|
this.objectsByUid[inst.uid.toString()] = inst;
|
|
}
|
|
}
|
|
};
|
|
Runtime.prototype.loadFromJSONString = function (str)
|
|
{
|
|
var o;
|
|
try {
|
|
o = JSON.parse(str);
|
|
}
|
|
catch (e) {
|
|
return false;
|
|
}
|
|
if (!o["c2save"])
|
|
return false; // probably not a c2 save state
|
|
if (o["version"] > 1)
|
|
return false; // from future version of c2; assume not compatible
|
|
this.isLoadingState = true;
|
|
var rt = o["rt"];
|
|
this.kahanTime.reset();
|
|
this.kahanTime.sum = rt["time"];
|
|
this.wallTime.reset();
|
|
this.wallTime.sum = rt["walltime"] || 0;
|
|
this.timescale = rt["timescale"];
|
|
this.tickcount = rt["tickcount"];
|
|
this.execcount = rt["execcount"];
|
|
this.start_time = Date.now() - rt["start_time_offset"];
|
|
var layout_sid = rt["running_layout"];
|
|
if (layout_sid !== this.running_layout.sid)
|
|
{
|
|
var changeToLayout = this.getLayoutBySid(layout_sid);
|
|
if (changeToLayout)
|
|
this.doChangeLayout(changeToLayout);
|
|
else
|
|
return; // layout that was saved on has gone missing (deleted?)
|
|
}
|
|
var i, len, j, lenj, k, lenk, p, type, existing_insts, load_insts, inst, binst, layout, layer, g, iid, t;
|
|
var otypes = o["types"];
|
|
for (p in otypes)
|
|
{
|
|
if (otypes.hasOwnProperty(p))
|
|
{
|
|
type = this.getObjectTypeBySid(parseInt(p, 10));
|
|
if (!type || type.is_family || this.typeHasNoSaveBehavior(type))
|
|
continue;
|
|
if (otypes[p]["ex"])
|
|
type.extra = otypes[p]["ex"];
|
|
else
|
|
cr.wipe(type.extra);
|
|
existing_insts = type.instances;
|
|
load_insts = otypes[p]["instances"];
|
|
for (i = 0, len = cr.min(existing_insts.length, load_insts.length); i < len; i++)
|
|
{
|
|
this.loadInstanceFromJSON(existing_insts[i], load_insts[i]);
|
|
}
|
|
for (i = load_insts.length, len = existing_insts.length; i < len; i++)
|
|
this.DestroyInstance(existing_insts[i]);
|
|
for (i = existing_insts.length, len = load_insts.length; i < len; i++)
|
|
{
|
|
layer = null;
|
|
if (type.plugin.is_world)
|
|
{
|
|
layer = this.running_layout.getLayerBySid(load_insts[i]["w"]["l"]);
|
|
if (!layer)
|
|
continue;
|
|
}
|
|
inst = this.createInstanceFromInit(type.default_instance, layer, false, 0, 0, true);
|
|
this.loadInstanceFromJSON(inst, load_insts[i]);
|
|
}
|
|
type.stale_iids = true;
|
|
}
|
|
}
|
|
this.ClearDeathRow();
|
|
this.refreshUidMap();
|
|
var olayouts = o["layouts"];
|
|
for (p in olayouts)
|
|
{
|
|
if (olayouts.hasOwnProperty(p))
|
|
{
|
|
layout = this.getLayoutBySid(parseInt(p, 10));
|
|
if (!layout)
|
|
continue; // must've gone missing
|
|
layout.loadFromJSON(olayouts[p]);
|
|
}
|
|
}
|
|
var ogroups = o["events"]["groups"];
|
|
for (p in ogroups)
|
|
{
|
|
if (ogroups.hasOwnProperty(p))
|
|
{
|
|
g = this.getGroupBySid(parseInt(p, 10));
|
|
if (g && this.groups_by_name[g.group_name])
|
|
this.groups_by_name[g.group_name].setGroupActive(ogroups[p]);
|
|
}
|
|
}
|
|
var ocnds = o["events"]["cnds"];
|
|
for (p in this.cndsBySid)
|
|
{
|
|
if (this.cndsBySid.hasOwnProperty(p))
|
|
{
|
|
if (ocnds.hasOwnProperty(p))
|
|
{
|
|
this.cndsBySid[p].extra = ocnds[p]["ex"];
|
|
}
|
|
else
|
|
{
|
|
this.cndsBySid[p].extra = {};
|
|
}
|
|
}
|
|
}
|
|
var oacts = o["events"]["acts"];
|
|
for (p in this.actsBySid)
|
|
{
|
|
if (this.actsBySid.hasOwnProperty(p))
|
|
{
|
|
if (oacts.hasOwnProperty(p))
|
|
{
|
|
this.actsBySid[p].extra = oacts[p]["ex"];
|
|
}
|
|
else
|
|
{
|
|
this.actsBySid[p].extra = {};
|
|
}
|
|
}
|
|
}
|
|
var ovars = o["events"]["vars"];
|
|
for (p in ovars)
|
|
{
|
|
if (ovars.hasOwnProperty(p) && this.varsBySid.hasOwnProperty(p))
|
|
{
|
|
this.varsBySid[p].data = ovars[p];
|
|
}
|
|
}
|
|
this.next_uid = rt["next_uid"];
|
|
this.isLoadingState = false;
|
|
for (i = 0, len = this.fireOnCreateAfterLoad.length; i < len; ++i)
|
|
{
|
|
inst = this.fireOnCreateAfterLoad[i];
|
|
this.trigger(Object.getPrototypeOf(inst.type.plugin).cnds.OnCreated, inst);
|
|
}
|
|
cr.clearArray(this.fireOnCreateAfterLoad);
|
|
this.system.loadFromJSON(o["system"]);
|
|
for (i = 0, len = this.types_by_index.length; i < len; i++)
|
|
{
|
|
type = this.types_by_index[i];
|
|
if (type.is_family || this.typeHasNoSaveBehavior(type))
|
|
continue;
|
|
for (j = 0, lenj = type.instances.length; j < lenj; j++)
|
|
{
|
|
inst = type.instances[j];
|
|
if (type.is_contained)
|
|
{
|
|
iid = inst.get_iid();
|
|
cr.clearArray(inst.siblings);
|
|
for (k = 0, lenk = type.container.length; k < lenk; k++)
|
|
{
|
|
t = type.container[k];
|
|
if (type === t)
|
|
continue;
|
|
;
|
|
inst.siblings.push(t.instances[iid]);
|
|
}
|
|
}
|
|
if (inst.afterLoad)
|
|
inst.afterLoad();
|
|
if (inst.behavior_insts)
|
|
{
|
|
for (k = 0, lenk = inst.behavior_insts.length; k < lenk; k++)
|
|
{
|
|
binst = inst.behavior_insts[k];
|
|
if (binst.afterLoad)
|
|
binst.afterLoad();
|
|
}
|
|
}
|
|
}
|
|
}
|
|
this.redraw = true;
|
|
return true;
|
|
};
|
|
Runtime.prototype.saveInstanceToJSON = function(inst, state_only)
|
|
{
|
|
var i, len, world, behinst, et;
|
|
var type = inst.type;
|
|
var plugin = type.plugin;
|
|
var o = {};
|
|
if (state_only)
|
|
o["c2"] = true; // mark as known json data from Construct 2
|
|
else
|
|
o["uid"] = inst.uid;
|
|
if (cr.hasAnyOwnProperty(inst.extra))
|
|
o["ex"] = CopyExtraObject(inst.extra);
|
|
if (inst.instance_vars && inst.instance_vars.length)
|
|
{
|
|
o["ivs"] = {};
|
|
for (i = 0, len = inst.instance_vars.length; i < len; i++)
|
|
{
|
|
o["ivs"][inst.type.instvar_sids[i].toString()] = inst.instance_vars[i];
|
|
}
|
|
}
|
|
if (plugin.is_world)
|
|
{
|
|
world = {
|
|
"x": inst.x,
|
|
"y": inst.y,
|
|
"w": inst.width,
|
|
"h": inst.height,
|
|
"l": inst.layer.sid,
|
|
"zi": inst.get_zindex()
|
|
};
|
|
if (inst.angle !== 0)
|
|
world["a"] = inst.angle;
|
|
if (inst.opacity !== 1)
|
|
world["o"] = inst.opacity;
|
|
if (inst.hotspotX !== 0.5)
|
|
world["hX"] = inst.hotspotX;
|
|
if (inst.hotspotY !== 0.5)
|
|
world["hY"] = inst.hotspotY;
|
|
if (inst.blend_mode !== 0)
|
|
world["bm"] = inst.blend_mode;
|
|
if (!inst.visible)
|
|
world["v"] = inst.visible;
|
|
if (!inst.collisionsEnabled)
|
|
world["ce"] = inst.collisionsEnabled;
|
|
if (inst.my_timescale !== -1)
|
|
world["mts"] = inst.my_timescale;
|
|
if (type.effect_types.length)
|
|
{
|
|
world["fx"] = [];
|
|
for (i = 0, len = type.effect_types.length; i < len; i++)
|
|
{
|
|
et = type.effect_types[i];
|
|
world["fx"].push({"name": et.name,
|
|
"active": inst.active_effect_flags[et.index],
|
|
"params": inst.effect_params[et.index] });
|
|
}
|
|
}
|
|
o["w"] = world;
|
|
}
|
|
if (inst.behavior_insts && inst.behavior_insts.length)
|
|
{
|
|
o["behs"] = {};
|
|
for (i = 0, len = inst.behavior_insts.length; i < len; i++)
|
|
{
|
|
behinst = inst.behavior_insts[i];
|
|
if (behinst.saveToJSON)
|
|
o["behs"][behinst.type.sid.toString()] = behinst.saveToJSON();
|
|
}
|
|
}
|
|
if (inst.saveToJSON)
|
|
o["data"] = inst.saveToJSON();
|
|
return o;
|
|
};
|
|
Runtime.prototype.getInstanceVarIndexBySid = function (type, sid_)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = type.instvar_sids.length; i < len; i++)
|
|
{
|
|
if (type.instvar_sids[i] === sid_)
|
|
return i;
|
|
}
|
|
return -1;
|
|
};
|
|
Runtime.prototype.getBehaviorIndexBySid = function (inst, sid_)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = inst.behavior_insts.length; i < len; i++)
|
|
{
|
|
if (inst.behavior_insts[i].type.sid === sid_)
|
|
return i;
|
|
}
|
|
return -1;
|
|
};
|
|
Runtime.prototype.loadInstanceFromJSON = function(inst, o, state_only)
|
|
{
|
|
var p, i, len, iv, oivs, world, fxindex, obehs, behindex, value;
|
|
var oldlayer;
|
|
var type = inst.type;
|
|
var plugin = type.plugin;
|
|
if (state_only)
|
|
{
|
|
if (!o["c2"])
|
|
return;
|
|
}
|
|
else
|
|
inst.uid = o["uid"];
|
|
if (o["ex"])
|
|
inst.extra = o["ex"];
|
|
else
|
|
cr.wipe(inst.extra);
|
|
oivs = o["ivs"];
|
|
if (oivs)
|
|
{
|
|
for (p in oivs)
|
|
{
|
|
if (oivs.hasOwnProperty(p))
|
|
{
|
|
iv = this.getInstanceVarIndexBySid(type, parseInt(p, 10));
|
|
if (iv < 0 || iv >= inst.instance_vars.length)
|
|
continue; // must've gone missing
|
|
value = oivs[p];
|
|
if (value === null)
|
|
value = NaN;
|
|
inst.instance_vars[iv] = value;
|
|
}
|
|
}
|
|
}
|
|
if (plugin.is_world)
|
|
{
|
|
world = o["w"];
|
|
if (inst.layer.sid !== world["l"])
|
|
{
|
|
oldlayer = inst.layer;
|
|
inst.layer = this.running_layout.getLayerBySid(world["l"]);
|
|
if (inst.layer)
|
|
{
|
|
oldlayer.removeFromInstanceList(inst, true);
|
|
inst.layer.appendToInstanceList(inst, true);
|
|
inst.set_bbox_changed();
|
|
inst.layer.setZIndicesStaleFrom(0);
|
|
}
|
|
else
|
|
{
|
|
inst.layer = oldlayer;
|
|
if (!state_only)
|
|
this.DestroyInstance(inst);
|
|
}
|
|
}
|
|
inst.x = world["x"];
|
|
inst.y = world["y"];
|
|
inst.width = world["w"];
|
|
inst.height = world["h"];
|
|
inst.zindex = world["zi"];
|
|
inst.angle = world.hasOwnProperty("a") ? world["a"] : 0;
|
|
inst.opacity = world.hasOwnProperty("o") ? world["o"] : 1;
|
|
inst.hotspotX = world.hasOwnProperty("hX") ? world["hX"] : 0.5;
|
|
inst.hotspotY = world.hasOwnProperty("hY") ? world["hY"] : 0.5;
|
|
inst.visible = world.hasOwnProperty("v") ? world["v"] : true;
|
|
inst.collisionsEnabled = world.hasOwnProperty("ce") ? world["ce"] : true;
|
|
inst.my_timescale = world.hasOwnProperty("mts") ? world["mts"] : -1;
|
|
inst.blend_mode = world.hasOwnProperty("bm") ? world["bm"] : 0;;
|
|
inst.compositeOp = cr.effectToCompositeOp(inst.blend_mode);
|
|
if (this.gl)
|
|
cr.setGLBlend(inst, inst.blend_mode, this.gl);
|
|
inst.set_bbox_changed();
|
|
if (world.hasOwnProperty("fx"))
|
|
{
|
|
for (i = 0, len = world["fx"].length; i < len; i++)
|
|
{
|
|
fxindex = type.getEffectIndexByName(world["fx"][i]["name"]);
|
|
if (fxindex < 0)
|
|
continue; // must've gone missing
|
|
inst.active_effect_flags[fxindex] = world["fx"][i]["active"];
|
|
inst.effect_params[fxindex] = world["fx"][i]["params"];
|
|
}
|
|
}
|
|
inst.updateActiveEffects();
|
|
}
|
|
obehs = o["behs"];
|
|
if (obehs)
|
|
{
|
|
for (p in obehs)
|
|
{
|
|
if (obehs.hasOwnProperty(p))
|
|
{
|
|
behindex = this.getBehaviorIndexBySid(inst, parseInt(p, 10));
|
|
if (behindex < 0)
|
|
continue; // must've gone missing
|
|
inst.behavior_insts[behindex].loadFromJSON(obehs[p]);
|
|
}
|
|
}
|
|
}
|
|
if (o["data"])
|
|
inst.loadFromJSON(o["data"]);
|
|
};
|
|
Runtime.prototype.fetchLocalFileViaCordova = function (filename, successCallback, errorCallback)
|
|
{
|
|
var path = cordova["file"]["applicationDirectory"] + "www/" + filename;
|
|
window["resolveLocalFileSystemURL"](path, function (entry)
|
|
{
|
|
entry.file(successCallback, errorCallback);
|
|
}, errorCallback);
|
|
};
|
|
Runtime.prototype.fetchLocalFileViaCordovaAsText = function (filename, successCallback, errorCallback)
|
|
{
|
|
this.fetchLocalFileViaCordova(filename, function (file)
|
|
{
|
|
var reader = new FileReader();
|
|
reader.onload = function (e)
|
|
{
|
|
successCallback(e.target.result);
|
|
};
|
|
reader.onerror = errorCallback;
|
|
reader.readAsText(file);
|
|
}, errorCallback);
|
|
};
|
|
var queuedArrayBufferReads = [];
|
|
var activeArrayBufferReads = 0;
|
|
var MAX_ARRAYBUFFER_READS = 8;
|
|
Runtime.prototype.maybeStartNextArrayBufferRead = function()
|
|
{
|
|
if (!queuedArrayBufferReads.length)
|
|
return; // none left
|
|
if (activeArrayBufferReads >= MAX_ARRAYBUFFER_READS)
|
|
return; // already got maximum number in-flight
|
|
activeArrayBufferReads++;
|
|
var job = queuedArrayBufferReads.shift();
|
|
this.doFetchLocalFileViaCordovaAsArrayBuffer(job.filename, job.successCallback, job.errorCallback);
|
|
};
|
|
Runtime.prototype.fetchLocalFileViaCordovaAsArrayBuffer = function (filename, successCallback_, errorCallback_)
|
|
{
|
|
var self = this;
|
|
queuedArrayBufferReads.push({
|
|
filename: filename,
|
|
successCallback: function (result)
|
|
{
|
|
activeArrayBufferReads--;
|
|
self.maybeStartNextArrayBufferRead();
|
|
successCallback_(result);
|
|
},
|
|
errorCallback: function (err)
|
|
{
|
|
activeArrayBufferReads--;
|
|
self.maybeStartNextArrayBufferRead();
|
|
errorCallback_(err);
|
|
}
|
|
});
|
|
this.maybeStartNextArrayBufferRead();
|
|
};
|
|
Runtime.prototype.doFetchLocalFileViaCordovaAsArrayBuffer = function (filename, successCallback, errorCallback)
|
|
{
|
|
this.fetchLocalFileViaCordova(filename, function (file)
|
|
{
|
|
var reader = new FileReader();
|
|
reader.onload = function (e)
|
|
{
|
|
successCallback(e.target.result);
|
|
};
|
|
reader.readAsArrayBuffer(file);
|
|
}, errorCallback);
|
|
};
|
|
Runtime.prototype.fetchLocalFileViaCordovaAsURL = function (filename, successCallback, errorCallback)
|
|
{
|
|
var blobType = "";
|
|
var lowername = filename.toLowerCase();
|
|
var ext3 = lowername.substr(lowername.length - 4);
|
|
var ext4 = lowername.substr(lowername.length - 5);
|
|
if (ext3 === ".mp4")
|
|
blobType = "video/mp4";
|
|
else if (ext4 === ".webm")
|
|
blobType = "video/webm"; // use video type but hopefully works with audio too
|
|
else if (ext3 === ".m4a")
|
|
blobType = "audio/mp4";
|
|
else if (ext3 === ".mp3")
|
|
blobType = "audio/mpeg";
|
|
this.fetchLocalFileViaCordovaAsArrayBuffer(filename, function (arrayBuffer)
|
|
{
|
|
var blob = new Blob([arrayBuffer], { type: blobType });
|
|
var url = URL.createObjectURL(blob);
|
|
successCallback(url);
|
|
}, errorCallback);
|
|
};
|
|
Runtime.prototype.isAbsoluteUrl = function (url)
|
|
{
|
|
return /^(?:[a-z]+:)?\/\//.test(url) || url.substr(0, 5) === "data:" || url.substr(0, 5) === "blob:";
|
|
};
|
|
Runtime.prototype.setImageSrc = function (img, src)
|
|
{
|
|
if (this.isWKWebView && !this.isAbsoluteUrl(src))
|
|
{
|
|
this.fetchLocalFileViaCordovaAsURL(src, function (url)
|
|
{
|
|
img.src = url;
|
|
}, function (err)
|
|
{
|
|
alert("Failed to load image: " + err);
|
|
});
|
|
}
|
|
else
|
|
{
|
|
img.src = src;
|
|
}
|
|
};
|
|
Runtime.prototype.setCtxImageSmoothingEnabled = function (ctx, e)
|
|
{
|
|
if (typeof ctx["imageSmoothingEnabled"] !== "undefined")
|
|
{
|
|
ctx["imageSmoothingEnabled"] = e;
|
|
}
|
|
else
|
|
{
|
|
ctx["webkitImageSmoothingEnabled"] = e;
|
|
ctx["mozImageSmoothingEnabled"] = e;
|
|
ctx["msImageSmoothingEnabled"] = e;
|
|
}
|
|
};
|
|
cr.runtime = Runtime;
|
|
cr.createRuntime = function (canvasid)
|
|
{
|
|
return new Runtime(document.getElementById(canvasid));
|
|
};
|
|
cr.createDCRuntime = function (w, h)
|
|
{
|
|
return new Runtime({ "dc": true, "width": w, "height": h });
|
|
};
|
|
window["cr_createRuntime"] = cr.createRuntime;
|
|
window["cr_createDCRuntime"] = cr.createDCRuntime;
|
|
window["createCocoonJSRuntime"] = function ()
|
|
{
|
|
window["c2cocoonjs"] = true;
|
|
var canvas = document.createElement("screencanvas") || document.createElement("canvas");
|
|
canvas.screencanvas = true;
|
|
document.body.appendChild(canvas);
|
|
var rt = new Runtime(canvas);
|
|
window["c2runtime"] = rt;
|
|
window.addEventListener("orientationchange", function () {
|
|
window["c2runtime"]["setSize"](window.innerWidth, window.innerHeight);
|
|
});
|
|
window["c2runtime"]["setSize"](window.innerWidth, window.innerHeight);
|
|
return rt;
|
|
};
|
|
window["createEjectaRuntime"] = function ()
|
|
{
|
|
var canvas = document.getElementById("canvas");
|
|
var rt = new Runtime(canvas);
|
|
window["c2runtime"] = rt;
|
|
window["c2runtime"]["setSize"](window.innerWidth, window.innerHeight);
|
|
return rt;
|
|
};
|
|
}());
|
|
window["cr_getC2Runtime"] = function()
|
|
{
|
|
var canvas = document.getElementById("c2canvas");
|
|
if (canvas)
|
|
return canvas["c2runtime"];
|
|
else if (window["c2runtime"])
|
|
return window["c2runtime"];
|
|
else
|
|
return null;
|
|
}
|
|
window["cr_getSnapshot"] = function (format_, quality_)
|
|
{
|
|
var runtime = window["cr_getC2Runtime"]();
|
|
if (runtime)
|
|
runtime.doCanvasSnapshot(format_, quality_);
|
|
}
|
|
window["cr_sizeCanvas"] = function(w, h)
|
|
{
|
|
if (w === 0 || h === 0)
|
|
return;
|
|
var runtime = window["cr_getC2Runtime"]();
|
|
if (runtime)
|
|
runtime["setSize"](w, h);
|
|
}
|
|
window["cr_setSuspended"] = function(s)
|
|
{
|
|
var runtime = window["cr_getC2Runtime"]();
|
|
if (runtime)
|
|
runtime["setSuspended"](s);
|
|
}
|
|
;
|
|
(function()
|
|
{
|
|
function Layout(runtime, m)
|
|
{
|
|
this.runtime = runtime;
|
|
this.event_sheet = null;
|
|
this.scrollX = (this.runtime.original_width / 2);
|
|
this.scrollY = (this.runtime.original_height / 2);
|
|
this.scale = 1.0;
|
|
this.angle = 0;
|
|
this.first_visit = true;
|
|
this.name = m[0];
|
|
this.originalWidth = m[1];
|
|
this.originalHeight = m[2];
|
|
this.width = m[1];
|
|
this.height = m[2];
|
|
this.unbounded_scrolling = m[3];
|
|
this.sheetname = m[4];
|
|
this.sid = m[5];
|
|
var lm = m[6];
|
|
var i, len;
|
|
this.layers = [];
|
|
this.initial_types = [];
|
|
for (i = 0, len = lm.length; i < len; i++)
|
|
{
|
|
var layer = new cr.layer(this, lm[i]);
|
|
layer.number = i;
|
|
cr.seal(layer);
|
|
this.layers.push(layer);
|
|
}
|
|
var im = m[7];
|
|
this.initial_nonworld = [];
|
|
for (i = 0, len = im.length; i < len; i++)
|
|
{
|
|
var inst = im[i];
|
|
var type = this.runtime.types_by_index[inst[1]];
|
|
;
|
|
if (!type.default_instance)
|
|
type.default_instance = inst;
|
|
this.initial_nonworld.push(inst);
|
|
if (this.initial_types.indexOf(type) === -1)
|
|
this.initial_types.push(type);
|
|
}
|
|
this.effect_types = [];
|
|
this.active_effect_types = [];
|
|
this.shaders_preserve_opaqueness = true;
|
|
this.effect_params = [];
|
|
for (i = 0, len = m[8].length; i < len; i++)
|
|
{
|
|
this.effect_types.push({
|
|
id: m[8][i][0],
|
|
name: m[8][i][1],
|
|
shaderindex: -1,
|
|
preservesOpaqueness: false,
|
|
active: true,
|
|
index: i
|
|
});
|
|
this.effect_params.push(m[8][i][2].slice(0));
|
|
}
|
|
this.updateActiveEffects();
|
|
this.rcTex = new cr.rect(0, 0, 1, 1);
|
|
this.rcTex2 = new cr.rect(0, 0, 1, 1);
|
|
this.persist_data = {};
|
|
};
|
|
Layout.prototype.saveObjectToPersist = function (inst)
|
|
{
|
|
var sidStr = inst.type.sid.toString();
|
|
if (!this.persist_data.hasOwnProperty(sidStr))
|
|
this.persist_data[sidStr] = [];
|
|
var type_persist = this.persist_data[sidStr];
|
|
type_persist.push(this.runtime.saveInstanceToJSON(inst));
|
|
};
|
|
Layout.prototype.hasOpaqueBottomLayer = function ()
|
|
{
|
|
var layer = this.layers[0];
|
|
return !layer.transparent && layer.opacity === 1.0 && !layer.forceOwnTexture && layer.visible;
|
|
};
|
|
Layout.prototype.updateActiveEffects = function ()
|
|
{
|
|
cr.clearArray(this.active_effect_types);
|
|
this.shaders_preserve_opaqueness = true;
|
|
var i, len, et;
|
|
for (i = 0, len = this.effect_types.length; i < len; i++)
|
|
{
|
|
et = this.effect_types[i];
|
|
if (et.active)
|
|
{
|
|
this.active_effect_types.push(et);
|
|
if (!et.preservesOpaqueness)
|
|
this.shaders_preserve_opaqueness = false;
|
|
}
|
|
}
|
|
};
|
|
Layout.prototype.getEffectByName = function (name_)
|
|
{
|
|
var i, len, et;
|
|
for (i = 0, len = this.effect_types.length; i < len; i++)
|
|
{
|
|
et = this.effect_types[i];
|
|
if (et.name === name_)
|
|
return et;
|
|
}
|
|
return null;
|
|
};
|
|
var created_instances = [];
|
|
function sort_by_zindex(a, b)
|
|
{
|
|
return a.zindex - b.zindex;
|
|
};
|
|
var first_layout = true;
|
|
Layout.prototype.startRunning = function ()
|
|
{
|
|
if (this.sheetname)
|
|
{
|
|
this.event_sheet = this.runtime.eventsheets[this.sheetname];
|
|
;
|
|
this.event_sheet.updateDeepIncludes();
|
|
}
|
|
this.runtime.running_layout = this;
|
|
this.width = this.originalWidth;
|
|
this.height = this.originalHeight;
|
|
this.scrollX = (this.runtime.original_width / 2);
|
|
this.scrollY = (this.runtime.original_height / 2);
|
|
var i, k, len, lenk, type, type_instances, initial_inst, inst, iid, t, s, p, q, type_data, layer;
|
|
for (i = 0, len = this.runtime.types_by_index.length; i < len; i++)
|
|
{
|
|
type = this.runtime.types_by_index[i];
|
|
if (type.is_family)
|
|
continue; // instances are only transferred for their real type
|
|
type_instances = type.instances;
|
|
for (k = 0, lenk = type_instances.length; k < lenk; k++)
|
|
{
|
|
inst = type_instances[k];
|
|
if (inst.layer)
|
|
{
|
|
var num = inst.layer.number;
|
|
if (num >= this.layers.length)
|
|
num = this.layers.length - 1;
|
|
inst.layer = this.layers[num];
|
|
if (inst.layer.instances.indexOf(inst) === -1)
|
|
inst.layer.instances.push(inst);
|
|
inst.layer.zindices_stale = true;
|
|
}
|
|
}
|
|
}
|
|
if (!first_layout)
|
|
{
|
|
for (i = 0, len = this.layers.length; i < len; ++i)
|
|
{
|
|
this.layers[i].instances.sort(sort_by_zindex);
|
|
}
|
|
}
|
|
var layer;
|
|
cr.clearArray(created_instances);
|
|
this.boundScrolling();
|
|
for (i = 0, len = this.layers.length; i < len; i++)
|
|
{
|
|
layer = this.layers[i];
|
|
layer.createInitialInstances(); // fills created_instances
|
|
layer.updateViewport(null);
|
|
}
|
|
var uids_changed = false;
|
|
if (!this.first_visit)
|
|
{
|
|
for (p in this.persist_data)
|
|
{
|
|
if (this.persist_data.hasOwnProperty(p))
|
|
{
|
|
type = this.runtime.getObjectTypeBySid(parseInt(p, 10));
|
|
if (!type || type.is_family || !this.runtime.typeHasPersistBehavior(type))
|
|
continue;
|
|
type_data = this.persist_data[p];
|
|
for (i = 0, len = type_data.length; i < len; i++)
|
|
{
|
|
layer = null;
|
|
if (type.plugin.is_world)
|
|
{
|
|
layer = this.getLayerBySid(type_data[i]["w"]["l"]);
|
|
if (!layer)
|
|
continue;
|
|
}
|
|
inst = this.runtime.createInstanceFromInit(type.default_instance, layer, false, 0, 0, true);
|
|
this.runtime.loadInstanceFromJSON(inst, type_data[i]);
|
|
uids_changed = true;
|
|
created_instances.push(inst);
|
|
}
|
|
cr.clearArray(type_data);
|
|
}
|
|
}
|
|
for (i = 0, len = this.layers.length; i < len; i++)
|
|
{
|
|
this.layers[i].instances.sort(sort_by_zindex);
|
|
this.layers[i].zindices_stale = true; // in case of duplicates/holes
|
|
}
|
|
}
|
|
if (uids_changed)
|
|
{
|
|
this.runtime.ClearDeathRow();
|
|
this.runtime.refreshUidMap();
|
|
}
|
|
for (i = 0; i < created_instances.length; i++)
|
|
{
|
|
inst = created_instances[i];
|
|
if (!inst.type.is_contained)
|
|
continue;
|
|
iid = inst.get_iid();
|
|
for (k = 0, lenk = inst.type.container.length; k < lenk; k++)
|
|
{
|
|
t = inst.type.container[k];
|
|
if (inst.type === t)
|
|
continue;
|
|
if (t.instances.length > iid)
|
|
inst.siblings.push(t.instances[iid]);
|
|
else
|
|
{
|
|
if (!t.default_instance)
|
|
{
|
|
}
|
|
else
|
|
{
|
|
s = this.runtime.createInstanceFromInit(t.default_instance, inst.layer, true, inst.x, inst.y, true);
|
|
this.runtime.ClearDeathRow();
|
|
t.updateIIDs();
|
|
inst.siblings.push(s);
|
|
created_instances.push(s); // come back around and link up its own instances too
|
|
}
|
|
}
|
|
}
|
|
}
|
|
for (i = 0, len = this.initial_nonworld.length; i < len; i++)
|
|
{
|
|
initial_inst = this.initial_nonworld[i];
|
|
type = this.runtime.types_by_index[initial_inst[1]];
|
|
if (!type.is_contained)
|
|
{
|
|
inst = this.runtime.createInstanceFromInit(this.initial_nonworld[i], null, true);
|
|
}
|
|
;
|
|
}
|
|
this.runtime.changelayout = null;
|
|
this.runtime.ClearDeathRow();
|
|
if (this.runtime.ctx && !this.runtime.isDomFree)
|
|
{
|
|
for (i = 0, len = this.runtime.types_by_index.length; i < len; i++)
|
|
{
|
|
t = this.runtime.types_by_index[i];
|
|
if (t.is_family || !t.instances.length || !t.preloadCanvas2D)
|
|
continue;
|
|
t.preloadCanvas2D(this.runtime.ctx);
|
|
}
|
|
}
|
|
/*
|
|
if (this.runtime.glwrap)
|
|
{
|
|
console.log("Estimated VRAM at layout start: " + this.runtime.glwrap.textureCount() + " textures, approx. " + Math.round(this.runtime.glwrap.estimateVRAM() / 1024) + " kb");
|
|
}
|
|
*/
|
|
if (this.runtime.isLoadingState)
|
|
{
|
|
cr.shallowAssignArray(this.runtime.fireOnCreateAfterLoad, created_instances);
|
|
}
|
|
else
|
|
{
|
|
for (i = 0, len = created_instances.length; i < len; i++)
|
|
{
|
|
inst = created_instances[i];
|
|
this.runtime.trigger(Object.getPrototypeOf(inst.type.plugin).cnds.OnCreated, inst);
|
|
}
|
|
}
|
|
cr.clearArray(created_instances);
|
|
if (!this.runtime.isLoadingState)
|
|
{
|
|
this.runtime.trigger(cr.system_object.prototype.cnds.OnLayoutStart, null);
|
|
}
|
|
this.first_visit = false;
|
|
};
|
|
Layout.prototype.createGlobalNonWorlds = function ()
|
|
{
|
|
var i, k, len, initial_inst, inst, type;
|
|
for (i = 0, k = 0, len = this.initial_nonworld.length; i < len; i++)
|
|
{
|
|
initial_inst = this.initial_nonworld[i];
|
|
type = this.runtime.types_by_index[initial_inst[1]];
|
|
if (type.global)
|
|
{
|
|
if (!type.is_contained)
|
|
{
|
|
inst = this.runtime.createInstanceFromInit(initial_inst, null, true);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
this.initial_nonworld[k] = initial_inst;
|
|
k++;
|
|
}
|
|
}
|
|
cr.truncateArray(this.initial_nonworld, k);
|
|
};
|
|
Layout.prototype.stopRunning = function ()
|
|
{
|
|
;
|
|
/*
|
|
if (this.runtime.glwrap)
|
|
{
|
|
console.log("Estimated VRAM at layout end: " + this.runtime.glwrap.textureCount() + " textures, approx. " + Math.round(this.runtime.glwrap.estimateVRAM() / 1024) + " kb");
|
|
}
|
|
*/
|
|
if (!this.runtime.isLoadingState)
|
|
{
|
|
this.runtime.trigger(cr.system_object.prototype.cnds.OnLayoutEnd, null);
|
|
}
|
|
this.runtime.isEndingLayout = true;
|
|
cr.clearArray(this.runtime.system.waits);
|
|
var i, leni, j, lenj;
|
|
var layer_instances, inst, type;
|
|
if (!this.first_visit)
|
|
{
|
|
for (i = 0, leni = this.layers.length; i < leni; i++)
|
|
{
|
|
this.layers[i].updateZIndices();
|
|
layer_instances = this.layers[i].instances;
|
|
for (j = 0, lenj = layer_instances.length; j < lenj; j++)
|
|
{
|
|
inst = layer_instances[j];
|
|
if (!inst.type.global)
|
|
{
|
|
if (this.runtime.typeHasPersistBehavior(inst.type))
|
|
this.saveObjectToPersist(inst);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
for (i = 0, leni = this.layers.length; i < leni; i++)
|
|
{
|
|
layer_instances = this.layers[i].instances;
|
|
for (j = 0, lenj = layer_instances.length; j < lenj; j++)
|
|
{
|
|
inst = layer_instances[j];
|
|
if (!inst.type.global)
|
|
{
|
|
this.runtime.DestroyInstance(inst);
|
|
}
|
|
}
|
|
this.runtime.ClearDeathRow();
|
|
cr.clearArray(layer_instances);
|
|
this.layers[i].zindices_stale = true;
|
|
}
|
|
for (i = 0, leni = this.runtime.types_by_index.length; i < leni; i++)
|
|
{
|
|
type = this.runtime.types_by_index[i];
|
|
if (type.global || type.plugin.is_world || type.plugin.singleglobal || type.is_family)
|
|
continue;
|
|
for (j = 0, lenj = type.instances.length; j < lenj; j++)
|
|
this.runtime.DestroyInstance(type.instances[j]);
|
|
this.runtime.ClearDeathRow();
|
|
}
|
|
first_layout = false;
|
|
this.runtime.isEndingLayout = false;
|
|
};
|
|
var temp_rect = new cr.rect(0, 0, 0, 0);
|
|
Layout.prototype.recreateInitialObjects = function (type, x1, y1, x2, y2)
|
|
{
|
|
temp_rect.set(x1, y1, x2, y2);
|
|
var i, len;
|
|
for (i = 0, len = this.layers.length; i < len; i++)
|
|
{
|
|
this.layers[i].recreateInitialObjects(type, temp_rect);
|
|
}
|
|
};
|
|
Layout.prototype.draw = function (ctx)
|
|
{
|
|
var layout_canvas;
|
|
var layout_ctx = ctx;
|
|
var ctx_changed = false;
|
|
var render_offscreen = !this.runtime.fullscreenScalingQuality;
|
|
if (render_offscreen)
|
|
{
|
|
if (!this.runtime.layout_canvas)
|
|
{
|
|
this.runtime.layout_canvas = document.createElement("canvas");
|
|
layout_canvas = this.runtime.layout_canvas;
|
|
layout_canvas.width = this.runtime.draw_width;
|
|
layout_canvas.height = this.runtime.draw_height;
|
|
this.runtime.layout_ctx = layout_canvas.getContext("2d");
|
|
ctx_changed = true;
|
|
}
|
|
layout_canvas = this.runtime.layout_canvas;
|
|
layout_ctx = this.runtime.layout_ctx;
|
|
if (layout_canvas.width !== this.runtime.draw_width)
|
|
{
|
|
layout_canvas.width = this.runtime.draw_width;
|
|
ctx_changed = true;
|
|
}
|
|
if (layout_canvas.height !== this.runtime.draw_height)
|
|
{
|
|
layout_canvas.height = this.runtime.draw_height;
|
|
ctx_changed = true;
|
|
}
|
|
if (ctx_changed)
|
|
{
|
|
this.runtime.setCtxImageSmoothingEnabled(layout_ctx, this.runtime.linearSampling);
|
|
}
|
|
}
|
|
layout_ctx.globalAlpha = 1;
|
|
layout_ctx.globalCompositeOperation = "source-over";
|
|
if (this.runtime.clearBackground && !this.hasOpaqueBottomLayer())
|
|
layout_ctx.clearRect(0, 0, this.runtime.draw_width, this.runtime.draw_height);
|
|
var i, len, l;
|
|
for (i = 0, len = this.layers.length; i < len; i++)
|
|
{
|
|
l = this.layers[i];
|
|
if (l.visible && l.opacity > 0 && l.blend_mode !== 11 && (l.instances.length || !l.transparent))
|
|
l.draw(layout_ctx);
|
|
else
|
|
l.updateViewport(null); // even if not drawing, keep viewport up to date
|
|
}
|
|
if (render_offscreen)
|
|
{
|
|
ctx.drawImage(layout_canvas, 0, 0, this.runtime.width, this.runtime.height);
|
|
}
|
|
};
|
|
Layout.prototype.drawGL_earlyZPass = function (glw)
|
|
{
|
|
glw.setEarlyZPass(true);
|
|
if (!this.runtime.layout_tex)
|
|
{
|
|
this.runtime.layout_tex = glw.createEmptyTexture(this.runtime.draw_width, this.runtime.draw_height, this.runtime.linearSampling);
|
|
}
|
|
if (this.runtime.layout_tex.c2width !== this.runtime.draw_width || this.runtime.layout_tex.c2height !== this.runtime.draw_height)
|
|
{
|
|
glw.deleteTexture(this.runtime.layout_tex);
|
|
this.runtime.layout_tex = glw.createEmptyTexture(this.runtime.draw_width, this.runtime.draw_height, this.runtime.linearSampling);
|
|
}
|
|
glw.setRenderingToTexture(this.runtime.layout_tex);
|
|
if (!this.runtime.fullscreenScalingQuality)
|
|
{
|
|
glw.setSize(this.runtime.draw_width, this.runtime.draw_height);
|
|
}
|
|
var i, l;
|
|
for (i = this.layers.length - 1; i >= 0; --i)
|
|
{
|
|
l = this.layers[i];
|
|
if (l.visible && l.opacity === 1 && l.shaders_preserve_opaqueness &&
|
|
l.blend_mode === 0 && (l.instances.length || !l.transparent))
|
|
{
|
|
l.drawGL_earlyZPass(glw);
|
|
}
|
|
else
|
|
{
|
|
l.updateViewport(null); // even if not drawing, keep viewport up to date
|
|
}
|
|
}
|
|
glw.setEarlyZPass(false);
|
|
};
|
|
Layout.prototype.drawGL = function (glw)
|
|
{
|
|
var render_to_texture = (this.active_effect_types.length > 0 ||
|
|
this.runtime.uses_background_blending ||
|
|
!this.runtime.fullscreenScalingQuality ||
|
|
this.runtime.enableFrontToBack);
|
|
if (render_to_texture)
|
|
{
|
|
if (!this.runtime.layout_tex)
|
|
{
|
|
this.runtime.layout_tex = glw.createEmptyTexture(this.runtime.draw_width, this.runtime.draw_height, this.runtime.linearSampling);
|
|
}
|
|
if (this.runtime.layout_tex.c2width !== this.runtime.draw_width || this.runtime.layout_tex.c2height !== this.runtime.draw_height)
|
|
{
|
|
glw.deleteTexture(this.runtime.layout_tex);
|
|
this.runtime.layout_tex = glw.createEmptyTexture(this.runtime.draw_width, this.runtime.draw_height, this.runtime.linearSampling);
|
|
}
|
|
glw.setRenderingToTexture(this.runtime.layout_tex);
|
|
if (!this.runtime.fullscreenScalingQuality)
|
|
{
|
|
glw.setSize(this.runtime.draw_width, this.runtime.draw_height);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (this.runtime.layout_tex)
|
|
{
|
|
glw.setRenderingToTexture(null);
|
|
glw.deleteTexture(this.runtime.layout_tex);
|
|
this.runtime.layout_tex = null;
|
|
}
|
|
}
|
|
if (this.runtime.clearBackground && !this.hasOpaqueBottomLayer())
|
|
glw.clear(0, 0, 0, 0);
|
|
var i, len, l;
|
|
for (i = 0, len = this.layers.length; i < len; i++)
|
|
{
|
|
l = this.layers[i];
|
|
if (l.visible && l.opacity > 0 && (l.instances.length || !l.transparent))
|
|
l.drawGL(glw);
|
|
else
|
|
l.updateViewport(null); // even if not drawing, keep viewport up to date
|
|
}
|
|
if (render_to_texture)
|
|
{
|
|
if (this.active_effect_types.length === 0 ||
|
|
(this.active_effect_types.length === 1 && this.runtime.fullscreenScalingQuality))
|
|
{
|
|
if (this.active_effect_types.length === 1)
|
|
{
|
|
var etindex = this.active_effect_types[0].index;
|
|
glw.switchProgram(this.active_effect_types[0].shaderindex);
|
|
glw.setProgramParameters(null, // backTex
|
|
1.0 / this.runtime.draw_width, // pixelWidth
|
|
1.0 / this.runtime.draw_height, // pixelHeight
|
|
0.0, 0.0, // destStart
|
|
1.0, 1.0, // destEnd
|
|
this.scale, // layerScale
|
|
this.angle, // layerAngle
|
|
0.0, 0.0, // viewOrigin
|
|
this.runtime.draw_width / 2, this.runtime.draw_height / 2, // scrollPos
|
|
this.runtime.kahanTime.sum, // seconds
|
|
this.effect_params[etindex]); // fx parameters
|
|
if (glw.programIsAnimated(this.active_effect_types[0].shaderindex))
|
|
this.runtime.redraw = true;
|
|
}
|
|
else
|
|
glw.switchProgram(0);
|
|
if (!this.runtime.fullscreenScalingQuality)
|
|
{
|
|
glw.setSize(this.runtime.width, this.runtime.height);
|
|
}
|
|
glw.setRenderingToTexture(null); // to backbuffer
|
|
glw.setDepthTestEnabled(false); // ignore depth buffer, copy full texture
|
|
glw.setOpacity(1);
|
|
glw.setTexture(this.runtime.layout_tex);
|
|
glw.setAlphaBlend();
|
|
glw.resetModelView();
|
|
glw.updateModelView();
|
|
var halfw = this.runtime.width / 2;
|
|
var halfh = this.runtime.height / 2;
|
|
glw.quad(-halfw, halfh, halfw, halfh, halfw, -halfh, -halfw, -halfh);
|
|
glw.setTexture(null);
|
|
glw.setDepthTestEnabled(true); // turn depth test back on
|
|
}
|
|
else
|
|
{
|
|
this.renderEffectChain(glw, null, null, null);
|
|
}
|
|
}
|
|
};
|
|
Layout.prototype.getRenderTarget = function()
|
|
{
|
|
if (this.active_effect_types.length > 0 ||
|
|
this.runtime.uses_background_blending ||
|
|
!this.runtime.fullscreenScalingQuality ||
|
|
this.runtime.enableFrontToBack)
|
|
{
|
|
return this.runtime.layout_tex;
|
|
}
|
|
else
|
|
{
|
|
return null;
|
|
}
|
|
};
|
|
Layout.prototype.getMinLayerScale = function ()
|
|
{
|
|
var m = this.layers[0].getScale();
|
|
var i, len, l;
|
|
for (i = 1, len = this.layers.length; i < len; i++)
|
|
{
|
|
l = this.layers[i];
|
|
if (l.parallaxX === 0 && l.parallaxY === 0)
|
|
continue;
|
|
if (l.getScale() < m)
|
|
m = l.getScale();
|
|
}
|
|
return m;
|
|
};
|
|
Layout.prototype.scrollToX = function (x)
|
|
{
|
|
if (!this.unbounded_scrolling)
|
|
{
|
|
var widthBoundary = (this.runtime.draw_width * (1 / this.getMinLayerScale()) / 2);
|
|
if (x > this.width - widthBoundary)
|
|
x = this.width - widthBoundary;
|
|
if (x < widthBoundary)
|
|
x = widthBoundary;
|
|
}
|
|
if (this.scrollX !== x)
|
|
{
|
|
this.scrollX = x;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Layout.prototype.scrollToY = function (y)
|
|
{
|
|
if (!this.unbounded_scrolling)
|
|
{
|
|
var heightBoundary = (this.runtime.draw_height * (1 / this.getMinLayerScale()) / 2);
|
|
if (y > this.height - heightBoundary)
|
|
y = this.height - heightBoundary;
|
|
if (y < heightBoundary)
|
|
y = heightBoundary;
|
|
}
|
|
if (this.scrollY !== y)
|
|
{
|
|
this.scrollY = y;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Layout.prototype.boundScrolling = function ()
|
|
{
|
|
this.scrollToX(this.scrollX);
|
|
this.scrollToY(this.scrollY);
|
|
};
|
|
Layout.prototype.renderEffectChain = function (glw, layer, inst, rendertarget)
|
|
{
|
|
var active_effect_types = inst ?
|
|
inst.active_effect_types :
|
|
layer ?
|
|
layer.active_effect_types :
|
|
this.active_effect_types;
|
|
var layerScale = 1, layerAngle = 0, viewOriginLeft = 0, viewOriginTop = 0, viewOriginRight = this.runtime.draw_width, viewOriginBottom = this.runtime.draw_height;
|
|
if (inst)
|
|
{
|
|
layerScale = inst.layer.getScale();
|
|
layerAngle = inst.layer.getAngle();
|
|
viewOriginLeft = inst.layer.viewLeft;
|
|
viewOriginTop = inst.layer.viewTop;
|
|
viewOriginRight = inst.layer.viewRight;
|
|
viewOriginBottom = inst.layer.viewBottom;
|
|
}
|
|
else if (layer)
|
|
{
|
|
layerScale = layer.getScale();
|
|
layerAngle = layer.getAngle();
|
|
viewOriginLeft = layer.viewLeft;
|
|
viewOriginTop = layer.viewTop;
|
|
viewOriginRight = layer.viewRight;
|
|
viewOriginBottom = layer.viewBottom;
|
|
}
|
|
var fx_tex = this.runtime.fx_tex;
|
|
var i, len, last, temp, fx_index = 0, other_fx_index = 1;
|
|
var y, h;
|
|
var windowWidth = this.runtime.draw_width;
|
|
var windowHeight = this.runtime.draw_height;
|
|
var halfw = windowWidth / 2;
|
|
var halfh = windowHeight / 2;
|
|
var rcTex = layer ? layer.rcTex : this.rcTex;
|
|
var rcTex2 = layer ? layer.rcTex2 : this.rcTex2;
|
|
var screenleft = 0, clearleft = 0;
|
|
var screentop = 0, cleartop = 0;
|
|
var screenright = windowWidth, clearright = windowWidth;
|
|
var screenbottom = windowHeight, clearbottom = windowHeight;
|
|
var boxExtendHorizontal = 0;
|
|
var boxExtendVertical = 0;
|
|
var inst_layer_angle = inst ? inst.layer.getAngle() : 0;
|
|
if (inst)
|
|
{
|
|
for (i = 0, len = active_effect_types.length; i < len; i++)
|
|
{
|
|
boxExtendHorizontal += glw.getProgramBoxExtendHorizontal(active_effect_types[i].shaderindex);
|
|
boxExtendVertical += glw.getProgramBoxExtendVertical(active_effect_types[i].shaderindex);
|
|
}
|
|
var bbox = inst.bbox;
|
|
screenleft = layer.layerToCanvas(bbox.left, bbox.top, true, true);
|
|
screentop = layer.layerToCanvas(bbox.left, bbox.top, false, true);
|
|
screenright = layer.layerToCanvas(bbox.right, bbox.bottom, true, true);
|
|
screenbottom = layer.layerToCanvas(bbox.right, bbox.bottom, false, true);
|
|
if (inst_layer_angle !== 0)
|
|
{
|
|
var screentrx = layer.layerToCanvas(bbox.right, bbox.top, true, true);
|
|
var screentry = layer.layerToCanvas(bbox.right, bbox.top, false, true);
|
|
var screenblx = layer.layerToCanvas(bbox.left, bbox.bottom, true, true);
|
|
var screenbly = layer.layerToCanvas(bbox.left, bbox.bottom, false, true);
|
|
temp = Math.min(screenleft, screenright, screentrx, screenblx);
|
|
screenright = Math.max(screenleft, screenright, screentrx, screenblx);
|
|
screenleft = temp;
|
|
temp = Math.min(screentop, screenbottom, screentry, screenbly);
|
|
screenbottom = Math.max(screentop, screenbottom, screentry, screenbly);
|
|
screentop = temp;
|
|
}
|
|
screenleft -= boxExtendHorizontal;
|
|
screentop -= boxExtendVertical;
|
|
screenright += boxExtendHorizontal;
|
|
screenbottom += boxExtendVertical;
|
|
rcTex2.left = screenleft / windowWidth;
|
|
rcTex2.top = 1 - screentop / windowHeight;
|
|
rcTex2.right = screenright / windowWidth;
|
|
rcTex2.bottom = 1 - screenbottom / windowHeight;
|
|
clearleft = screenleft = cr.floor(screenleft);
|
|
cleartop = screentop = cr.floor(screentop);
|
|
clearright = screenright = cr.ceil(screenright);
|
|
clearbottom = screenbottom = cr.ceil(screenbottom);
|
|
clearleft -= boxExtendHorizontal;
|
|
cleartop -= boxExtendVertical;
|
|
clearright += boxExtendHorizontal;
|
|
clearbottom += boxExtendVertical;
|
|
if (screenleft < 0) screenleft = 0;
|
|
if (screentop < 0) screentop = 0;
|
|
if (screenright > windowWidth) screenright = windowWidth;
|
|
if (screenbottom > windowHeight) screenbottom = windowHeight;
|
|
if (clearleft < 0) clearleft = 0;
|
|
if (cleartop < 0) cleartop = 0;
|
|
if (clearright > windowWidth) clearright = windowWidth;
|
|
if (clearbottom > windowHeight) clearbottom = windowHeight;
|
|
rcTex.left = screenleft / windowWidth;
|
|
rcTex.top = 1 - screentop / windowHeight;
|
|
rcTex.right = screenright / windowWidth;
|
|
rcTex.bottom = 1 - screenbottom / windowHeight;
|
|
}
|
|
else
|
|
{
|
|
rcTex.left = rcTex2.left = 0;
|
|
rcTex.top = rcTex2.top = 0;
|
|
rcTex.right = rcTex2.right = 1;
|
|
rcTex.bottom = rcTex2.bottom = 1;
|
|
}
|
|
var pre_draw = (inst && (glw.programUsesDest(active_effect_types[0].shaderindex) || boxExtendHorizontal !== 0 || boxExtendVertical !== 0 || inst.opacity !== 1 || inst.type.plugin.must_predraw)) || (layer && !inst && layer.opacity !== 1);
|
|
glw.setAlphaBlend();
|
|
if (pre_draw)
|
|
{
|
|
if (!fx_tex[fx_index])
|
|
{
|
|
fx_tex[fx_index] = glw.createEmptyTexture(windowWidth, windowHeight, this.runtime.linearSampling);
|
|
}
|
|
if (fx_tex[fx_index].c2width !== windowWidth || fx_tex[fx_index].c2height !== windowHeight)
|
|
{
|
|
glw.deleteTexture(fx_tex[fx_index]);
|
|
fx_tex[fx_index] = glw.createEmptyTexture(windowWidth, windowHeight, this.runtime.linearSampling);
|
|
}
|
|
glw.switchProgram(0);
|
|
glw.setRenderingToTexture(fx_tex[fx_index]);
|
|
h = clearbottom - cleartop;
|
|
y = (windowHeight - cleartop) - h;
|
|
glw.clearRect(clearleft, y, clearright - clearleft, h);
|
|
if (inst)
|
|
{
|
|
inst.drawGL(glw);
|
|
}
|
|
else
|
|
{
|
|
glw.setTexture(this.runtime.layer_tex);
|
|
glw.setOpacity(layer.opacity);
|
|
glw.resetModelView();
|
|
glw.translate(-halfw, -halfh);
|
|
glw.updateModelView();
|
|
glw.quadTex(screenleft, screenbottom, screenright, screenbottom, screenright, screentop, screenleft, screentop, rcTex);
|
|
}
|
|
rcTex2.left = rcTex2.top = 0;
|
|
rcTex2.right = rcTex2.bottom = 1;
|
|
if (inst)
|
|
{
|
|
temp = rcTex.top;
|
|
rcTex.top = rcTex.bottom;
|
|
rcTex.bottom = temp;
|
|
}
|
|
fx_index = 1;
|
|
other_fx_index = 0;
|
|
}
|
|
glw.setOpacity(1);
|
|
var last = active_effect_types.length - 1;
|
|
var post_draw = glw.programUsesCrossSampling(active_effect_types[last].shaderindex) ||
|
|
(!layer && !inst && !this.runtime.fullscreenScalingQuality);
|
|
var etindex = 0;
|
|
for (i = 0, len = active_effect_types.length; i < len; i++)
|
|
{
|
|
if (!fx_tex[fx_index])
|
|
{
|
|
fx_tex[fx_index] = glw.createEmptyTexture(windowWidth, windowHeight, this.runtime.linearSampling);
|
|
}
|
|
if (fx_tex[fx_index].c2width !== windowWidth || fx_tex[fx_index].c2height !== windowHeight)
|
|
{
|
|
glw.deleteTexture(fx_tex[fx_index]);
|
|
fx_tex[fx_index] = glw.createEmptyTexture(windowWidth, windowHeight, this.runtime.linearSampling);
|
|
}
|
|
glw.switchProgram(active_effect_types[i].shaderindex);
|
|
etindex = active_effect_types[i].index;
|
|
if (glw.programIsAnimated(active_effect_types[i].shaderindex))
|
|
this.runtime.redraw = true;
|
|
if (i == 0 && !pre_draw)
|
|
{
|
|
glw.setRenderingToTexture(fx_tex[fx_index]);
|
|
h = clearbottom - cleartop;
|
|
y = (windowHeight - cleartop) - h;
|
|
glw.clearRect(clearleft, y, clearright - clearleft, h);
|
|
if (inst)
|
|
{
|
|
var pixelWidth;
|
|
var pixelHeight;
|
|
if (inst.curFrame && inst.curFrame.texture_img)
|
|
{
|
|
var img = inst.curFrame.texture_img;
|
|
pixelWidth = 1.0 / img.width;
|
|
pixelHeight = 1.0 / img.height;
|
|
}
|
|
else
|
|
{
|
|
pixelWidth = 1.0 / inst.width;
|
|
pixelHeight = 1.0 / inst.height;
|
|
}
|
|
glw.setProgramParameters(rendertarget, // backTex
|
|
pixelWidth,
|
|
pixelHeight,
|
|
rcTex2.left, rcTex2.top, // destStart
|
|
rcTex2.right, rcTex2.bottom, // destEnd
|
|
layerScale,
|
|
layerAngle,
|
|
viewOriginLeft, viewOriginTop,
|
|
(viewOriginLeft + viewOriginRight) / 2, (viewOriginTop + viewOriginBottom) / 2,
|
|
this.runtime.kahanTime.sum,
|
|
inst.effect_params[etindex]); // fx params
|
|
inst.drawGL(glw);
|
|
}
|
|
else
|
|
{
|
|
glw.setProgramParameters(rendertarget, // backTex
|
|
1.0 / windowWidth, // pixelWidth
|
|
1.0 / windowHeight, // pixelHeight
|
|
0.0, 0.0, // destStart
|
|
1.0, 1.0, // destEnd
|
|
layerScale,
|
|
layerAngle,
|
|
viewOriginLeft, viewOriginTop,
|
|
(viewOriginLeft + viewOriginRight) / 2, (viewOriginTop + viewOriginBottom) / 2,
|
|
this.runtime.kahanTime.sum,
|
|
layer ? // fx params
|
|
layer.effect_params[etindex] :
|
|
this.effect_params[etindex]);
|
|
glw.setTexture(layer ? this.runtime.layer_tex : this.runtime.layout_tex);
|
|
glw.resetModelView();
|
|
glw.translate(-halfw, -halfh);
|
|
glw.updateModelView();
|
|
glw.quadTex(screenleft, screenbottom, screenright, screenbottom, screenright, screentop, screenleft, screentop, rcTex);
|
|
}
|
|
rcTex2.left = rcTex2.top = 0;
|
|
rcTex2.right = rcTex2.bottom = 1;
|
|
if (inst && !post_draw)
|
|
{
|
|
temp = screenbottom;
|
|
screenbottom = screentop;
|
|
screentop = temp;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
glw.setProgramParameters(rendertarget, // backTex
|
|
1.0 / windowWidth, // pixelWidth
|
|
1.0 / windowHeight, // pixelHeight
|
|
rcTex2.left, rcTex2.top, // destStart
|
|
rcTex2.right, rcTex2.bottom, // destEnd
|
|
layerScale,
|
|
layerAngle,
|
|
viewOriginLeft, viewOriginTop,
|
|
(viewOriginLeft + viewOriginRight) / 2, (viewOriginTop + viewOriginBottom) / 2,
|
|
this.runtime.kahanTime.sum,
|
|
inst ? // fx params
|
|
inst.effect_params[etindex] :
|
|
layer ?
|
|
layer.effect_params[etindex] :
|
|
this.effect_params[etindex]);
|
|
glw.setTexture(null);
|
|
if (i === last && !post_draw)
|
|
{
|
|
if (inst)
|
|
glw.setBlend(inst.srcBlend, inst.destBlend);
|
|
else if (layer)
|
|
glw.setBlend(layer.srcBlend, layer.destBlend);
|
|
glw.setRenderingToTexture(rendertarget);
|
|
}
|
|
else
|
|
{
|
|
glw.setRenderingToTexture(fx_tex[fx_index]);
|
|
h = clearbottom - cleartop;
|
|
y = (windowHeight - cleartop) - h;
|
|
glw.clearRect(clearleft, y, clearright - clearleft, h);
|
|
}
|
|
glw.setTexture(fx_tex[other_fx_index]);
|
|
glw.resetModelView();
|
|
glw.translate(-halfw, -halfh);
|
|
glw.updateModelView();
|
|
glw.quadTex(screenleft, screenbottom, screenright, screenbottom, screenright, screentop, screenleft, screentop, rcTex);
|
|
if (i === last && !post_draw)
|
|
glw.setTexture(null);
|
|
}
|
|
fx_index = (fx_index === 0 ? 1 : 0);
|
|
other_fx_index = (fx_index === 0 ? 1 : 0); // will be opposite to fx_index since it was just assigned
|
|
}
|
|
if (post_draw)
|
|
{
|
|
glw.switchProgram(0);
|
|
if (inst)
|
|
glw.setBlend(inst.srcBlend, inst.destBlend);
|
|
else if (layer)
|
|
glw.setBlend(layer.srcBlend, layer.destBlend);
|
|
else
|
|
{
|
|
if (!this.runtime.fullscreenScalingQuality)
|
|
{
|
|
glw.setSize(this.runtime.width, this.runtime.height);
|
|
halfw = this.runtime.width / 2;
|
|
halfh = this.runtime.height / 2;
|
|
screenleft = 0;
|
|
screentop = 0;
|
|
screenright = this.runtime.width;
|
|
screenbottom = this.runtime.height;
|
|
}
|
|
}
|
|
glw.setRenderingToTexture(rendertarget);
|
|
glw.setTexture(fx_tex[other_fx_index]);
|
|
glw.resetModelView();
|
|
glw.translate(-halfw, -halfh);
|
|
glw.updateModelView();
|
|
if (inst && active_effect_types.length === 1 && !pre_draw)
|
|
glw.quadTex(screenleft, screentop, screenright, screentop, screenright, screenbottom, screenleft, screenbottom, rcTex);
|
|
else
|
|
glw.quadTex(screenleft, screenbottom, screenright, screenbottom, screenright, screentop, screenleft, screentop, rcTex);
|
|
glw.setTexture(null);
|
|
}
|
|
};
|
|
Layout.prototype.getLayerBySid = function (sid_)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.layers.length; i < len; i++)
|
|
{
|
|
if (this.layers[i].sid === sid_)
|
|
return this.layers[i];
|
|
}
|
|
return null;
|
|
};
|
|
Layout.prototype.saveToJSON = function ()
|
|
{
|
|
var i, len, layer, et;
|
|
var o = {
|
|
"sx": this.scrollX,
|
|
"sy": this.scrollY,
|
|
"s": this.scale,
|
|
"a": this.angle,
|
|
"w": this.width,
|
|
"h": this.height,
|
|
"fv": this.first_visit, // added r127
|
|
"persist": this.persist_data,
|
|
"fx": [],
|
|
"layers": {}
|
|
};
|
|
for (i = 0, len = this.effect_types.length; i < len; i++)
|
|
{
|
|
et = this.effect_types[i];
|
|
o["fx"].push({"name": et.name, "active": et.active, "params": this.effect_params[et.index] });
|
|
}
|
|
for (i = 0, len = this.layers.length; i < len; i++)
|
|
{
|
|
layer = this.layers[i];
|
|
o["layers"][layer.sid.toString()] = layer.saveToJSON();
|
|
}
|
|
return o;
|
|
};
|
|
Layout.prototype.loadFromJSON = function (o)
|
|
{
|
|
var i, j, len, fx, p, layer;
|
|
this.scrollX = o["sx"];
|
|
this.scrollY = o["sy"];
|
|
this.scale = o["s"];
|
|
this.angle = o["a"];
|
|
this.width = o["w"];
|
|
this.height = o["h"];
|
|
this.persist_data = o["persist"];
|
|
if (typeof o["fv"] !== "undefined")
|
|
this.first_visit = o["fv"];
|
|
var ofx = o["fx"];
|
|
for (i = 0, len = ofx.length; i < len; i++)
|
|
{
|
|
fx = this.getEffectByName(ofx[i]["name"]);
|
|
if (!fx)
|
|
continue; // must've gone missing
|
|
fx.active = ofx[i]["active"];
|
|
this.effect_params[fx.index] = ofx[i]["params"];
|
|
}
|
|
this.updateActiveEffects();
|
|
var olayers = o["layers"];
|
|
for (p in olayers)
|
|
{
|
|
if (olayers.hasOwnProperty(p))
|
|
{
|
|
layer = this.getLayerBySid(parseInt(p, 10));
|
|
if (!layer)
|
|
continue; // must've gone missing
|
|
layer.loadFromJSON(olayers[p]);
|
|
}
|
|
}
|
|
};
|
|
cr.layout = Layout;
|
|
function Layer(layout, m)
|
|
{
|
|
this.layout = layout;
|
|
this.runtime = layout.runtime;
|
|
this.instances = []; // running instances
|
|
this.scale = 1.0;
|
|
this.angle = 0;
|
|
this.disableAngle = false;
|
|
this.tmprect = new cr.rect(0, 0, 0, 0);
|
|
this.tmpquad = new cr.quad();
|
|
this.viewLeft = 0;
|
|
this.viewRight = 0;
|
|
this.viewTop = 0;
|
|
this.viewBottom = 0;
|
|
this.zindices_stale = false;
|
|
this.zindices_stale_from = -1; // first index that has changed, or -1 if no bound
|
|
this.clear_earlyz_index = 0;
|
|
this.name = m[0];
|
|
this.index = m[1];
|
|
this.sid = m[2];
|
|
this.visible = m[3]; // initially visible
|
|
this.background_color = m[4];
|
|
this.transparent = m[5];
|
|
this.parallaxX = m[6];
|
|
this.parallaxY = m[7];
|
|
this.opacity = m[8];
|
|
this.forceOwnTexture = m[9];
|
|
this.useRenderCells = m[10];
|
|
this.zoomRate = m[11];
|
|
this.blend_mode = m[12];
|
|
this.effect_fallback = m[13];
|
|
this.compositeOp = "source-over";
|
|
this.srcBlend = 0;
|
|
this.destBlend = 0;
|
|
this.render_grid = null;
|
|
this.last_render_list = alloc_arr();
|
|
this.render_list_stale = true;
|
|
this.last_render_cells = new cr.rect(0, 0, -1, -1);
|
|
this.cur_render_cells = new cr.rect(0, 0, -1, -1);
|
|
if (this.useRenderCells)
|
|
{
|
|
this.render_grid = new cr.RenderGrid(this.runtime.original_width, this.runtime.original_height);
|
|
}
|
|
this.render_offscreen = false;
|
|
var im = m[14];
|
|
var i, len;
|
|
this.startup_initial_instances = []; // for restoring initial_instances after load
|
|
this.initial_instances = [];
|
|
this.created_globals = []; // global object UIDs already created - for save/load to avoid recreating
|
|
for (i = 0, len = im.length; i < len; i++)
|
|
{
|
|
var inst = im[i];
|
|
var type = this.runtime.types_by_index[inst[1]];
|
|
;
|
|
if (!type.default_instance)
|
|
{
|
|
type.default_instance = inst;
|
|
type.default_layerindex = this.index;
|
|
}
|
|
this.initial_instances.push(inst);
|
|
if (this.layout.initial_types.indexOf(type) === -1)
|
|
this.layout.initial_types.push(type);
|
|
}
|
|
cr.shallowAssignArray(this.startup_initial_instances, this.initial_instances);
|
|
this.effect_types = [];
|
|
this.active_effect_types = [];
|
|
this.shaders_preserve_opaqueness = true;
|
|
this.effect_params = [];
|
|
for (i = 0, len = m[15].length; i < len; i++)
|
|
{
|
|
this.effect_types.push({
|
|
id: m[15][i][0],
|
|
name: m[15][i][1],
|
|
shaderindex: -1,
|
|
preservesOpaqueness: false,
|
|
active: true,
|
|
index: i
|
|
});
|
|
this.effect_params.push(m[15][i][2].slice(0));
|
|
}
|
|
this.updateActiveEffects();
|
|
this.rcTex = new cr.rect(0, 0, 1, 1);
|
|
this.rcTex2 = new cr.rect(0, 0, 1, 1);
|
|
};
|
|
Layer.prototype.updateActiveEffects = function ()
|
|
{
|
|
cr.clearArray(this.active_effect_types);
|
|
this.shaders_preserve_opaqueness = true;
|
|
var i, len, et;
|
|
for (i = 0, len = this.effect_types.length; i < len; i++)
|
|
{
|
|
et = this.effect_types[i];
|
|
if (et.active)
|
|
{
|
|
this.active_effect_types.push(et);
|
|
if (!et.preservesOpaqueness)
|
|
this.shaders_preserve_opaqueness = false;
|
|
}
|
|
}
|
|
};
|
|
Layer.prototype.getEffectByName = function (name_)
|
|
{
|
|
var i, len, et;
|
|
for (i = 0, len = this.effect_types.length; i < len; i++)
|
|
{
|
|
et = this.effect_types[i];
|
|
if (et.name === name_)
|
|
return et;
|
|
}
|
|
return null;
|
|
};
|
|
Layer.prototype.createInitialInstances = function ()
|
|
{
|
|
var i, k, len, inst, initial_inst, type, keep, hasPersistBehavior;
|
|
for (i = 0, k = 0, len = this.initial_instances.length; i < len; i++)
|
|
{
|
|
initial_inst = this.initial_instances[i];
|
|
type = this.runtime.types_by_index[initial_inst[1]];
|
|
;
|
|
hasPersistBehavior = this.runtime.typeHasPersistBehavior(type);
|
|
keep = true;
|
|
if (!hasPersistBehavior || this.layout.first_visit)
|
|
{
|
|
inst = this.runtime.createInstanceFromInit(initial_inst, this, true);
|
|
if (!inst)
|
|
continue; // may have skipped creation due to fallback effect "destroy"
|
|
created_instances.push(inst);
|
|
if (inst.type.global)
|
|
{
|
|
keep = false;
|
|
this.created_globals.push(inst.uid);
|
|
}
|
|
}
|
|
if (keep)
|
|
{
|
|
this.initial_instances[k] = this.initial_instances[i];
|
|
k++;
|
|
}
|
|
}
|
|
this.initial_instances.length = k;
|
|
this.runtime.ClearDeathRow(); // flushes creation row so IIDs will be correct
|
|
if (!this.runtime.glwrap && this.effect_types.length) // no WebGL renderer and shaders used
|
|
this.blend_mode = this.effect_fallback; // use fallback blend mode
|
|
this.compositeOp = cr.effectToCompositeOp(this.blend_mode);
|
|
if (this.runtime.gl)
|
|
cr.setGLBlend(this, this.blend_mode, this.runtime.gl);
|
|
this.render_list_stale = true;
|
|
};
|
|
Layer.prototype.recreateInitialObjects = function (only_type, rc)
|
|
{
|
|
var i, len, initial_inst, type, wm, x, y, inst, j, lenj, s;
|
|
var types_by_index = this.runtime.types_by_index;
|
|
var only_type_is_family = only_type.is_family;
|
|
var only_type_members = only_type.members;
|
|
for (i = 0, len = this.initial_instances.length; i < len; ++i)
|
|
{
|
|
initial_inst = this.initial_instances[i];
|
|
wm = initial_inst[0];
|
|
x = wm[0];
|
|
y = wm[1];
|
|
if (!rc.contains_pt(x, y))
|
|
continue; // not in the given area
|
|
type = types_by_index[initial_inst[1]];
|
|
if (type !== only_type)
|
|
{
|
|
if (only_type_is_family)
|
|
{
|
|
if (only_type_members.indexOf(type) < 0)
|
|
continue;
|
|
}
|
|
else
|
|
continue; // only_type is not a family, and the initial inst type does not match
|
|
}
|
|
inst = this.runtime.createInstanceFromInit(initial_inst, this, false);
|
|
this.runtime.isInOnDestroy++;
|
|
this.runtime.trigger(Object.getPrototypeOf(type.plugin).cnds.OnCreated, inst);
|
|
if (inst.is_contained)
|
|
{
|
|
for (j = 0, lenj = inst.siblings.length; j < lenj; j++)
|
|
{
|
|
s = inst.siblings[i];
|
|
this.runtime.trigger(Object.getPrototypeOf(s.type.plugin).cnds.OnCreated, s);
|
|
}
|
|
}
|
|
this.runtime.isInOnDestroy--;
|
|
}
|
|
};
|
|
Layer.prototype.removeFromInstanceList = function (inst, remove_from_grid)
|
|
{
|
|
var index = cr.fastIndexOf(this.instances, inst);
|
|
if (index < 0)
|
|
return; // not found
|
|
if (remove_from_grid && this.useRenderCells && inst.rendercells && inst.rendercells.right >= inst.rendercells.left)
|
|
{
|
|
inst.update_bbox(); // make sure actually in its current rendercells
|
|
this.render_grid.update(inst, inst.rendercells, null); // no new range provided - remove only
|
|
inst.rendercells.set(0, 0, -1, -1); // set to invalid state to indicate not inserted
|
|
}
|
|
if (index === this.instances.length - 1)
|
|
this.instances.pop();
|
|
else
|
|
{
|
|
cr.arrayRemove(this.instances, index);
|
|
this.setZIndicesStaleFrom(index);
|
|
}
|
|
this.render_list_stale = true;
|
|
};
|
|
Layer.prototype.appendToInstanceList = function (inst, add_to_grid)
|
|
{
|
|
;
|
|
inst.zindex = this.instances.length;
|
|
this.instances.push(inst);
|
|
if (add_to_grid && this.useRenderCells && inst.rendercells)
|
|
{
|
|
inst.set_bbox_changed(); // will cause immediate update and new insertion to grid
|
|
}
|
|
this.render_list_stale = true;
|
|
};
|
|
Layer.prototype.prependToInstanceList = function (inst, add_to_grid)
|
|
{
|
|
;
|
|
this.instances.unshift(inst);
|
|
this.setZIndicesStaleFrom(0);
|
|
if (add_to_grid && this.useRenderCells && inst.rendercells)
|
|
{
|
|
inst.set_bbox_changed(); // will cause immediate update and new insertion to grid
|
|
}
|
|
};
|
|
Layer.prototype.moveInstanceAdjacent = function (inst, other, isafter)
|
|
{
|
|
;
|
|
var myZ = inst.get_zindex();
|
|
var insertZ = other.get_zindex();
|
|
cr.arrayRemove(this.instances, myZ);
|
|
if (myZ < insertZ)
|
|
insertZ--;
|
|
if (isafter)
|
|
insertZ++;
|
|
if (insertZ === this.instances.length)
|
|
this.instances.push(inst);
|
|
else
|
|
this.instances.splice(insertZ, 0, inst);
|
|
this.setZIndicesStaleFrom(myZ < insertZ ? myZ : insertZ);
|
|
};
|
|
Layer.prototype.setZIndicesStaleFrom = function (index)
|
|
{
|
|
if (this.zindices_stale_from === -1) // not yet set
|
|
this.zindices_stale_from = index;
|
|
else if (index < this.zindices_stale_from) // determine minimum z index affected
|
|
this.zindices_stale_from = index;
|
|
this.zindices_stale = true;
|
|
this.render_list_stale = true;
|
|
};
|
|
Layer.prototype.updateZIndices = function ()
|
|
{
|
|
if (!this.zindices_stale)
|
|
return;
|
|
if (this.zindices_stale_from === -1)
|
|
this.zindices_stale_from = 0;
|
|
var i, len, inst;
|
|
if (this.useRenderCells)
|
|
{
|
|
for (i = this.zindices_stale_from, len = this.instances.length; i < len; ++i)
|
|
{
|
|
inst = this.instances[i];
|
|
inst.zindex = i;
|
|
this.render_grid.markRangeChanged(inst.rendercells);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
for (i = this.zindices_stale_from, len = this.instances.length; i < len; ++i)
|
|
{
|
|
this.instances[i].zindex = i;
|
|
}
|
|
}
|
|
this.zindices_stale = false;
|
|
this.zindices_stale_from = -1;
|
|
};
|
|
Layer.prototype.getScale = function (include_aspect)
|
|
{
|
|
return this.getNormalScale() * (this.runtime.fullscreenScalingQuality || include_aspect ? this.runtime.aspect_scale : 1);
|
|
};
|
|
Layer.prototype.getNormalScale = function ()
|
|
{
|
|
return ((this.scale * this.layout.scale) - 1) * this.zoomRate + 1;
|
|
};
|
|
Layer.prototype.getAngle = function ()
|
|
{
|
|
if (this.disableAngle)
|
|
return 0;
|
|
return cr.clamp_angle(this.layout.angle + this.angle);
|
|
};
|
|
var arr_cache = [];
|
|
function alloc_arr()
|
|
{
|
|
if (arr_cache.length)
|
|
return arr_cache.pop();
|
|
else
|
|
return [];
|
|
}
|
|
function free_arr(a)
|
|
{
|
|
cr.clearArray(a);
|
|
arr_cache.push(a);
|
|
};
|
|
function mergeSortedZArrays(a, b, out)
|
|
{
|
|
var i = 0, j = 0, k = 0, lena = a.length, lenb = b.length, ai, bj;
|
|
out.length = lena + lenb;
|
|
for ( ; i < lena && j < lenb; ++k)
|
|
{
|
|
ai = a[i];
|
|
bj = b[j];
|
|
if (ai.zindex < bj.zindex)
|
|
{
|
|
out[k] = ai;
|
|
++i;
|
|
}
|
|
else
|
|
{
|
|
out[k] = bj;
|
|
++j;
|
|
}
|
|
}
|
|
for ( ; i < lena; ++i, ++k)
|
|
out[k] = a[i];
|
|
for ( ; j < lenb; ++j, ++k)
|
|
out[k] = b[j];
|
|
};
|
|
var next_arr = [];
|
|
function mergeAllSortedZArrays_pass(arr, first_pass)
|
|
{
|
|
var i, len, arr1, arr2, out;
|
|
for (i = 0, len = arr.length; i < len - 1; i += 2)
|
|
{
|
|
arr1 = arr[i];
|
|
arr2 = arr[i+1];
|
|
out = alloc_arr();
|
|
mergeSortedZArrays(arr1, arr2, out);
|
|
if (!first_pass)
|
|
{
|
|
free_arr(arr1);
|
|
free_arr(arr2);
|
|
}
|
|
next_arr.push(out);
|
|
}
|
|
if (len % 2 === 1)
|
|
{
|
|
if (first_pass)
|
|
{
|
|
arr1 = alloc_arr();
|
|
cr.shallowAssignArray(arr1, arr[len - 1]);
|
|
next_arr.push(arr1);
|
|
}
|
|
else
|
|
{
|
|
next_arr.push(arr[len - 1]);
|
|
}
|
|
}
|
|
cr.shallowAssignArray(arr, next_arr);
|
|
cr.clearArray(next_arr);
|
|
};
|
|
function mergeAllSortedZArrays(arr)
|
|
{
|
|
var first_pass = true;
|
|
while (arr.length > 1)
|
|
{
|
|
mergeAllSortedZArrays_pass(arr, first_pass);
|
|
first_pass = false;
|
|
}
|
|
return arr[0];
|
|
};
|
|
var render_arr = [];
|
|
Layer.prototype.getRenderCellInstancesToDraw = function ()
|
|
{
|
|
;
|
|
this.updateZIndices();
|
|
this.render_grid.queryRange(this.viewLeft, this.viewTop, this.viewRight, this.viewBottom, render_arr);
|
|
if (!render_arr.length)
|
|
return alloc_arr();
|
|
if (render_arr.length === 1)
|
|
{
|
|
var a = alloc_arr();
|
|
cr.shallowAssignArray(a, render_arr[0]);
|
|
cr.clearArray(render_arr);
|
|
return a;
|
|
}
|
|
var draw_list = mergeAllSortedZArrays(render_arr);
|
|
cr.clearArray(render_arr);
|
|
return draw_list;
|
|
};
|
|
Layer.prototype.draw = function (ctx)
|
|
{
|
|
this.render_offscreen = (this.forceOwnTexture || this.opacity !== 1.0 || this.blend_mode !== 0);
|
|
var layer_canvas = this.runtime.canvas;
|
|
var layer_ctx = ctx;
|
|
var ctx_changed = false;
|
|
if (this.render_offscreen)
|
|
{
|
|
if (!this.runtime.layer_canvas)
|
|
{
|
|
this.runtime.layer_canvas = document.createElement("canvas");
|
|
;
|
|
layer_canvas = this.runtime.layer_canvas;
|
|
layer_canvas.width = this.runtime.draw_width;
|
|
layer_canvas.height = this.runtime.draw_height;
|
|
this.runtime.layer_ctx = layer_canvas.getContext("2d");
|
|
;
|
|
ctx_changed = true;
|
|
}
|
|
layer_canvas = this.runtime.layer_canvas;
|
|
layer_ctx = this.runtime.layer_ctx;
|
|
if (layer_canvas.width !== this.runtime.draw_width)
|
|
{
|
|
layer_canvas.width = this.runtime.draw_width;
|
|
ctx_changed = true;
|
|
}
|
|
if (layer_canvas.height !== this.runtime.draw_height)
|
|
{
|
|
layer_canvas.height = this.runtime.draw_height;
|
|
ctx_changed = true;
|
|
}
|
|
if (ctx_changed)
|
|
{
|
|
this.runtime.setCtxImageSmoothingEnabled(layer_ctx, this.runtime.linearSampling);
|
|
}
|
|
if (this.transparent)
|
|
layer_ctx.clearRect(0, 0, this.runtime.draw_width, this.runtime.draw_height);
|
|
}
|
|
layer_ctx.globalAlpha = 1;
|
|
layer_ctx.globalCompositeOperation = "source-over";
|
|
if (!this.transparent)
|
|
{
|
|
layer_ctx.fillStyle = "rgb(" + this.background_color[0] + "," + this.background_color[1] + "," + this.background_color[2] + ")";
|
|
layer_ctx.fillRect(0, 0, this.runtime.draw_width, this.runtime.draw_height);
|
|
}
|
|
layer_ctx.save();
|
|
this.disableAngle = true;
|
|
var px = this.canvasToLayer(0, 0, true, true);
|
|
var py = this.canvasToLayer(0, 0, false, true);
|
|
this.disableAngle = false;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
px = Math.round(px);
|
|
py = Math.round(py);
|
|
}
|
|
this.rotateViewport(px, py, layer_ctx);
|
|
var myscale = this.getScale();
|
|
layer_ctx.scale(myscale, myscale);
|
|
layer_ctx.translate(-px, -py);
|
|
var instances_to_draw;
|
|
if (this.useRenderCells)
|
|
{
|
|
this.cur_render_cells.left = this.render_grid.XToCell(this.viewLeft);
|
|
this.cur_render_cells.top = this.render_grid.YToCell(this.viewTop);
|
|
this.cur_render_cells.right = this.render_grid.XToCell(this.viewRight);
|
|
this.cur_render_cells.bottom = this.render_grid.YToCell(this.viewBottom);
|
|
if (this.render_list_stale || !this.cur_render_cells.equals(this.last_render_cells))
|
|
{
|
|
free_arr(this.last_render_list);
|
|
instances_to_draw = this.getRenderCellInstancesToDraw();
|
|
this.render_list_stale = false;
|
|
this.last_render_cells.copy(this.cur_render_cells);
|
|
}
|
|
else
|
|
instances_to_draw = this.last_render_list;
|
|
}
|
|
else
|
|
instances_to_draw = this.instances;
|
|
var i, len, inst, last_inst = null;
|
|
for (i = 0, len = instances_to_draw.length; i < len; ++i)
|
|
{
|
|
inst = instances_to_draw[i];
|
|
if (inst === last_inst)
|
|
continue;
|
|
this.drawInstance(inst, layer_ctx);
|
|
last_inst = inst;
|
|
}
|
|
if (this.useRenderCells)
|
|
this.last_render_list = instances_to_draw;
|
|
layer_ctx.restore();
|
|
if (this.render_offscreen)
|
|
{
|
|
ctx.globalCompositeOperation = this.compositeOp;
|
|
ctx.globalAlpha = this.opacity;
|
|
ctx.drawImage(layer_canvas, 0, 0);
|
|
}
|
|
};
|
|
Layer.prototype.drawInstance = function(inst, layer_ctx)
|
|
{
|
|
if (!inst.visible || inst.width === 0 || inst.height === 0)
|
|
return;
|
|
inst.update_bbox();
|
|
var bbox = inst.bbox;
|
|
if (bbox.right < this.viewLeft || bbox.bottom < this.viewTop || bbox.left > this.viewRight || bbox.top > this.viewBottom)
|
|
return;
|
|
layer_ctx.globalCompositeOperation = inst.compositeOp;
|
|
inst.draw(layer_ctx);
|
|
};
|
|
Layer.prototype.updateViewport = function (ctx)
|
|
{
|
|
this.disableAngle = true;
|
|
var px = this.canvasToLayer(0, 0, true, true);
|
|
var py = this.canvasToLayer(0, 0, false, true);
|
|
this.disableAngle = false;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
px = Math.round(px);
|
|
py = Math.round(py);
|
|
}
|
|
this.rotateViewport(px, py, ctx);
|
|
};
|
|
Layer.prototype.rotateViewport = function (px, py, ctx)
|
|
{
|
|
var myscale = this.getScale();
|
|
this.viewLeft = px;
|
|
this.viewTop = py;
|
|
this.viewRight = px + (this.runtime.draw_width * (1 / myscale));
|
|
this.viewBottom = py + (this.runtime.draw_height * (1 / myscale));
|
|
var temp;
|
|
if (this.viewLeft > this.viewRight)
|
|
{
|
|
temp = this.viewLeft;
|
|
this.viewLeft = this.viewRight;
|
|
this.viewRight = temp;
|
|
}
|
|
if (this.viewTop > this.viewBottom)
|
|
{
|
|
temp = this.viewTop;
|
|
this.viewTop = this.viewBottom;
|
|
this.viewBottom = temp;
|
|
}
|
|
var myAngle = this.getAngle();
|
|
if (myAngle !== 0)
|
|
{
|
|
if (ctx)
|
|
{
|
|
ctx.translate(this.runtime.draw_width / 2, this.runtime.draw_height / 2);
|
|
ctx.rotate(-myAngle);
|
|
ctx.translate(this.runtime.draw_width / -2, this.runtime.draw_height / -2);
|
|
}
|
|
this.tmprect.set(this.viewLeft, this.viewTop, this.viewRight, this.viewBottom);
|
|
this.tmprect.offset((this.viewLeft + this.viewRight) / -2, (this.viewTop + this.viewBottom) / -2);
|
|
this.tmpquad.set_from_rotated_rect(this.tmprect, myAngle);
|
|
this.tmpquad.bounding_box(this.tmprect);
|
|
this.tmprect.offset((this.viewLeft + this.viewRight) / 2, (this.viewTop + this.viewBottom) / 2);
|
|
this.viewLeft = this.tmprect.left;
|
|
this.viewTop = this.tmprect.top;
|
|
this.viewRight = this.tmprect.right;
|
|
this.viewBottom = this.tmprect.bottom;
|
|
}
|
|
}
|
|
Layer.prototype.drawGL_earlyZPass = function (glw)
|
|
{
|
|
var windowWidth = this.runtime.draw_width;
|
|
var windowHeight = this.runtime.draw_height;
|
|
var shaderindex = 0;
|
|
var etindex = 0;
|
|
this.render_offscreen = this.forceOwnTexture;
|
|
if (this.render_offscreen)
|
|
{
|
|
if (!this.runtime.layer_tex)
|
|
{
|
|
this.runtime.layer_tex = glw.createEmptyTexture(this.runtime.draw_width, this.runtime.draw_height, this.runtime.linearSampling);
|
|
}
|
|
if (this.runtime.layer_tex.c2width !== this.runtime.draw_width || this.runtime.layer_tex.c2height !== this.runtime.draw_height)
|
|
{
|
|
glw.deleteTexture(this.runtime.layer_tex);
|
|
this.runtime.layer_tex = glw.createEmptyTexture(this.runtime.draw_width, this.runtime.draw_height, this.runtime.linearSampling);
|
|
}
|
|
glw.setRenderingToTexture(this.runtime.layer_tex);
|
|
}
|
|
this.disableAngle = true;
|
|
var px = this.canvasToLayer(0, 0, true, true);
|
|
var py = this.canvasToLayer(0, 0, false, true);
|
|
this.disableAngle = false;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
px = Math.round(px);
|
|
py = Math.round(py);
|
|
}
|
|
this.rotateViewport(px, py, null);
|
|
var myscale = this.getScale();
|
|
glw.resetModelView();
|
|
glw.scale(myscale, myscale);
|
|
glw.rotateZ(-this.getAngle());
|
|
glw.translate((this.viewLeft + this.viewRight) / -2, (this.viewTop + this.viewBottom) / -2);
|
|
glw.updateModelView();
|
|
var instances_to_draw;
|
|
if (this.useRenderCells)
|
|
{
|
|
this.cur_render_cells.left = this.render_grid.XToCell(this.viewLeft);
|
|
this.cur_render_cells.top = this.render_grid.YToCell(this.viewTop);
|
|
this.cur_render_cells.right = this.render_grid.XToCell(this.viewRight);
|
|
this.cur_render_cells.bottom = this.render_grid.YToCell(this.viewBottom);
|
|
if (this.render_list_stale || !this.cur_render_cells.equals(this.last_render_cells))
|
|
{
|
|
free_arr(this.last_render_list);
|
|
instances_to_draw = this.getRenderCellInstancesToDraw();
|
|
this.render_list_stale = false;
|
|
this.last_render_cells.copy(this.cur_render_cells);
|
|
}
|
|
else
|
|
instances_to_draw = this.last_render_list;
|
|
}
|
|
else
|
|
instances_to_draw = this.instances;
|
|
var i, inst, last_inst = null;
|
|
for (i = instances_to_draw.length - 1; i >= 0; --i)
|
|
{
|
|
inst = instances_to_draw[i];
|
|
if (inst === last_inst)
|
|
continue;
|
|
this.drawInstanceGL_earlyZPass(instances_to_draw[i], glw);
|
|
last_inst = inst;
|
|
}
|
|
if (this.useRenderCells)
|
|
this.last_render_list = instances_to_draw;
|
|
if (!this.transparent)
|
|
{
|
|
this.clear_earlyz_index = this.runtime.earlyz_index++;
|
|
glw.setEarlyZIndex(this.clear_earlyz_index);
|
|
glw.setColorFillMode(1, 1, 1, 1);
|
|
glw.fullscreenQuad(); // fill remaining space in depth buffer with current Z value
|
|
glw.restoreEarlyZMode();
|
|
}
|
|
};
|
|
Layer.prototype.drawGL = function (glw)
|
|
{
|
|
var windowWidth = this.runtime.draw_width;
|
|
var windowHeight = this.runtime.draw_height;
|
|
var shaderindex = 0;
|
|
var etindex = 0;
|
|
this.render_offscreen = (this.forceOwnTexture || this.opacity !== 1.0 || this.active_effect_types.length > 0 || this.blend_mode !== 0);
|
|
if (this.render_offscreen)
|
|
{
|
|
if (!this.runtime.layer_tex)
|
|
{
|
|
this.runtime.layer_tex = glw.createEmptyTexture(this.runtime.draw_width, this.runtime.draw_height, this.runtime.linearSampling);
|
|
}
|
|
if (this.runtime.layer_tex.c2width !== this.runtime.draw_width || this.runtime.layer_tex.c2height !== this.runtime.draw_height)
|
|
{
|
|
glw.deleteTexture(this.runtime.layer_tex);
|
|
this.runtime.layer_tex = glw.createEmptyTexture(this.runtime.draw_width, this.runtime.draw_height, this.runtime.linearSampling);
|
|
}
|
|
glw.setRenderingToTexture(this.runtime.layer_tex);
|
|
if (this.transparent)
|
|
glw.clear(0, 0, 0, 0);
|
|
}
|
|
if (!this.transparent)
|
|
{
|
|
if (this.runtime.enableFrontToBack)
|
|
{
|
|
glw.setEarlyZIndex(this.clear_earlyz_index);
|
|
glw.setColorFillMode(this.background_color[0] / 255, this.background_color[1] / 255, this.background_color[2] / 255, 1);
|
|
glw.fullscreenQuad();
|
|
glw.setTextureFillMode();
|
|
}
|
|
else
|
|
{
|
|
glw.clear(this.background_color[0] / 255, this.background_color[1] / 255, this.background_color[2] / 255, 1);
|
|
}
|
|
}
|
|
this.disableAngle = true;
|
|
var px = this.canvasToLayer(0, 0, true, true);
|
|
var py = this.canvasToLayer(0, 0, false, true);
|
|
this.disableAngle = false;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
px = Math.round(px);
|
|
py = Math.round(py);
|
|
}
|
|
this.rotateViewport(px, py, null);
|
|
var myscale = this.getScale();
|
|
glw.resetModelView();
|
|
glw.scale(myscale, myscale);
|
|
glw.rotateZ(-this.getAngle());
|
|
glw.translate((this.viewLeft + this.viewRight) / -2, (this.viewTop + this.viewBottom) / -2);
|
|
glw.updateModelView();
|
|
var instances_to_draw;
|
|
if (this.useRenderCells)
|
|
{
|
|
this.cur_render_cells.left = this.render_grid.XToCell(this.viewLeft);
|
|
this.cur_render_cells.top = this.render_grid.YToCell(this.viewTop);
|
|
this.cur_render_cells.right = this.render_grid.XToCell(this.viewRight);
|
|
this.cur_render_cells.bottom = this.render_grid.YToCell(this.viewBottom);
|
|
if (this.render_list_stale || !this.cur_render_cells.equals(this.last_render_cells))
|
|
{
|
|
free_arr(this.last_render_list);
|
|
instances_to_draw = this.getRenderCellInstancesToDraw();
|
|
this.render_list_stale = false;
|
|
this.last_render_cells.copy(this.cur_render_cells);
|
|
}
|
|
else
|
|
instances_to_draw = this.last_render_list;
|
|
}
|
|
else
|
|
instances_to_draw = this.instances;
|
|
var i, len, inst, last_inst = null;
|
|
for (i = 0, len = instances_to_draw.length; i < len; ++i)
|
|
{
|
|
inst = instances_to_draw[i];
|
|
if (inst === last_inst)
|
|
continue;
|
|
this.drawInstanceGL(instances_to_draw[i], glw);
|
|
last_inst = inst;
|
|
}
|
|
if (this.useRenderCells)
|
|
this.last_render_list = instances_to_draw;
|
|
if (this.render_offscreen)
|
|
{
|
|
shaderindex = this.active_effect_types.length ? this.active_effect_types[0].shaderindex : 0;
|
|
etindex = this.active_effect_types.length ? this.active_effect_types[0].index : 0;
|
|
if (this.active_effect_types.length === 0 || (this.active_effect_types.length === 1 &&
|
|
!glw.programUsesCrossSampling(shaderindex) && this.opacity === 1))
|
|
{
|
|
if (this.active_effect_types.length === 1)
|
|
{
|
|
glw.switchProgram(shaderindex);
|
|
glw.setProgramParameters(this.layout.getRenderTarget(), // backTex
|
|
1.0 / this.runtime.draw_width, // pixelWidth
|
|
1.0 / this.runtime.draw_height, // pixelHeight
|
|
0.0, 0.0, // destStart
|
|
1.0, 1.0, // destEnd
|
|
myscale, // layerScale
|
|
this.getAngle(),
|
|
this.viewLeft, this.viewTop,
|
|
(this.viewLeft + this.viewRight) / 2, (this.viewTop + this.viewBottom) / 2,
|
|
this.runtime.kahanTime.sum,
|
|
this.effect_params[etindex]); // fx parameters
|
|
if (glw.programIsAnimated(shaderindex))
|
|
this.runtime.redraw = true;
|
|
}
|
|
else
|
|
glw.switchProgram(0);
|
|
glw.setRenderingToTexture(this.layout.getRenderTarget());
|
|
glw.setOpacity(this.opacity);
|
|
glw.setTexture(this.runtime.layer_tex);
|
|
glw.setBlend(this.srcBlend, this.destBlend);
|
|
glw.resetModelView();
|
|
glw.updateModelView();
|
|
var halfw = this.runtime.draw_width / 2;
|
|
var halfh = this.runtime.draw_height / 2;
|
|
glw.quad(-halfw, halfh, halfw, halfh, halfw, -halfh, -halfw, -halfh);
|
|
glw.setTexture(null);
|
|
}
|
|
else
|
|
{
|
|
this.layout.renderEffectChain(glw, this, null, this.layout.getRenderTarget());
|
|
}
|
|
}
|
|
};
|
|
Layer.prototype.drawInstanceGL = function (inst, glw)
|
|
{
|
|
;
|
|
if (!inst.visible || inst.width === 0 || inst.height === 0)
|
|
return;
|
|
inst.update_bbox();
|
|
var bbox = inst.bbox;
|
|
if (bbox.right < this.viewLeft || bbox.bottom < this.viewTop || bbox.left > this.viewRight || bbox.top > this.viewBottom)
|
|
return;
|
|
glw.setEarlyZIndex(inst.earlyz_index);
|
|
if (inst.uses_shaders)
|
|
{
|
|
this.drawInstanceWithShadersGL(inst, glw);
|
|
}
|
|
else
|
|
{
|
|
glw.switchProgram(0); // un-set any previously set shader
|
|
glw.setBlend(inst.srcBlend, inst.destBlend);
|
|
inst.drawGL(glw);
|
|
}
|
|
};
|
|
Layer.prototype.drawInstanceGL_earlyZPass = function (inst, glw)
|
|
{
|
|
;
|
|
if (!inst.visible || inst.width === 0 || inst.height === 0)
|
|
return;
|
|
inst.update_bbox();
|
|
var bbox = inst.bbox;
|
|
if (bbox.right < this.viewLeft || bbox.bottom < this.viewTop || bbox.left > this.viewRight || bbox.top > this.viewBottom)
|
|
return;
|
|
inst.earlyz_index = this.runtime.earlyz_index++;
|
|
if (inst.blend_mode !== 0 || inst.opacity !== 1 || !inst.shaders_preserve_opaqueness || !inst.drawGL_earlyZPass)
|
|
return;
|
|
glw.setEarlyZIndex(inst.earlyz_index);
|
|
inst.drawGL_earlyZPass(glw);
|
|
};
|
|
Layer.prototype.drawInstanceWithShadersGL = function (inst, glw)
|
|
{
|
|
var shaderindex = inst.active_effect_types[0].shaderindex;
|
|
var etindex = inst.active_effect_types[0].index;
|
|
var myscale = this.getScale();
|
|
if (inst.active_effect_types.length === 1 && !glw.programUsesCrossSampling(shaderindex) &&
|
|
!glw.programExtendsBox(shaderindex) && ((!inst.angle && !inst.layer.getAngle()) || !glw.programUsesDest(shaderindex)) &&
|
|
inst.opacity === 1 && !inst.type.plugin.must_predraw)
|
|
{
|
|
glw.switchProgram(shaderindex);
|
|
glw.setBlend(inst.srcBlend, inst.destBlend);
|
|
if (glw.programIsAnimated(shaderindex))
|
|
this.runtime.redraw = true;
|
|
var destStartX = 0, destStartY = 0, destEndX = 0, destEndY = 0;
|
|
if (glw.programUsesDest(shaderindex))
|
|
{
|
|
var bbox = inst.bbox;
|
|
var screenleft = this.layerToCanvas(bbox.left, bbox.top, true, true);
|
|
var screentop = this.layerToCanvas(bbox.left, bbox.top, false, true);
|
|
var screenright = this.layerToCanvas(bbox.right, bbox.bottom, true, true);
|
|
var screenbottom = this.layerToCanvas(bbox.right, bbox.bottom, false, true);
|
|
destStartX = screenleft / windowWidth;
|
|
destStartY = 1 - screentop / windowHeight;
|
|
destEndX = screenright / windowWidth;
|
|
destEndY = 1 - screenbottom / windowHeight;
|
|
}
|
|
var pixelWidth;
|
|
var pixelHeight;
|
|
if (inst.curFrame && inst.curFrame.texture_img)
|
|
{
|
|
var img = inst.curFrame.texture_img;
|
|
pixelWidth = 1.0 / img.width;
|
|
pixelHeight = 1.0 / img.height;
|
|
}
|
|
else
|
|
{
|
|
pixelWidth = 1.0 / inst.width;
|
|
pixelHeight = 1.0 / inst.height;
|
|
}
|
|
glw.setProgramParameters(this.render_offscreen ? this.runtime.layer_tex : this.layout.getRenderTarget(), // backTex
|
|
pixelWidth,
|
|
pixelHeight,
|
|
destStartX, destStartY,
|
|
destEndX, destEndY,
|
|
myscale,
|
|
this.getAngle(),
|
|
this.viewLeft, this.viewTop,
|
|
(this.viewLeft + this.viewRight) / 2, (this.viewTop + this.viewBottom) / 2,
|
|
this.runtime.kahanTime.sum,
|
|
inst.effect_params[etindex]);
|
|
inst.drawGL(glw);
|
|
}
|
|
else
|
|
{
|
|
this.layout.renderEffectChain(glw, this, inst, this.render_offscreen ? this.runtime.layer_tex : this.layout.getRenderTarget());
|
|
glw.resetModelView();
|
|
glw.scale(myscale, myscale);
|
|
glw.rotateZ(-this.getAngle());
|
|
glw.translate((this.viewLeft + this.viewRight) / -2, (this.viewTop + this.viewBottom) / -2);
|
|
glw.updateModelView();
|
|
}
|
|
};
|
|
Layer.prototype.canvasToLayer = function (ptx, pty, getx, using_draw_area)
|
|
{
|
|
var multiplier = this.runtime.devicePixelRatio;
|
|
if (this.runtime.isRetina)
|
|
{
|
|
ptx *= multiplier;
|
|
pty *= multiplier;
|
|
}
|
|
var ox = this.runtime.parallax_x_origin;
|
|
var oy = this.runtime.parallax_y_origin;
|
|
var par_x = ((this.layout.scrollX - ox) * this.parallaxX) + ox;
|
|
var par_y = ((this.layout.scrollY - oy) * this.parallaxY) + oy;
|
|
var x = par_x;
|
|
var y = par_y;
|
|
var invScale = 1 / this.getScale(!using_draw_area);
|
|
if (using_draw_area)
|
|
{
|
|
x -= (this.runtime.draw_width * invScale) / 2;
|
|
y -= (this.runtime.draw_height * invScale) / 2;
|
|
}
|
|
else
|
|
{
|
|
x -= (this.runtime.width * invScale) / 2;
|
|
y -= (this.runtime.height * invScale) / 2;
|
|
}
|
|
x += ptx * invScale;
|
|
y += pty * invScale;
|
|
var a = this.getAngle();
|
|
if (a !== 0)
|
|
{
|
|
x -= par_x;
|
|
y -= par_y;
|
|
var cosa = Math.cos(a);
|
|
var sina = Math.sin(a);
|
|
var x_temp = (x * cosa) - (y * sina);
|
|
y = (y * cosa) + (x * sina);
|
|
x = x_temp;
|
|
x += par_x;
|
|
y += par_y;
|
|
}
|
|
return getx ? x : y;
|
|
};
|
|
Layer.prototype.layerToCanvas = function (ptx, pty, getx, using_draw_area)
|
|
{
|
|
var ox = this.runtime.parallax_x_origin;
|
|
var oy = this.runtime.parallax_y_origin;
|
|
var par_x = ((this.layout.scrollX - ox) * this.parallaxX) + ox;
|
|
var par_y = ((this.layout.scrollY - oy) * this.parallaxY) + oy;
|
|
var x = par_x;
|
|
var y = par_y;
|
|
var a = this.getAngle();
|
|
if (a !== 0)
|
|
{
|
|
ptx -= par_x;
|
|
pty -= par_y;
|
|
var cosa = Math.cos(-a);
|
|
var sina = Math.sin(-a);
|
|
var x_temp = (ptx * cosa) - (pty * sina);
|
|
pty = (pty * cosa) + (ptx * sina);
|
|
ptx = x_temp;
|
|
ptx += par_x;
|
|
pty += par_y;
|
|
}
|
|
var invScale = 1 / this.getScale(!using_draw_area);
|
|
if (using_draw_area)
|
|
{
|
|
x -= (this.runtime.draw_width * invScale) / 2;
|
|
y -= (this.runtime.draw_height * invScale) / 2;
|
|
}
|
|
else
|
|
{
|
|
x -= (this.runtime.width * invScale) / 2;
|
|
y -= (this.runtime.height * invScale) / 2;
|
|
}
|
|
x = (ptx - x) / invScale;
|
|
y = (pty - y) / invScale;
|
|
var multiplier = this.runtime.devicePixelRatio;
|
|
if (this.runtime.isRetina && !using_draw_area)
|
|
{
|
|
x /= multiplier;
|
|
y /= multiplier;
|
|
}
|
|
return getx ? x : y;
|
|
};
|
|
Layer.prototype.rotatePt = function (x_, y_, getx)
|
|
{
|
|
if (this.getAngle() === 0)
|
|
return getx ? x_ : y_;
|
|
var nx = this.layerToCanvas(x_, y_, true);
|
|
var ny = this.layerToCanvas(x_, y_, false);
|
|
this.disableAngle = true;
|
|
var px = this.canvasToLayer(nx, ny, true);
|
|
var py = this.canvasToLayer(nx, ny, true);
|
|
this.disableAngle = false;
|
|
return getx ? px : py;
|
|
};
|
|
Layer.prototype.saveToJSON = function ()
|
|
{
|
|
var i, len, et;
|
|
var o = {
|
|
"s": this.scale,
|
|
"a": this.angle,
|
|
"vl": this.viewLeft,
|
|
"vt": this.viewTop,
|
|
"vr": this.viewRight,
|
|
"vb": this.viewBottom,
|
|
"v": this.visible,
|
|
"bc": this.background_color,
|
|
"t": this.transparent,
|
|
"px": this.parallaxX,
|
|
"py": this.parallaxY,
|
|
"o": this.opacity,
|
|
"zr": this.zoomRate,
|
|
"fx": [],
|
|
"cg": this.created_globals, // added r197; list of global UIDs already created
|
|
"instances": []
|
|
};
|
|
for (i = 0, len = this.effect_types.length; i < len; i++)
|
|
{
|
|
et = this.effect_types[i];
|
|
o["fx"].push({"name": et.name, "active": et.active, "params": this.effect_params[et.index] });
|
|
}
|
|
return o;
|
|
};
|
|
Layer.prototype.loadFromJSON = function (o)
|
|
{
|
|
var i, j, len, p, inst, fx;
|
|
this.scale = o["s"];
|
|
this.angle = o["a"];
|
|
this.viewLeft = o["vl"];
|
|
this.viewTop = o["vt"];
|
|
this.viewRight = o["vr"];
|
|
this.viewBottom = o["vb"];
|
|
this.visible = o["v"];
|
|
this.background_color = o["bc"];
|
|
this.transparent = o["t"];
|
|
this.parallaxX = o["px"];
|
|
this.parallaxY = o["py"];
|
|
this.opacity = o["o"];
|
|
this.zoomRate = o["zr"];
|
|
this.created_globals = o["cg"] || []; // added r197
|
|
cr.shallowAssignArray(this.initial_instances, this.startup_initial_instances);
|
|
var temp_set = new cr.ObjectSet();
|
|
for (i = 0, len = this.created_globals.length; i < len; ++i)
|
|
temp_set.add(this.created_globals[i]);
|
|
for (i = 0, j = 0, len = this.initial_instances.length; i < len; ++i)
|
|
{
|
|
if (!temp_set.contains(this.initial_instances[i][2])) // UID in element 2
|
|
{
|
|
this.initial_instances[j] = this.initial_instances[i];
|
|
++j;
|
|
}
|
|
}
|
|
cr.truncateArray(this.initial_instances, j);
|
|
var ofx = o["fx"];
|
|
for (i = 0, len = ofx.length; i < len; i++)
|
|
{
|
|
fx = this.getEffectByName(ofx[i]["name"]);
|
|
if (!fx)
|
|
continue; // must've gone missing
|
|
fx.active = ofx[i]["active"];
|
|
this.effect_params[fx.index] = ofx[i]["params"];
|
|
}
|
|
this.updateActiveEffects();
|
|
this.instances.sort(sort_by_zindex);
|
|
this.zindices_stale = true;
|
|
};
|
|
cr.layer = Layer;
|
|
}());
|
|
;
|
|
(function()
|
|
{
|
|
var allUniqueSolModifiers = [];
|
|
function testSolsMatch(arr1, arr2)
|
|
{
|
|
var i, len = arr1.length;
|
|
switch (len) {
|
|
case 0:
|
|
return true;
|
|
case 1:
|
|
return arr1[0] === arr2[0];
|
|
case 2:
|
|
return arr1[0] === arr2[0] && arr1[1] === arr2[1];
|
|
default:
|
|
for (i = 0; i < len; i++)
|
|
{
|
|
if (arr1[i] !== arr2[i])
|
|
return false;
|
|
}
|
|
return true;
|
|
}
|
|
};
|
|
function solArraySorter(t1, t2)
|
|
{
|
|
return t1.index - t2.index;
|
|
};
|
|
function findMatchingSolModifier(arr)
|
|
{
|
|
var i, len, u, temp, subarr;
|
|
if (arr.length === 2)
|
|
{
|
|
if (arr[0].index > arr[1].index)
|
|
{
|
|
temp = arr[0];
|
|
arr[0] = arr[1];
|
|
arr[1] = temp;
|
|
}
|
|
}
|
|
else if (arr.length > 2)
|
|
arr.sort(solArraySorter); // so testSolsMatch compares in same order
|
|
if (arr.length >= allUniqueSolModifiers.length)
|
|
allUniqueSolModifiers.length = arr.length + 1;
|
|
if (!allUniqueSolModifiers[arr.length])
|
|
allUniqueSolModifiers[arr.length] = [];
|
|
subarr = allUniqueSolModifiers[arr.length];
|
|
for (i = 0, len = subarr.length; i < len; i++)
|
|
{
|
|
u = subarr[i];
|
|
if (testSolsMatch(arr, u))
|
|
return u;
|
|
}
|
|
subarr.push(arr);
|
|
return arr;
|
|
};
|
|
function EventSheet(runtime, m)
|
|
{
|
|
this.runtime = runtime;
|
|
this.triggers = {};
|
|
this.fasttriggers = {};
|
|
this.hasRun = false;
|
|
this.includes = new cr.ObjectSet(); // all event sheets included by this sheet, at first-level indirection only
|
|
this.deep_includes = []; // all includes from this sheet recursively, in trigger order
|
|
this.already_included_sheets = []; // used while building deep_includes
|
|
this.name = m[0];
|
|
var em = m[1]; // events model
|
|
this.events = []; // triggers won't make it to this array
|
|
var i, len;
|
|
for (i = 0, len = em.length; i < len; i++)
|
|
this.init_event(em[i], null, this.events);
|
|
};
|
|
EventSheet.prototype.toString = function ()
|
|
{
|
|
return this.name;
|
|
};
|
|
EventSheet.prototype.init_event = function (m, parent, nontriggers)
|
|
{
|
|
switch (m[0]) {
|
|
case 0: // event block
|
|
{
|
|
var block = new cr.eventblock(this, parent, m);
|
|
cr.seal(block);
|
|
if (block.orblock)
|
|
{
|
|
nontriggers.push(block);
|
|
var i, len;
|
|
for (i = 0, len = block.conditions.length; i < len; i++)
|
|
{
|
|
if (block.conditions[i].trigger)
|
|
this.init_trigger(block, i);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (block.is_trigger())
|
|
this.init_trigger(block, 0);
|
|
else
|
|
nontriggers.push(block);
|
|
}
|
|
break;
|
|
}
|
|
case 1: // variable
|
|
{
|
|
var v = new cr.eventvariable(this, parent, m);
|
|
cr.seal(v);
|
|
nontriggers.push(v);
|
|
break;
|
|
}
|
|
case 2: // include
|
|
{
|
|
var inc = new cr.eventinclude(this, parent, m);
|
|
cr.seal(inc);
|
|
nontriggers.push(inc);
|
|
break;
|
|
}
|
|
default:
|
|
;
|
|
}
|
|
};
|
|
EventSheet.prototype.postInit = function ()
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.events.length; i < len; i++)
|
|
{
|
|
this.events[i].postInit(i < len - 1 && this.events[i + 1].is_else_block);
|
|
}
|
|
};
|
|
EventSheet.prototype.updateDeepIncludes = function ()
|
|
{
|
|
cr.clearArray(this.deep_includes);
|
|
cr.clearArray(this.already_included_sheets);
|
|
this.addDeepIncludes(this);
|
|
cr.clearArray(this.already_included_sheets);
|
|
};
|
|
EventSheet.prototype.addDeepIncludes = function (root_sheet)
|
|
{
|
|
var i, len, inc, sheet;
|
|
var deep_includes = root_sheet.deep_includes;
|
|
var already_included_sheets = root_sheet.already_included_sheets;
|
|
var arr = this.includes.valuesRef();
|
|
for (i = 0, len = arr.length; i < len; ++i)
|
|
{
|
|
inc = arr[i];
|
|
sheet = inc.include_sheet;
|
|
if (!inc.isActive() || root_sheet === sheet || already_included_sheets.indexOf(sheet) > -1)
|
|
continue;
|
|
already_included_sheets.push(sheet);
|
|
sheet.addDeepIncludes(root_sheet);
|
|
deep_includes.push(sheet);
|
|
}
|
|
};
|
|
EventSheet.prototype.run = function (from_include)
|
|
{
|
|
if (!this.runtime.resuming_breakpoint)
|
|
{
|
|
this.hasRun = true;
|
|
if (!from_include)
|
|
this.runtime.isRunningEvents = true;
|
|
}
|
|
var i, len;
|
|
for (i = 0, len = this.events.length; i < len; i++)
|
|
{
|
|
var ev = this.events[i];
|
|
ev.run();
|
|
this.runtime.clearSol(ev.solModifiers);
|
|
if (this.runtime.hasPendingInstances)
|
|
this.runtime.ClearDeathRow();
|
|
}
|
|
if (!from_include)
|
|
this.runtime.isRunningEvents = false;
|
|
};
|
|
function isPerformanceSensitiveTrigger(method)
|
|
{
|
|
if (cr.plugins_.Sprite && method === cr.plugins_.Sprite.prototype.cnds.OnFrameChanged)
|
|
{
|
|
return true;
|
|
}
|
|
return false;
|
|
};
|
|
EventSheet.prototype.init_trigger = function (trig, index)
|
|
{
|
|
if (!trig.orblock)
|
|
this.runtime.triggers_to_postinit.push(trig); // needs to be postInit'd later
|
|
var i, len;
|
|
var cnd = trig.conditions[index];
|
|
var type_name;
|
|
if (cnd.type)
|
|
type_name = cnd.type.name;
|
|
else
|
|
type_name = "system";
|
|
var fasttrigger = cnd.fasttrigger;
|
|
var triggers = (fasttrigger ? this.fasttriggers : this.triggers);
|
|
if (!triggers[type_name])
|
|
triggers[type_name] = [];
|
|
var obj_entry = triggers[type_name];
|
|
var method = cnd.func;
|
|
if (fasttrigger)
|
|
{
|
|
if (!cnd.parameters.length) // no parameters
|
|
return;
|
|
var firstparam = cnd.parameters[0];
|
|
if (firstparam.type !== 1 || // not a string param
|
|
firstparam.expression.type !== 2) // not a string literal node
|
|
{
|
|
return;
|
|
}
|
|
var fastevs;
|
|
var firstvalue = firstparam.expression.value.toLowerCase();
|
|
var i, len;
|
|
for (i = 0, len = obj_entry.length; i < len; i++)
|
|
{
|
|
if (obj_entry[i].method == method)
|
|
{
|
|
fastevs = obj_entry[i].evs;
|
|
if (!fastevs[firstvalue])
|
|
fastevs[firstvalue] = [[trig, index]];
|
|
else
|
|
fastevs[firstvalue].push([trig, index]);
|
|
return;
|
|
}
|
|
}
|
|
fastevs = {};
|
|
fastevs[firstvalue] = [[trig, index]];
|
|
obj_entry.push({ method: method, evs: fastevs });
|
|
}
|
|
else
|
|
{
|
|
for (i = 0, len = obj_entry.length; i < len; i++)
|
|
{
|
|
if (obj_entry[i].method == method)
|
|
{
|
|
obj_entry[i].evs.push([trig, index]);
|
|
return;
|
|
}
|
|
}
|
|
if (isPerformanceSensitiveTrigger(method))
|
|
obj_entry.unshift({ method: method, evs: [[trig, index]]});
|
|
else
|
|
obj_entry.push({ method: method, evs: [[trig, index]]});
|
|
}
|
|
};
|
|
cr.eventsheet = EventSheet;
|
|
function Selection(type)
|
|
{
|
|
this.type = type;
|
|
this.instances = []; // subset of picked instances
|
|
this.else_instances = []; // subset of unpicked instances
|
|
this.select_all = true;
|
|
};
|
|
Selection.prototype.hasObjects = function ()
|
|
{
|
|
if (this.select_all)
|
|
return this.type.instances.length;
|
|
else
|
|
return this.instances.length;
|
|
};
|
|
Selection.prototype.getObjects = function ()
|
|
{
|
|
if (this.select_all)
|
|
return this.type.instances;
|
|
else
|
|
return this.instances;
|
|
};
|
|
/*
|
|
Selection.prototype.ensure_picked = function (inst, skip_siblings)
|
|
{
|
|
var i, len;
|
|
var orblock = inst.runtime.getCurrentEventStack().current_event.orblock;
|
|
if (this.select_all)
|
|
{
|
|
this.select_all = false;
|
|
if (orblock)
|
|
{
|
|
cr.shallowAssignArray(this.else_instances, inst.type.instances);
|
|
cr.arrayFindRemove(this.else_instances, inst);
|
|
}
|
|
this.instances.length = 1;
|
|
this.instances[0] = inst;
|
|
}
|
|
else
|
|
{
|
|
if (orblock)
|
|
{
|
|
i = this.else_instances.indexOf(inst);
|
|
if (i !== -1)
|
|
{
|
|
this.instances.push(this.else_instances[i]);
|
|
this.else_instances.splice(i, 1);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (this.instances.indexOf(inst) === -1)
|
|
this.instances.push(inst);
|
|
}
|
|
}
|
|
if (!skip_siblings)
|
|
{
|
|
}
|
|
};
|
|
*/
|
|
Selection.prototype.pick_one = function (inst)
|
|
{
|
|
if (!inst)
|
|
return;
|
|
if (inst.runtime.getCurrentEventStack().current_event.orblock)
|
|
{
|
|
if (this.select_all)
|
|
{
|
|
cr.clearArray(this.instances);
|
|
cr.shallowAssignArray(this.else_instances, inst.type.instances);
|
|
this.select_all = false;
|
|
}
|
|
var i = this.else_instances.indexOf(inst);
|
|
if (i !== -1)
|
|
{
|
|
this.instances.push(this.else_instances[i]);
|
|
this.else_instances.splice(i, 1);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
this.select_all = false;
|
|
cr.clearArray(this.instances);
|
|
this.instances[0] = inst;
|
|
}
|
|
};
|
|
cr.selection = Selection;
|
|
function EventBlock(sheet, parent, m)
|
|
{
|
|
this.sheet = sheet;
|
|
this.parent = parent;
|
|
this.runtime = sheet.runtime;
|
|
this.solModifiers = [];
|
|
this.solModifiersIncludingParents = [];
|
|
this.solWriterAfterCnds = false; // block does not change SOL after running its conditions
|
|
this.group = false; // is group of events
|
|
this.initially_activated = false; // if a group, is active on startup
|
|
this.toplevelevent = false; // is an event block parented only by a top-level group
|
|
this.toplevelgroup = false; // is parented only by other groups or is top-level (i.e. not in a subevent)
|
|
this.has_else_block = false; // is followed by else
|
|
;
|
|
this.conditions = [];
|
|
this.actions = [];
|
|
this.subevents = [];
|
|
this.group_name = "";
|
|
this.group = false;
|
|
this.initially_activated = false;
|
|
this.group_active = false;
|
|
this.contained_includes = null;
|
|
if (m[1])
|
|
{
|
|
this.group_name = m[1][1].toLowerCase();
|
|
this.group = true;
|
|
this.initially_activated = !!m[1][0];
|
|
this.contained_includes = [];
|
|
this.group_active = this.initially_activated;
|
|
this.runtime.allGroups.push(this);
|
|
this.runtime.groups_by_name[this.group_name] = this;
|
|
}
|
|
this.orblock = m[2];
|
|
this.sid = m[4];
|
|
if (!this.group)
|
|
this.runtime.blocksBySid[this.sid.toString()] = this;
|
|
var i, len;
|
|
var cm = m[5];
|
|
for (i = 0, len = cm.length; i < len; i++)
|
|
{
|
|
var cnd = new cr.condition(this, cm[i]);
|
|
cnd.index = i;
|
|
cr.seal(cnd);
|
|
this.conditions.push(cnd);
|
|
/*
|
|
if (cnd.is_logical())
|
|
this.is_logical = true;
|
|
if (cnd.type && !cnd.type.plugin.singleglobal && this.cndReferences.indexOf(cnd.type) === -1)
|
|
this.cndReferences.push(cnd.type);
|
|
*/
|
|
this.addSolModifier(cnd.type);
|
|
}
|
|
var am = m[6];
|
|
for (i = 0, len = am.length; i < len; i++)
|
|
{
|
|
var act = new cr.action(this, am[i]);
|
|
act.index = i;
|
|
cr.seal(act);
|
|
this.actions.push(act);
|
|
}
|
|
if (m.length === 8)
|
|
{
|
|
var em = m[7];
|
|
for (i = 0, len = em.length; i < len; i++)
|
|
this.sheet.init_event(em[i], this, this.subevents);
|
|
}
|
|
this.is_else_block = false;
|
|
if (this.conditions.length)
|
|
{
|
|
this.is_else_block = (this.conditions[0].type == null && this.conditions[0].func == cr.system_object.prototype.cnds.Else);
|
|
}
|
|
};
|
|
window["_c2hh_"] = "6A19FFAE7F62FE8813F3700E41734FD8D2C6DB17";
|
|
EventBlock.prototype.postInit = function (hasElse/*, prevBlock_*/)
|
|
{
|
|
var i, len;
|
|
var p = this.parent;
|
|
if (this.group)
|
|
{
|
|
this.toplevelgroup = true;
|
|
while (p)
|
|
{
|
|
if (!p.group)
|
|
{
|
|
this.toplevelgroup = false;
|
|
break;
|
|
}
|
|
p = p.parent;
|
|
}
|
|
}
|
|
this.toplevelevent = !this.is_trigger() && (!this.parent || (this.parent.group && this.parent.toplevelgroup));
|
|
this.has_else_block = !!hasElse;
|
|
this.solModifiersIncludingParents = this.solModifiers.slice(0);
|
|
p = this.parent;
|
|
while (p)
|
|
{
|
|
for (i = 0, len = p.solModifiers.length; i < len; i++)
|
|
this.addParentSolModifier(p.solModifiers[i]);
|
|
p = p.parent;
|
|
}
|
|
this.solModifiers = findMatchingSolModifier(this.solModifiers);
|
|
this.solModifiersIncludingParents = findMatchingSolModifier(this.solModifiersIncludingParents);
|
|
var i, len/*, s*/;
|
|
for (i = 0, len = this.conditions.length; i < len; i++)
|
|
this.conditions[i].postInit();
|
|
for (i = 0, len = this.actions.length; i < len; i++)
|
|
this.actions[i].postInit();
|
|
for (i = 0, len = this.subevents.length; i < len; i++)
|
|
{
|
|
this.subevents[i].postInit(i < len - 1 && this.subevents[i + 1].is_else_block);
|
|
}
|
|
/*
|
|
if (this.is_else_block && this.prev_block)
|
|
{
|
|
for (i = 0, len = this.prev_block.solModifiers.length; i < len; i++)
|
|
{
|
|
s = this.prev_block.solModifiers[i];
|
|
if (this.solModifiers.indexOf(s) === -1)
|
|
this.solModifiers.push(s);
|
|
}
|
|
}
|
|
*/
|
|
};
|
|
EventBlock.prototype.setGroupActive = function (a)
|
|
{
|
|
if (this.group_active === !!a)
|
|
return; // same state
|
|
this.group_active = !!a;
|
|
var i, len;
|
|
for (i = 0, len = this.contained_includes.length; i < len; ++i)
|
|
{
|
|
this.contained_includes[i].updateActive();
|
|
}
|
|
if (len > 0 && this.runtime.running_layout.event_sheet)
|
|
this.runtime.running_layout.event_sheet.updateDeepIncludes();
|
|
};
|
|
function addSolModifierToList(type, arr)
|
|
{
|
|
var i, len, t;
|
|
if (!type)
|
|
return;
|
|
if (arr.indexOf(type) === -1)
|
|
arr.push(type);
|
|
if (type.is_contained)
|
|
{
|
|
for (i = 0, len = type.container.length; i < len; i++)
|
|
{
|
|
t = type.container[i];
|
|
if (type === t)
|
|
continue; // already handled
|
|
if (arr.indexOf(t) === -1)
|
|
arr.push(t);
|
|
}
|
|
}
|
|
};
|
|
EventBlock.prototype.addSolModifier = function (type)
|
|
{
|
|
addSolModifierToList(type, this.solModifiers);
|
|
};
|
|
EventBlock.prototype.addParentSolModifier = function (type)
|
|
{
|
|
addSolModifierToList(type, this.solModifiersIncludingParents);
|
|
};
|
|
EventBlock.prototype.setSolWriterAfterCnds = function ()
|
|
{
|
|
this.solWriterAfterCnds = true;
|
|
if (this.parent)
|
|
this.parent.setSolWriterAfterCnds();
|
|
};
|
|
EventBlock.prototype.is_trigger = function ()
|
|
{
|
|
if (!this.conditions.length) // no conditions
|
|
return false;
|
|
else
|
|
return this.conditions[0].trigger;
|
|
};
|
|
EventBlock.prototype.run = function ()
|
|
{
|
|
var i, len, c, any_true = false, cnd_result;
|
|
var runtime = this.runtime;
|
|
var evinfo = this.runtime.getCurrentEventStack();
|
|
evinfo.current_event = this;
|
|
var conditions = this.conditions;
|
|
if (!this.is_else_block)
|
|
evinfo.else_branch_ran = false;
|
|
if (this.orblock)
|
|
{
|
|
if (conditions.length === 0)
|
|
any_true = true; // be sure to run if empty block
|
|
evinfo.cndindex = 0
|
|
for (len = conditions.length; evinfo.cndindex < len; evinfo.cndindex++)
|
|
{
|
|
c = conditions[evinfo.cndindex];
|
|
if (c.trigger) // skip triggers when running OR block
|
|
continue;
|
|
cnd_result = c.run();
|
|
if (cnd_result) // make sure all conditions run and run if any were true
|
|
any_true = true;
|
|
}
|
|
evinfo.last_event_true = any_true;
|
|
if (any_true)
|
|
this.run_actions_and_subevents();
|
|
}
|
|
else
|
|
{
|
|
evinfo.cndindex = 0
|
|
for (len = conditions.length; evinfo.cndindex < len; evinfo.cndindex++)
|
|
{
|
|
cnd_result = conditions[evinfo.cndindex].run();
|
|
if (!cnd_result) // condition failed
|
|
{
|
|
evinfo.last_event_true = false;
|
|
if (this.toplevelevent && runtime.hasPendingInstances)
|
|
runtime.ClearDeathRow();
|
|
return; // bail out now
|
|
}
|
|
}
|
|
evinfo.last_event_true = true;
|
|
this.run_actions_and_subevents();
|
|
}
|
|
this.end_run(evinfo);
|
|
};
|
|
EventBlock.prototype.end_run = function (evinfo)
|
|
{
|
|
if (evinfo.last_event_true && this.has_else_block)
|
|
evinfo.else_branch_ran = true;
|
|
if (this.toplevelevent && this.runtime.hasPendingInstances)
|
|
this.runtime.ClearDeathRow();
|
|
};
|
|
EventBlock.prototype.run_orblocktrigger = function (index)
|
|
{
|
|
var evinfo = this.runtime.getCurrentEventStack();
|
|
evinfo.current_event = this;
|
|
if (this.conditions[index].run())
|
|
{
|
|
this.run_actions_and_subevents();
|
|
this.runtime.getCurrentEventStack().last_event_true = true;
|
|
}
|
|
};
|
|
EventBlock.prototype.run_actions_and_subevents = function ()
|
|
{
|
|
var evinfo = this.runtime.getCurrentEventStack();
|
|
var len;
|
|
for (evinfo.actindex = 0, len = this.actions.length; evinfo.actindex < len; evinfo.actindex++)
|
|
{
|
|
if (this.actions[evinfo.actindex].run())
|
|
return;
|
|
}
|
|
this.run_subevents();
|
|
};
|
|
EventBlock.prototype.resume_actions_and_subevents = function ()
|
|
{
|
|
var evinfo = this.runtime.getCurrentEventStack();
|
|
var len;
|
|
for (len = this.actions.length; evinfo.actindex < len; evinfo.actindex++)
|
|
{
|
|
if (this.actions[evinfo.actindex].run())
|
|
return;
|
|
}
|
|
this.run_subevents();
|
|
};
|
|
EventBlock.prototype.run_subevents = function ()
|
|
{
|
|
if (!this.subevents.length)
|
|
return;
|
|
var i, len, subev, pushpop/*, skipped_pop = false, pop_modifiers = null*/;
|
|
var last = this.subevents.length - 1;
|
|
this.runtime.pushEventStack(this);
|
|
if (this.solWriterAfterCnds)
|
|
{
|
|
for (i = 0, len = this.subevents.length; i < len; i++)
|
|
{
|
|
subev = this.subevents[i];
|
|
pushpop = (!this.toplevelgroup || (!this.group && i < last));
|
|
if (pushpop)
|
|
this.runtime.pushCopySol(subev.solModifiers);
|
|
subev.run();
|
|
if (pushpop)
|
|
this.runtime.popSol(subev.solModifiers);
|
|
else
|
|
this.runtime.clearSol(subev.solModifiers);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
for (i = 0, len = this.subevents.length; i < len; i++)
|
|
{
|
|
this.subevents[i].run();
|
|
}
|
|
}
|
|
this.runtime.popEventStack();
|
|
};
|
|
EventBlock.prototype.run_pretrigger = function ()
|
|
{
|
|
var evinfo = this.runtime.getCurrentEventStack();
|
|
evinfo.current_event = this;
|
|
var any_true = false;
|
|
var i, len;
|
|
for (evinfo.cndindex = 0, len = this.conditions.length; evinfo.cndindex < len; evinfo.cndindex++)
|
|
{
|
|
;
|
|
if (this.conditions[evinfo.cndindex].run())
|
|
any_true = true;
|
|
else if (!this.orblock) // condition failed (let OR blocks run all conditions anyway)
|
|
return false; // bail out
|
|
}
|
|
return this.orblock ? any_true : true;
|
|
};
|
|
EventBlock.prototype.retrigger = function ()
|
|
{
|
|
this.runtime.execcount++;
|
|
var prevcndindex = this.runtime.getCurrentEventStack().cndindex;
|
|
var len;
|
|
var evinfo = this.runtime.pushEventStack(this);
|
|
if (!this.orblock)
|
|
{
|
|
for (evinfo.cndindex = prevcndindex + 1, len = this.conditions.length; evinfo.cndindex < len; evinfo.cndindex++)
|
|
{
|
|
if (!this.conditions[evinfo.cndindex].run()) // condition failed
|
|
{
|
|
this.runtime.popEventStack(); // moving up level of recursion
|
|
return false; // bail out
|
|
}
|
|
}
|
|
}
|
|
this.run_actions_and_subevents();
|
|
this.runtime.popEventStack();
|
|
return true; // ran an iteration
|
|
};
|
|
EventBlock.prototype.isFirstConditionOfType = function (cnd)
|
|
{
|
|
var cndindex = cnd.index;
|
|
if (cndindex === 0)
|
|
return true;
|
|
--cndindex;
|
|
for ( ; cndindex >= 0; --cndindex)
|
|
{
|
|
if (this.conditions[cndindex].type === cnd.type)
|
|
return false;
|
|
}
|
|
return true;
|
|
};
|
|
cr.eventblock = EventBlock;
|
|
function Condition(block, m)
|
|
{
|
|
this.block = block;
|
|
this.sheet = block.sheet;
|
|
this.runtime = block.runtime;
|
|
this.parameters = [];
|
|
this.results = [];
|
|
this.extra = {}; // for plugins to stow away some custom info
|
|
this.index = -1;
|
|
this.anyParamVariesPerInstance = false;
|
|
this.func = this.runtime.GetObjectReference(m[1]);
|
|
;
|
|
this.trigger = (m[3] > 0);
|
|
this.fasttrigger = (m[3] === 2);
|
|
this.looping = m[4];
|
|
this.inverted = m[5];
|
|
this.isstatic = m[6];
|
|
this.sid = m[7];
|
|
this.runtime.cndsBySid[this.sid.toString()] = this;
|
|
if (m[0] === -1) // system object
|
|
{
|
|
this.type = null;
|
|
this.run = this.run_system;
|
|
this.behaviortype = null;
|
|
this.beh_index = -1;
|
|
}
|
|
else
|
|
{
|
|
this.type = this.runtime.types_by_index[m[0]];
|
|
;
|
|
if (this.isstatic)
|
|
this.run = this.run_static;
|
|
else
|
|
this.run = this.run_object;
|
|
if (m[2])
|
|
{
|
|
this.behaviortype = this.type.getBehaviorByName(m[2]);
|
|
;
|
|
this.beh_index = this.type.getBehaviorIndexByName(m[2]);
|
|
;
|
|
}
|
|
else
|
|
{
|
|
this.behaviortype = null;
|
|
this.beh_index = -1;
|
|
}
|
|
if (this.block.parent)
|
|
this.block.parent.setSolWriterAfterCnds();
|
|
}
|
|
if (this.fasttrigger)
|
|
this.run = this.run_true;
|
|
if (m.length === 10)
|
|
{
|
|
var i, len;
|
|
var em = m[9];
|
|
for (i = 0, len = em.length; i < len; i++)
|
|
{
|
|
var param = new cr.parameter(this, em[i]);
|
|
cr.seal(param);
|
|
this.parameters.push(param);
|
|
}
|
|
this.results.length = em.length;
|
|
}
|
|
};
|
|
Condition.prototype.postInit = function ()
|
|
{
|
|
var i, len, p;
|
|
for (i = 0, len = this.parameters.length; i < len; i++)
|
|
{
|
|
p = this.parameters[i];
|
|
p.postInit();
|
|
if (p.variesPerInstance)
|
|
this.anyParamVariesPerInstance = true;
|
|
}
|
|
};
|
|
/*
|
|
Condition.prototype.is_logical = function ()
|
|
{
|
|
return !this.type || this.type.plugin.singleglobal;
|
|
};
|
|
*/
|
|
Condition.prototype.run_true = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Condition.prototype.run_system = function ()
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.parameters.length; i < len; i++)
|
|
this.results[i] = this.parameters[i].get();
|
|
return cr.xor(this.func.apply(this.runtime.system, this.results), this.inverted);
|
|
};
|
|
Condition.prototype.run_static = function ()
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.parameters.length; i < len; i++)
|
|
this.results[i] = this.parameters[i].get();
|
|
var ret = this.func.apply(this.behaviortype ? this.behaviortype : this.type, this.results);
|
|
this.type.applySolToContainer();
|
|
return ret;
|
|
};
|
|
Condition.prototype.run_object = function ()
|
|
{
|
|
var i, j, k, leni, lenj, p, ret, met, inst, s, sol2;
|
|
var type = this.type;
|
|
var sol = type.getCurrentSol();
|
|
var is_orblock = this.block.orblock && !this.trigger; // triggers in OR blocks need to work normally
|
|
var offset = 0;
|
|
var is_contained = type.is_contained;
|
|
var is_family = type.is_family;
|
|
var family_index = type.family_index;
|
|
var beh_index = this.beh_index;
|
|
var is_beh = (beh_index > -1);
|
|
var params_vary = this.anyParamVariesPerInstance;
|
|
var parameters = this.parameters;
|
|
var results = this.results;
|
|
var inverted = this.inverted;
|
|
var func = this.func;
|
|
var arr, container;
|
|
if (params_vary)
|
|
{
|
|
for (j = 0, lenj = parameters.length; j < lenj; ++j)
|
|
{
|
|
p = parameters[j];
|
|
if (!p.variesPerInstance)
|
|
results[j] = p.get(0);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
for (j = 0, lenj = parameters.length; j < lenj; ++j)
|
|
results[j] = parameters[j].get(0);
|
|
}
|
|
if (sol.select_all) {
|
|
cr.clearArray(sol.instances); // clear contents
|
|
cr.clearArray(sol.else_instances);
|
|
arr = type.instances;
|
|
for (i = 0, leni = arr.length; i < leni; ++i)
|
|
{
|
|
inst = arr[i];
|
|
;
|
|
if (params_vary)
|
|
{
|
|
for (j = 0, lenj = parameters.length; j < lenj; ++j)
|
|
{
|
|
p = parameters[j];
|
|
if (p.variesPerInstance)
|
|
results[j] = p.get(i); // default SOL index is current object
|
|
}
|
|
}
|
|
if (is_beh)
|
|
{
|
|
offset = 0;
|
|
if (is_family)
|
|
{
|
|
offset = inst.type.family_beh_map[family_index];
|
|
}
|
|
ret = func.apply(inst.behavior_insts[beh_index + offset], results);
|
|
}
|
|
else
|
|
ret = func.apply(inst, results);
|
|
met = cr.xor(ret, inverted);
|
|
if (met)
|
|
sol.instances.push(inst);
|
|
else if (is_orblock) // in OR blocks, keep the instances not meeting the condition for subsequent testing
|
|
sol.else_instances.push(inst);
|
|
}
|
|
if (type.finish)
|
|
type.finish(true);
|
|
sol.select_all = false;
|
|
type.applySolToContainer();
|
|
return sol.hasObjects();
|
|
}
|
|
else {
|
|
k = 0;
|
|
var using_else_instances = (is_orblock && !this.block.isFirstConditionOfType(this));
|
|
arr = (using_else_instances ? sol.else_instances : sol.instances);
|
|
var any_true = false;
|
|
for (i = 0, leni = arr.length; i < leni; ++i)
|
|
{
|
|
inst = arr[i];
|
|
;
|
|
if (params_vary)
|
|
{
|
|
for (j = 0, lenj = parameters.length; j < lenj; ++j)
|
|
{
|
|
p = parameters[j];
|
|
if (p.variesPerInstance)
|
|
results[j] = p.get(i); // default SOL index is current object
|
|
}
|
|
}
|
|
if (is_beh)
|
|
{
|
|
offset = 0;
|
|
if (is_family)
|
|
{
|
|
offset = inst.type.family_beh_map[family_index];
|
|
}
|
|
ret = func.apply(inst.behavior_insts[beh_index + offset], results);
|
|
}
|
|
else
|
|
ret = func.apply(inst, results);
|
|
if (cr.xor(ret, inverted))
|
|
{
|
|
any_true = true;
|
|
if (using_else_instances)
|
|
{
|
|
sol.instances.push(inst);
|
|
if (is_contained)
|
|
{
|
|
for (j = 0, lenj = inst.siblings.length; j < lenj; j++)
|
|
{
|
|
s = inst.siblings[j];
|
|
s.type.getCurrentSol().instances.push(s);
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
arr[k] = inst;
|
|
if (is_contained)
|
|
{
|
|
for (j = 0, lenj = inst.siblings.length; j < lenj; j++)
|
|
{
|
|
s = inst.siblings[j];
|
|
s.type.getCurrentSol().instances[k] = s;
|
|
}
|
|
}
|
|
k++;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (using_else_instances)
|
|
{
|
|
arr[k] = inst;
|
|
if (is_contained)
|
|
{
|
|
for (j = 0, lenj = inst.siblings.length; j < lenj; j++)
|
|
{
|
|
s = inst.siblings[j];
|
|
s.type.getCurrentSol().else_instances[k] = s;
|
|
}
|
|
}
|
|
k++;
|
|
}
|
|
else if (is_orblock)
|
|
{
|
|
sol.else_instances.push(inst);
|
|
if (is_contained)
|
|
{
|
|
for (j = 0, lenj = inst.siblings.length; j < lenj; j++)
|
|
{
|
|
s = inst.siblings[j];
|
|
s.type.getCurrentSol().else_instances.push(s);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
cr.truncateArray(arr, k);
|
|
if (is_contained)
|
|
{
|
|
container = type.container;
|
|
for (i = 0, leni = container.length; i < leni; i++)
|
|
{
|
|
sol2 = container[i].getCurrentSol();
|
|
if (using_else_instances)
|
|
cr.truncateArray(sol2.else_instances, k);
|
|
else
|
|
cr.truncateArray(sol2.instances, k);
|
|
}
|
|
}
|
|
var pick_in_finish = any_true; // don't pick in finish() if we're only doing the logic test below
|
|
if (using_else_instances && !any_true)
|
|
{
|
|
for (i = 0, leni = sol.instances.length; i < leni; i++)
|
|
{
|
|
inst = sol.instances[i];
|
|
if (params_vary)
|
|
{
|
|
for (j = 0, lenj = parameters.length; j < lenj; j++)
|
|
{
|
|
p = parameters[j];
|
|
if (p.variesPerInstance)
|
|
results[j] = p.get(i);
|
|
}
|
|
}
|
|
if (is_beh)
|
|
ret = func.apply(inst.behavior_insts[beh_index], results);
|
|
else
|
|
ret = func.apply(inst, results);
|
|
if (cr.xor(ret, inverted))
|
|
{
|
|
any_true = true;
|
|
break; // got our flag, don't need to test any more
|
|
}
|
|
}
|
|
}
|
|
if (type.finish)
|
|
type.finish(pick_in_finish || is_orblock);
|
|
return is_orblock ? any_true : sol.hasObjects();
|
|
}
|
|
};
|
|
cr.condition = Condition;
|
|
function Action(block, m)
|
|
{
|
|
this.block = block;
|
|
this.sheet = block.sheet;
|
|
this.runtime = block.runtime;
|
|
this.parameters = [];
|
|
this.results = [];
|
|
this.extra = {}; // for plugins to stow away some custom info
|
|
this.index = -1;
|
|
this.anyParamVariesPerInstance = false;
|
|
this.func = this.runtime.GetObjectReference(m[1]);
|
|
;
|
|
if (m[0] === -1) // system
|
|
{
|
|
this.type = null;
|
|
this.run = this.run_system;
|
|
this.behaviortype = null;
|
|
this.beh_index = -1;
|
|
}
|
|
else
|
|
{
|
|
this.type = this.runtime.types_by_index[m[0]];
|
|
;
|
|
this.run = this.run_object;
|
|
if (m[2])
|
|
{
|
|
this.behaviortype = this.type.getBehaviorByName(m[2]);
|
|
;
|
|
this.beh_index = this.type.getBehaviorIndexByName(m[2]);
|
|
;
|
|
}
|
|
else
|
|
{
|
|
this.behaviortype = null;
|
|
this.beh_index = -1;
|
|
}
|
|
}
|
|
this.sid = m[3];
|
|
this.runtime.actsBySid[this.sid.toString()] = this;
|
|
if (m.length === 6)
|
|
{
|
|
var i, len;
|
|
var em = m[5];
|
|
for (i = 0, len = em.length; i < len; i++)
|
|
{
|
|
var param = new cr.parameter(this, em[i]);
|
|
cr.seal(param);
|
|
this.parameters.push(param);
|
|
}
|
|
this.results.length = em.length;
|
|
}
|
|
};
|
|
Action.prototype.postInit = function ()
|
|
{
|
|
var i, len, p;
|
|
for (i = 0, len = this.parameters.length; i < len; i++)
|
|
{
|
|
p = this.parameters[i];
|
|
p.postInit();
|
|
if (p.variesPerInstance)
|
|
this.anyParamVariesPerInstance = true;
|
|
}
|
|
};
|
|
Action.prototype.run_system = function ()
|
|
{
|
|
var runtime = this.runtime;
|
|
var i, len;
|
|
var parameters = this.parameters;
|
|
var results = this.results;
|
|
for (i = 0, len = parameters.length; i < len; ++i)
|
|
results[i] = parameters[i].get();
|
|
return this.func.apply(runtime.system, results);
|
|
};
|
|
Action.prototype.run_object = function ()
|
|
{
|
|
var type = this.type;
|
|
var beh_index = this.beh_index;
|
|
var family_index = type.family_index;
|
|
var params_vary = this.anyParamVariesPerInstance;
|
|
var parameters = this.parameters;
|
|
var results = this.results;
|
|
var func = this.func;
|
|
var instances = type.getCurrentSol().getObjects();
|
|
var is_family = type.is_family;
|
|
var is_beh = (beh_index > -1);
|
|
var i, j, leni, lenj, p, inst, offset;
|
|
if (params_vary)
|
|
{
|
|
for (j = 0, lenj = parameters.length; j < lenj; ++j)
|
|
{
|
|
p = parameters[j];
|
|
if (!p.variesPerInstance)
|
|
results[j] = p.get(0);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
for (j = 0, lenj = parameters.length; j < lenj; ++j)
|
|
results[j] = parameters[j].get(0);
|
|
}
|
|
for (i = 0, leni = instances.length; i < leni; ++i)
|
|
{
|
|
inst = instances[i];
|
|
if (params_vary)
|
|
{
|
|
for (j = 0, lenj = parameters.length; j < lenj; ++j)
|
|
{
|
|
p = parameters[j];
|
|
if (p.variesPerInstance)
|
|
results[j] = p.get(i); // pass i to use as default SOL index
|
|
}
|
|
}
|
|
if (is_beh)
|
|
{
|
|
offset = 0;
|
|
if (is_family)
|
|
{
|
|
offset = inst.type.family_beh_map[family_index];
|
|
}
|
|
func.apply(inst.behavior_insts[beh_index + offset], results);
|
|
}
|
|
else
|
|
func.apply(inst, results);
|
|
}
|
|
return false;
|
|
};
|
|
cr.action = Action;
|
|
var tempValues = [];
|
|
var tempValuesPtr = -1;
|
|
function pushTempValue()
|
|
{
|
|
tempValuesPtr++;
|
|
if (tempValues.length === tempValuesPtr)
|
|
tempValues.push(new cr.expvalue());
|
|
return tempValues[tempValuesPtr];
|
|
};
|
|
function popTempValue()
|
|
{
|
|
tempValuesPtr--;
|
|
};
|
|
function Parameter(owner, m)
|
|
{
|
|
this.owner = owner;
|
|
this.block = owner.block;
|
|
this.sheet = owner.sheet;
|
|
this.runtime = owner.runtime;
|
|
this.type = m[0];
|
|
this.expression = null;
|
|
this.solindex = 0;
|
|
this.get = null;
|
|
this.combosel = 0;
|
|
this.layout = null;
|
|
this.key = 0;
|
|
this.object = null;
|
|
this.index = 0;
|
|
this.varname = null;
|
|
this.eventvar = null;
|
|
this.fileinfo = null;
|
|
this.subparams = null;
|
|
this.variadicret = null;
|
|
this.subparams = null;
|
|
this.variadicret = null;
|
|
this.variesPerInstance = false;
|
|
var i, len, param;
|
|
switch (m[0])
|
|
{
|
|
case 0: // number
|
|
case 7: // any
|
|
this.expression = new cr.expNode(this, m[1]);
|
|
this.solindex = 0;
|
|
this.get = this.get_exp;
|
|
break;
|
|
case 1: // string
|
|
this.expression = new cr.expNode(this, m[1]);
|
|
this.solindex = 0;
|
|
this.get = this.get_exp_str;
|
|
break;
|
|
case 5: // layer
|
|
this.expression = new cr.expNode(this, m[1]);
|
|
this.solindex = 0;
|
|
this.get = this.get_layer;
|
|
break;
|
|
case 3: // combo
|
|
case 8: // cmp
|
|
this.combosel = m[1];
|
|
this.get = this.get_combosel;
|
|
break;
|
|
case 6: // layout
|
|
this.layout = this.runtime.layouts[m[1]];
|
|
;
|
|
this.get = this.get_layout;
|
|
break;
|
|
case 9: // keyb
|
|
this.key = m[1];
|
|
this.get = this.get_key;
|
|
break;
|
|
case 4: // object
|
|
this.object = this.runtime.types_by_index[m[1]];
|
|
;
|
|
this.get = this.get_object;
|
|
this.block.addSolModifier(this.object);
|
|
if (this.owner instanceof cr.action)
|
|
this.block.setSolWriterAfterCnds();
|
|
else if (this.block.parent)
|
|
this.block.parent.setSolWriterAfterCnds();
|
|
break;
|
|
case 10: // instvar
|
|
this.index = m[1];
|
|
if (owner.type && owner.type.is_family)
|
|
{
|
|
this.get = this.get_familyvar;
|
|
this.variesPerInstance = true;
|
|
}
|
|
else
|
|
this.get = this.get_instvar;
|
|
break;
|
|
case 11: // eventvar
|
|
this.varname = m[1];
|
|
this.eventvar = null;
|
|
this.get = this.get_eventvar;
|
|
break;
|
|
case 2: // audiofile ["name", ismusic]
|
|
case 12: // fileinfo "name"
|
|
this.fileinfo = m[1];
|
|
this.get = this.get_audiofile;
|
|
break;
|
|
case 13: // variadic
|
|
this.get = this.get_variadic;
|
|
this.subparams = [];
|
|
this.variadicret = [];
|
|
for (i = 1, len = m.length; i < len; i++)
|
|
{
|
|
param = new cr.parameter(this.owner, m[i]);
|
|
cr.seal(param);
|
|
this.subparams.push(param);
|
|
this.variadicret.push(0);
|
|
}
|
|
break;
|
|
default:
|
|
;
|
|
}
|
|
};
|
|
Parameter.prototype.postInit = function ()
|
|
{
|
|
var i, len;
|
|
if (this.type === 11) // eventvar
|
|
{
|
|
this.eventvar = this.runtime.getEventVariableByName(this.varname, this.block.parent);
|
|
;
|
|
}
|
|
else if (this.type === 13) // variadic, postInit all sub-params
|
|
{
|
|
for (i = 0, len = this.subparams.length; i < len; i++)
|
|
this.subparams[i].postInit();
|
|
}
|
|
if (this.expression)
|
|
this.expression.postInit();
|
|
};
|
|
Parameter.prototype.maybeVaryForType = function (t)
|
|
{
|
|
if (this.variesPerInstance)
|
|
return; // already varies per instance, no need to check again
|
|
if (!t)
|
|
return; // never vary for system type
|
|
if (!t.plugin.singleglobal)
|
|
{
|
|
this.variesPerInstance = true;
|
|
return;
|
|
}
|
|
};
|
|
Parameter.prototype.setVaries = function ()
|
|
{
|
|
this.variesPerInstance = true;
|
|
};
|
|
Parameter.prototype.get_exp = function (solindex)
|
|
{
|
|
this.solindex = solindex || 0; // default SOL index to use
|
|
var temp = pushTempValue();
|
|
this.expression.get(temp);
|
|
popTempValue();
|
|
return temp.data; // return actual JS value, not expvalue
|
|
};
|
|
Parameter.prototype.get_exp_str = function (solindex)
|
|
{
|
|
this.solindex = solindex || 0; // default SOL index to use
|
|
var temp = pushTempValue();
|
|
this.expression.get(temp);
|
|
popTempValue();
|
|
if (cr.is_string(temp.data))
|
|
return temp.data;
|
|
else
|
|
return "";
|
|
};
|
|
Parameter.prototype.get_object = function ()
|
|
{
|
|
return this.object;
|
|
};
|
|
Parameter.prototype.get_combosel = function ()
|
|
{
|
|
return this.combosel;
|
|
};
|
|
Parameter.prototype.get_layer = function (solindex)
|
|
{
|
|
this.solindex = solindex || 0; // default SOL index to use
|
|
var temp = pushTempValue();
|
|
this.expression.get(temp);
|
|
popTempValue();
|
|
if (temp.is_number())
|
|
return this.runtime.getLayerByNumber(temp.data);
|
|
else
|
|
return this.runtime.getLayerByName(temp.data);
|
|
}
|
|
Parameter.prototype.get_layout = function ()
|
|
{
|
|
return this.layout;
|
|
};
|
|
Parameter.prototype.get_key = function ()
|
|
{
|
|
return this.key;
|
|
};
|
|
Parameter.prototype.get_instvar = function ()
|
|
{
|
|
return this.index;
|
|
};
|
|
Parameter.prototype.get_familyvar = function (solindex_)
|
|
{
|
|
var solindex = solindex_ || 0;
|
|
var familytype = this.owner.type;
|
|
var realtype = null;
|
|
var sol = familytype.getCurrentSol();
|
|
var objs = sol.getObjects();
|
|
if (objs.length)
|
|
realtype = objs[solindex % objs.length].type;
|
|
else if (sol.else_instances.length)
|
|
realtype = sol.else_instances[solindex % sol.else_instances.length].type;
|
|
else if (familytype.instances.length)
|
|
realtype = familytype.instances[solindex % familytype.instances.length].type;
|
|
else
|
|
return 0;
|
|
return this.index + realtype.family_var_map[familytype.family_index];
|
|
};
|
|
Parameter.prototype.get_eventvar = function ()
|
|
{
|
|
return this.eventvar;
|
|
};
|
|
Parameter.prototype.get_audiofile = function ()
|
|
{
|
|
return this.fileinfo;
|
|
};
|
|
Parameter.prototype.get_variadic = function ()
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.subparams.length; i < len; i++)
|
|
{
|
|
this.variadicret[i] = this.subparams[i].get();
|
|
}
|
|
return this.variadicret;
|
|
};
|
|
cr.parameter = Parameter;
|
|
function EventVariable(sheet, parent, m)
|
|
{
|
|
this.sheet = sheet;
|
|
this.parent = parent;
|
|
this.runtime = sheet.runtime;
|
|
this.solModifiers = [];
|
|
this.name = m[1];
|
|
this.vartype = m[2];
|
|
this.initial = m[3];
|
|
this.is_static = !!m[4];
|
|
this.is_constant = !!m[5];
|
|
this.sid = m[6];
|
|
this.runtime.varsBySid[this.sid.toString()] = this;
|
|
this.data = this.initial; // note: also stored in event stack frame for local nonstatic nonconst vars
|
|
if (this.parent) // local var
|
|
{
|
|
if (this.is_static || this.is_constant)
|
|
this.localIndex = -1;
|
|
else
|
|
this.localIndex = this.runtime.stackLocalCount++;
|
|
this.runtime.all_local_vars.push(this);
|
|
}
|
|
else // global var
|
|
{
|
|
this.localIndex = -1;
|
|
this.runtime.all_global_vars.push(this);
|
|
}
|
|
};
|
|
EventVariable.prototype.postInit = function ()
|
|
{
|
|
this.solModifiers = findMatchingSolModifier(this.solModifiers);
|
|
};
|
|
EventVariable.prototype.setValue = function (x)
|
|
{
|
|
;
|
|
var lvs = this.runtime.getCurrentLocalVarStack();
|
|
if (!this.parent || this.is_static || !lvs)
|
|
this.data = x;
|
|
else // local nonstatic variable: use event stack to keep value at this level of recursion
|
|
{
|
|
if (this.localIndex >= lvs.length)
|
|
lvs.length = this.localIndex + 1;
|
|
lvs[this.localIndex] = x;
|
|
}
|
|
};
|
|
EventVariable.prototype.getValue = function ()
|
|
{
|
|
var lvs = this.runtime.getCurrentLocalVarStack();
|
|
if (!this.parent || this.is_static || !lvs || this.is_constant)
|
|
return this.data;
|
|
else // local nonstatic variable
|
|
{
|
|
if (this.localIndex >= lvs.length)
|
|
{
|
|
return this.initial;
|
|
}
|
|
if (typeof lvs[this.localIndex] === "undefined")
|
|
{
|
|
return this.initial;
|
|
}
|
|
return lvs[this.localIndex];
|
|
}
|
|
};
|
|
EventVariable.prototype.run = function ()
|
|
{
|
|
if (this.parent && !this.is_static && !this.is_constant)
|
|
this.setValue(this.initial);
|
|
};
|
|
cr.eventvariable = EventVariable;
|
|
function EventInclude(sheet, parent, m)
|
|
{
|
|
this.sheet = sheet;
|
|
this.parent = parent;
|
|
this.runtime = sheet.runtime;
|
|
this.solModifiers = [];
|
|
this.include_sheet = null; // determined in postInit
|
|
this.include_sheet_name = m[1];
|
|
this.active = true;
|
|
};
|
|
EventInclude.prototype.toString = function ()
|
|
{
|
|
return "include:" + this.include_sheet.toString();
|
|
};
|
|
EventInclude.prototype.postInit = function ()
|
|
{
|
|
this.include_sheet = this.runtime.eventsheets[this.include_sheet_name];
|
|
;
|
|
;
|
|
this.sheet.includes.add(this);
|
|
this.solModifiers = findMatchingSolModifier(this.solModifiers);
|
|
var p = this.parent;
|
|
while (p)
|
|
{
|
|
if (p.group)
|
|
p.contained_includes.push(this);
|
|
p = p.parent;
|
|
}
|
|
this.updateActive();
|
|
};
|
|
EventInclude.prototype.run = function ()
|
|
{
|
|
if (this.parent)
|
|
this.runtime.pushCleanSol(this.runtime.types_by_index);
|
|
if (!this.include_sheet.hasRun)
|
|
this.include_sheet.run(true); // from include
|
|
if (this.parent)
|
|
this.runtime.popSol(this.runtime.types_by_index);
|
|
};
|
|
EventInclude.prototype.updateActive = function ()
|
|
{
|
|
var p = this.parent;
|
|
while (p)
|
|
{
|
|
if (p.group && !p.group_active)
|
|
{
|
|
this.active = false;
|
|
return;
|
|
}
|
|
p = p.parent;
|
|
}
|
|
this.active = true;
|
|
};
|
|
EventInclude.prototype.isActive = function ()
|
|
{
|
|
return this.active;
|
|
};
|
|
cr.eventinclude = EventInclude;
|
|
function EventStackFrame()
|
|
{
|
|
this.temp_parents_arr = [];
|
|
this.reset(null);
|
|
cr.seal(this);
|
|
};
|
|
EventStackFrame.prototype.reset = function (cur_event)
|
|
{
|
|
this.current_event = cur_event;
|
|
this.cndindex = 0;
|
|
this.actindex = 0;
|
|
cr.clearArray(this.temp_parents_arr);
|
|
this.last_event_true = false;
|
|
this.else_branch_ran = false;
|
|
this.any_true_state = false;
|
|
};
|
|
EventStackFrame.prototype.isModifierAfterCnds = function ()
|
|
{
|
|
if (this.current_event.solWriterAfterCnds)
|
|
return true;
|
|
if (this.cndindex < this.current_event.conditions.length - 1)
|
|
return !!this.current_event.solModifiers.length;
|
|
return false;
|
|
};
|
|
cr.eventStackFrame = EventStackFrame;
|
|
}());
|
|
(function()
|
|
{
|
|
function ExpNode(owner_, m)
|
|
{
|
|
this.owner = owner_;
|
|
this.runtime = owner_.runtime;
|
|
this.type = m[0];
|
|
;
|
|
this.get = [this.eval_int,
|
|
this.eval_float,
|
|
this.eval_string,
|
|
this.eval_unaryminus,
|
|
this.eval_add,
|
|
this.eval_subtract,
|
|
this.eval_multiply,
|
|
this.eval_divide,
|
|
this.eval_mod,
|
|
this.eval_power,
|
|
this.eval_and,
|
|
this.eval_or,
|
|
this.eval_equal,
|
|
this.eval_notequal,
|
|
this.eval_less,
|
|
this.eval_lessequal,
|
|
this.eval_greater,
|
|
this.eval_greaterequal,
|
|
this.eval_conditional,
|
|
this.eval_system_exp,
|
|
this.eval_object_exp,
|
|
this.eval_instvar_exp,
|
|
this.eval_behavior_exp,
|
|
this.eval_eventvar_exp][this.type];
|
|
var paramsModel = null;
|
|
this.value = null;
|
|
this.first = null;
|
|
this.second = null;
|
|
this.third = null;
|
|
this.func = null;
|
|
this.results = null;
|
|
this.parameters = null;
|
|
this.object_type = null;
|
|
this.beh_index = -1;
|
|
this.instance_expr = null;
|
|
this.varindex = -1;
|
|
this.behavior_type = null;
|
|
this.varname = null;
|
|
this.eventvar = null;
|
|
this.return_string = false;
|
|
switch (this.type) {
|
|
case 0: // int
|
|
case 1: // float
|
|
case 2: // string
|
|
this.value = m[1];
|
|
break;
|
|
case 3: // unaryminus
|
|
this.first = new cr.expNode(owner_, m[1]);
|
|
break;
|
|
case 18: // conditional
|
|
this.first = new cr.expNode(owner_, m[1]);
|
|
this.second = new cr.expNode(owner_, m[2]);
|
|
this.third = new cr.expNode(owner_, m[3]);
|
|
break;
|
|
case 19: // system_exp
|
|
this.func = this.runtime.GetObjectReference(m[1]);
|
|
;
|
|
if (this.func === cr.system_object.prototype.exps.random
|
|
|| this.func === cr.system_object.prototype.exps.choose)
|
|
{
|
|
this.owner.setVaries();
|
|
}
|
|
this.results = [];
|
|
this.parameters = [];
|
|
if (m.length === 3)
|
|
{
|
|
paramsModel = m[2];
|
|
this.results.length = paramsModel.length + 1; // must also fit 'ret'
|
|
}
|
|
else
|
|
this.results.length = 1; // to fit 'ret'
|
|
break;
|
|
case 20: // object_exp
|
|
this.object_type = this.runtime.types_by_index[m[1]];
|
|
;
|
|
this.beh_index = -1;
|
|
this.func = this.runtime.GetObjectReference(m[2]);
|
|
this.return_string = m[3];
|
|
if (cr.plugins_.Function && this.func === cr.plugins_.Function.prototype.exps.Call)
|
|
{
|
|
this.owner.setVaries();
|
|
}
|
|
if (m[4])
|
|
this.instance_expr = new cr.expNode(owner_, m[4]);
|
|
else
|
|
this.instance_expr = null;
|
|
this.results = [];
|
|
this.parameters = [];
|
|
if (m.length === 6)
|
|
{
|
|
paramsModel = m[5];
|
|
this.results.length = paramsModel.length + 1;
|
|
}
|
|
else
|
|
this.results.length = 1; // to fit 'ret'
|
|
break;
|
|
case 21: // instvar_exp
|
|
this.object_type = this.runtime.types_by_index[m[1]];
|
|
;
|
|
this.return_string = m[2];
|
|
if (m[3])
|
|
this.instance_expr = new cr.expNode(owner_, m[3]);
|
|
else
|
|
this.instance_expr = null;
|
|
this.varindex = m[4];
|
|
break;
|
|
case 22: // behavior_exp
|
|
this.object_type = this.runtime.types_by_index[m[1]];
|
|
;
|
|
this.behavior_type = this.object_type.getBehaviorByName(m[2]);
|
|
;
|
|
this.beh_index = this.object_type.getBehaviorIndexByName(m[2]);
|
|
this.func = this.runtime.GetObjectReference(m[3]);
|
|
this.return_string = m[4];
|
|
if (m[5])
|
|
this.instance_expr = new cr.expNode(owner_, m[5]);
|
|
else
|
|
this.instance_expr = null;
|
|
this.results = [];
|
|
this.parameters = [];
|
|
if (m.length === 7)
|
|
{
|
|
paramsModel = m[6];
|
|
this.results.length = paramsModel.length + 1;
|
|
}
|
|
else
|
|
this.results.length = 1; // to fit 'ret'
|
|
break;
|
|
case 23: // eventvar_exp
|
|
this.varname = m[1];
|
|
this.eventvar = null; // assigned in postInit
|
|
break;
|
|
}
|
|
this.owner.maybeVaryForType(this.object_type);
|
|
if (this.type >= 4 && this.type <= 17)
|
|
{
|
|
this.first = new cr.expNode(owner_, m[1]);
|
|
this.second = new cr.expNode(owner_, m[2]);
|
|
}
|
|
if (paramsModel)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = paramsModel.length; i < len; i++)
|
|
this.parameters.push(new cr.expNode(owner_, paramsModel[i]));
|
|
}
|
|
cr.seal(this);
|
|
};
|
|
ExpNode.prototype.postInit = function ()
|
|
{
|
|
if (this.type === 23) // eventvar_exp
|
|
{
|
|
this.eventvar = this.owner.runtime.getEventVariableByName(this.varname, this.owner.block.parent);
|
|
;
|
|
}
|
|
if (this.first)
|
|
this.first.postInit();
|
|
if (this.second)
|
|
this.second.postInit();
|
|
if (this.third)
|
|
this.third.postInit();
|
|
if (this.instance_expr)
|
|
this.instance_expr.postInit();
|
|
if (this.parameters)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.parameters.length; i < len; i++)
|
|
this.parameters[i].postInit();
|
|
}
|
|
};
|
|
var tempValues = [];
|
|
var tempValuesPtr = -1;
|
|
function pushTempValue()
|
|
{
|
|
++tempValuesPtr;
|
|
if (tempValues.length === tempValuesPtr)
|
|
tempValues.push(new cr.expvalue());
|
|
return tempValues[tempValuesPtr];
|
|
};
|
|
function popTempValue()
|
|
{
|
|
--tempValuesPtr;
|
|
};
|
|
function eval_params(parameters, results, temp)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = parameters.length; i < len; ++i)
|
|
{
|
|
parameters[i].get(temp);
|
|
results[i + 1] = temp.data; // passing actual javascript value as argument instead of expvalue
|
|
}
|
|
}
|
|
ExpNode.prototype.eval_system_exp = function (ret)
|
|
{
|
|
var parameters = this.parameters;
|
|
var results = this.results;
|
|
results[0] = ret;
|
|
var temp = pushTempValue();
|
|
eval_params(parameters, results, temp);
|
|
popTempValue();
|
|
this.func.apply(this.runtime.system, results);
|
|
};
|
|
ExpNode.prototype.eval_object_exp = function (ret)
|
|
{
|
|
var object_type = this.object_type;
|
|
var results = this.results;
|
|
var parameters = this.parameters;
|
|
var instance_expr = this.instance_expr;
|
|
var func = this.func;
|
|
var index = this.owner.solindex; // default to parameter's intended SOL index
|
|
var sol = object_type.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
if (!instances.length)
|
|
{
|
|
if (sol.else_instances.length)
|
|
instances = sol.else_instances;
|
|
else
|
|
{
|
|
if (this.return_string)
|
|
ret.set_string("");
|
|
else
|
|
ret.set_int(0);
|
|
return;
|
|
}
|
|
}
|
|
results[0] = ret;
|
|
ret.object_class = object_type; // so expression can access family type if need be
|
|
var temp = pushTempValue();
|
|
eval_params(parameters, results, temp);
|
|
if (instance_expr) {
|
|
instance_expr.get(temp);
|
|
if (temp.is_number()) {
|
|
index = temp.data;
|
|
instances = object_type.instances; // pick from all instances, not SOL
|
|
}
|
|
}
|
|
popTempValue();
|
|
var len = instances.length;
|
|
if (index >= len || index <= -len)
|
|
index %= len; // wraparound
|
|
if (index < 0)
|
|
index += len;
|
|
var returned_val = func.apply(instances[index], results);
|
|
;
|
|
};
|
|
ExpNode.prototype.eval_behavior_exp = function (ret)
|
|
{
|
|
var object_type = this.object_type;
|
|
var results = this.results;
|
|
var parameters = this.parameters;
|
|
var instance_expr = this.instance_expr;
|
|
var beh_index = this.beh_index;
|
|
var func = this.func;
|
|
var index = this.owner.solindex; // default to parameter's intended SOL index
|
|
var sol = object_type.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
if (!instances.length)
|
|
{
|
|
if (sol.else_instances.length)
|
|
instances = sol.else_instances;
|
|
else
|
|
{
|
|
if (this.return_string)
|
|
ret.set_string("");
|
|
else
|
|
ret.set_int(0);
|
|
return;
|
|
}
|
|
}
|
|
results[0] = ret;
|
|
ret.object_class = object_type; // so expression can access family type if need be
|
|
var temp = pushTempValue();
|
|
eval_params(parameters, results, temp);
|
|
if (instance_expr) {
|
|
instance_expr.get(temp);
|
|
if (temp.is_number()) {
|
|
index = temp.data;
|
|
instances = object_type.instances; // pick from all instances, not SOL
|
|
}
|
|
}
|
|
popTempValue();
|
|
var len = instances.length;
|
|
if (index >= len || index <= -len)
|
|
index %= len; // wraparound
|
|
if (index < 0)
|
|
index += len;
|
|
var inst = instances[index];
|
|
var offset = 0;
|
|
if (object_type.is_family)
|
|
{
|
|
offset = inst.type.family_beh_map[object_type.family_index];
|
|
}
|
|
var returned_val = func.apply(inst.behavior_insts[beh_index + offset], results);
|
|
;
|
|
};
|
|
ExpNode.prototype.eval_instvar_exp = function (ret)
|
|
{
|
|
var instance_expr = this.instance_expr;
|
|
var object_type = this.object_type;
|
|
var varindex = this.varindex;
|
|
var index = this.owner.solindex; // default to parameter's intended SOL index
|
|
var sol = object_type.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
var inst;
|
|
if (!instances.length)
|
|
{
|
|
if (sol.else_instances.length)
|
|
instances = sol.else_instances;
|
|
else
|
|
{
|
|
if (this.return_string)
|
|
ret.set_string("");
|
|
else
|
|
ret.set_int(0);
|
|
return;
|
|
}
|
|
}
|
|
if (instance_expr)
|
|
{
|
|
var temp = pushTempValue();
|
|
instance_expr.get(temp);
|
|
if (temp.is_number())
|
|
{
|
|
index = temp.data;
|
|
var type_instances = object_type.instances;
|
|
if (type_instances.length !== 0) // avoid NaN result with %
|
|
{
|
|
index %= type_instances.length; // wraparound
|
|
if (index < 0) // offset
|
|
index += type_instances.length;
|
|
}
|
|
inst = object_type.getInstanceByIID(index);
|
|
var to_ret = inst.instance_vars[varindex];
|
|
if (cr.is_string(to_ret))
|
|
ret.set_string(to_ret);
|
|
else
|
|
ret.set_float(to_ret);
|
|
popTempValue();
|
|
return; // done
|
|
}
|
|
popTempValue();
|
|
}
|
|
var len = instances.length;
|
|
if (index >= len || index <= -len)
|
|
index %= len; // wraparound
|
|
if (index < 0)
|
|
index += len;
|
|
inst = instances[index];
|
|
var offset = 0;
|
|
if (object_type.is_family)
|
|
{
|
|
offset = inst.type.family_var_map[object_type.family_index];
|
|
}
|
|
var to_ret = inst.instance_vars[varindex + offset];
|
|
if (cr.is_string(to_ret))
|
|
ret.set_string(to_ret);
|
|
else
|
|
ret.set_float(to_ret);
|
|
};
|
|
ExpNode.prototype.eval_int = function (ret)
|
|
{
|
|
ret.type = cr.exptype.Integer;
|
|
ret.data = this.value;
|
|
};
|
|
ExpNode.prototype.eval_float = function (ret)
|
|
{
|
|
ret.type = cr.exptype.Float;
|
|
ret.data = this.value;
|
|
};
|
|
ExpNode.prototype.eval_string = function (ret)
|
|
{
|
|
ret.type = cr.exptype.String;
|
|
ret.data = this.value;
|
|
};
|
|
ExpNode.prototype.eval_unaryminus = function (ret)
|
|
{
|
|
this.first.get(ret); // retrieve operand
|
|
if (ret.is_number())
|
|
ret.data = -ret.data;
|
|
};
|
|
ExpNode.prototype.eval_add = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
if (ret.is_number() && temp.is_number())
|
|
{
|
|
ret.data += temp.data; // both operands numbers: add
|
|
if (temp.is_float())
|
|
ret.make_float();
|
|
}
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_subtract = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
if (ret.is_number() && temp.is_number())
|
|
{
|
|
ret.data -= temp.data; // both operands numbers: subtract
|
|
if (temp.is_float())
|
|
ret.make_float();
|
|
}
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_multiply = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
if (ret.is_number() && temp.is_number())
|
|
{
|
|
ret.data *= temp.data; // both operands numbers: multiply
|
|
if (temp.is_float())
|
|
ret.make_float();
|
|
}
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_divide = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
if (ret.is_number() && temp.is_number())
|
|
{
|
|
ret.data /= temp.data; // both operands numbers: divide
|
|
ret.make_float();
|
|
}
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_mod = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
if (ret.is_number() && temp.is_number())
|
|
{
|
|
ret.data %= temp.data; // both operands numbers: modulo
|
|
if (temp.is_float())
|
|
ret.make_float();
|
|
}
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_power = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
if (ret.is_number() && temp.is_number())
|
|
{
|
|
ret.data = Math.pow(ret.data, temp.data); // both operands numbers: raise to power
|
|
if (temp.is_float())
|
|
ret.make_float();
|
|
}
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_and = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
if (temp.is_string() || ret.is_string())
|
|
this.eval_and_stringconcat(ret, temp);
|
|
else
|
|
this.eval_and_logical(ret, temp);
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_and_stringconcat = function (ret, temp)
|
|
{
|
|
if (ret.is_string() && temp.is_string())
|
|
this.eval_and_stringconcat_str_str(ret, temp);
|
|
else
|
|
this.eval_and_stringconcat_num(ret, temp);
|
|
};
|
|
ExpNode.prototype.eval_and_stringconcat_str_str = function (ret, temp)
|
|
{
|
|
ret.data += temp.data;
|
|
};
|
|
ExpNode.prototype.eval_and_stringconcat_num = function (ret, temp)
|
|
{
|
|
if (ret.is_string())
|
|
{
|
|
ret.data += (Math.round(temp.data * 1e10) / 1e10).toString();
|
|
}
|
|
else
|
|
{
|
|
ret.set_string(ret.data.toString() + temp.data);
|
|
}
|
|
};
|
|
ExpNode.prototype.eval_and_logical = function (ret, temp)
|
|
{
|
|
ret.set_int(ret.data && temp.data ? 1 : 0);
|
|
};
|
|
ExpNode.prototype.eval_or = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
if (ret.is_number() && temp.is_number())
|
|
{
|
|
if (ret.data || temp.data)
|
|
ret.set_int(1);
|
|
else
|
|
ret.set_int(0);
|
|
}
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_conditional = function (ret)
|
|
{
|
|
this.first.get(ret); // condition operand
|
|
if (ret.data) // is true
|
|
this.second.get(ret); // evaluate second operand to ret
|
|
else
|
|
this.third.get(ret); // evaluate third operand to ret
|
|
};
|
|
ExpNode.prototype.eval_equal = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
ret.set_int(ret.data === temp.data ? 1 : 0);
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_notequal = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
ret.set_int(ret.data !== temp.data ? 1 : 0);
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_less = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
ret.set_int(ret.data < temp.data ? 1 : 0);
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_lessequal = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
ret.set_int(ret.data <= temp.data ? 1 : 0);
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_greater = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
ret.set_int(ret.data > temp.data ? 1 : 0);
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_greaterequal = function (ret)
|
|
{
|
|
this.first.get(ret); // left operand
|
|
var temp = pushTempValue();
|
|
this.second.get(temp); // right operand
|
|
ret.set_int(ret.data >= temp.data ? 1 : 0);
|
|
popTempValue();
|
|
};
|
|
ExpNode.prototype.eval_eventvar_exp = function (ret)
|
|
{
|
|
var val = this.eventvar.getValue();
|
|
if (cr.is_number(val))
|
|
ret.set_float(val);
|
|
else
|
|
ret.set_string(val);
|
|
};
|
|
cr.expNode = ExpNode;
|
|
function ExpValue(type, data)
|
|
{
|
|
this.type = type || cr.exptype.Integer;
|
|
this.data = data || 0;
|
|
this.object_class = null;
|
|
;
|
|
;
|
|
;
|
|
if (this.type == cr.exptype.Integer)
|
|
this.data = Math.floor(this.data);
|
|
cr.seal(this);
|
|
};
|
|
ExpValue.prototype.is_int = function ()
|
|
{
|
|
return this.type === cr.exptype.Integer;
|
|
};
|
|
ExpValue.prototype.is_float = function ()
|
|
{
|
|
return this.type === cr.exptype.Float;
|
|
};
|
|
ExpValue.prototype.is_number = function ()
|
|
{
|
|
return this.type === cr.exptype.Integer || this.type === cr.exptype.Float;
|
|
};
|
|
ExpValue.prototype.is_string = function ()
|
|
{
|
|
return this.type === cr.exptype.String;
|
|
};
|
|
ExpValue.prototype.make_int = function ()
|
|
{
|
|
if (!this.is_int())
|
|
{
|
|
if (this.is_float())
|
|
this.data = Math.floor(this.data); // truncate float
|
|
else if (this.is_string())
|
|
this.data = parseInt(this.data, 10);
|
|
this.type = cr.exptype.Integer;
|
|
}
|
|
};
|
|
ExpValue.prototype.make_float = function ()
|
|
{
|
|
if (!this.is_float())
|
|
{
|
|
if (this.is_string())
|
|
this.data = parseFloat(this.data);
|
|
this.type = cr.exptype.Float;
|
|
}
|
|
};
|
|
ExpValue.prototype.make_string = function ()
|
|
{
|
|
if (!this.is_string())
|
|
{
|
|
this.data = this.data.toString();
|
|
this.type = cr.exptype.String;
|
|
}
|
|
};
|
|
ExpValue.prototype.set_int = function (val)
|
|
{
|
|
;
|
|
this.type = cr.exptype.Integer;
|
|
this.data = Math.floor(val);
|
|
};
|
|
ExpValue.prototype.set_float = function (val)
|
|
{
|
|
;
|
|
this.type = cr.exptype.Float;
|
|
this.data = val;
|
|
};
|
|
ExpValue.prototype.set_string = function (val)
|
|
{
|
|
;
|
|
this.type = cr.exptype.String;
|
|
this.data = val;
|
|
};
|
|
ExpValue.prototype.set_any = function (val)
|
|
{
|
|
if (cr.is_number(val))
|
|
{
|
|
this.type = cr.exptype.Float;
|
|
this.data = val;
|
|
}
|
|
else if (cr.is_string(val))
|
|
{
|
|
this.type = cr.exptype.String;
|
|
this.data = val.toString();
|
|
}
|
|
else
|
|
{
|
|
this.type = cr.exptype.Integer;
|
|
this.data = 0;
|
|
}
|
|
};
|
|
cr.expvalue = ExpValue;
|
|
cr.exptype = {
|
|
Integer: 0, // emulated; no native integer support in javascript
|
|
Float: 1,
|
|
String: 2
|
|
};
|
|
}());
|
|
;
|
|
cr.system_object = function (runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
this.waits = [];
|
|
};
|
|
cr.system_object.prototype.saveToJSON = function ()
|
|
{
|
|
var o = {};
|
|
var i, len, j, lenj, p, w, t, sobj;
|
|
o["waits"] = [];
|
|
var owaits = o["waits"];
|
|
var waitobj;
|
|
for (i = 0, len = this.waits.length; i < len; i++)
|
|
{
|
|
w = this.waits[i];
|
|
waitobj = {
|
|
"t": w.time,
|
|
"st": w.signaltag,
|
|
"s": w.signalled,
|
|
"ev": w.ev.sid,
|
|
"sm": [],
|
|
"sols": {}
|
|
};
|
|
if (w.ev.actions[w.actindex])
|
|
waitobj["act"] = w.ev.actions[w.actindex].sid;
|
|
for (j = 0, lenj = w.solModifiers.length; j < lenj; j++)
|
|
waitobj["sm"].push(w.solModifiers[j].sid);
|
|
for (p in w.sols)
|
|
{
|
|
if (w.sols.hasOwnProperty(p))
|
|
{
|
|
t = this.runtime.types_by_index[parseInt(p, 10)];
|
|
;
|
|
sobj = {
|
|
"sa": w.sols[p].sa,
|
|
"insts": []
|
|
};
|
|
for (j = 0, lenj = w.sols[p].insts.length; j < lenj; j++)
|
|
sobj["insts"].push(w.sols[p].insts[j].uid);
|
|
waitobj["sols"][t.sid.toString()] = sobj;
|
|
}
|
|
}
|
|
owaits.push(waitobj);
|
|
}
|
|
return o;
|
|
};
|
|
cr.system_object.prototype.loadFromJSON = function (o)
|
|
{
|
|
var owaits = o["waits"];
|
|
var i, len, j, lenj, p, w, addWait, e, aindex, t, savedsol, nusol, inst;
|
|
cr.clearArray(this.waits);
|
|
for (i = 0, len = owaits.length; i < len; i++)
|
|
{
|
|
w = owaits[i];
|
|
e = this.runtime.blocksBySid[w["ev"].toString()];
|
|
if (!e)
|
|
continue; // event must've gone missing
|
|
aindex = -1;
|
|
for (j = 0, lenj = e.actions.length; j < lenj; j++)
|
|
{
|
|
if (e.actions[j].sid === w["act"])
|
|
{
|
|
aindex = j;
|
|
break;
|
|
}
|
|
}
|
|
if (aindex === -1)
|
|
continue; // action must've gone missing
|
|
addWait = {};
|
|
addWait.sols = {};
|
|
addWait.solModifiers = [];
|
|
addWait.deleteme = false;
|
|
addWait.time = w["t"];
|
|
addWait.signaltag = w["st"] || "";
|
|
addWait.signalled = !!w["s"];
|
|
addWait.ev = e;
|
|
addWait.actindex = aindex;
|
|
for (j = 0, lenj = w["sm"].length; j < lenj; j++)
|
|
{
|
|
t = this.runtime.getObjectTypeBySid(w["sm"][j]);
|
|
if (t)
|
|
addWait.solModifiers.push(t);
|
|
}
|
|
for (p in w["sols"])
|
|
{
|
|
if (w["sols"].hasOwnProperty(p))
|
|
{
|
|
t = this.runtime.getObjectTypeBySid(parseInt(p, 10));
|
|
if (!t)
|
|
continue; // type must've been deleted
|
|
savedsol = w["sols"][p];
|
|
nusol = {
|
|
sa: savedsol["sa"],
|
|
insts: []
|
|
};
|
|
for (j = 0, lenj = savedsol["insts"].length; j < lenj; j++)
|
|
{
|
|
inst = this.runtime.getObjectByUID(savedsol["insts"][j]);
|
|
if (inst)
|
|
nusol.insts.push(inst);
|
|
}
|
|
addWait.sols[t.index.toString()] = nusol;
|
|
}
|
|
}
|
|
this.waits.push(addWait);
|
|
}
|
|
};
|
|
(function ()
|
|
{
|
|
var sysProto = cr.system_object.prototype;
|
|
function SysCnds() {};
|
|
SysCnds.prototype.EveryTick = function()
|
|
{
|
|
return true;
|
|
};
|
|
SysCnds.prototype.OnLayoutStart = function()
|
|
{
|
|
return true;
|
|
};
|
|
SysCnds.prototype.OnLayoutEnd = function()
|
|
{
|
|
return true;
|
|
};
|
|
SysCnds.prototype.Compare = function(x, cmp, y)
|
|
{
|
|
return cr.do_cmp(x, cmp, y);
|
|
};
|
|
SysCnds.prototype.CompareTime = function (cmp, t)
|
|
{
|
|
var elapsed = this.runtime.kahanTime.sum;
|
|
if (cmp === 0)
|
|
{
|
|
var cnd = this.runtime.getCurrentCondition();
|
|
if (!cnd.extra["CompareTime_executed"])
|
|
{
|
|
if (elapsed >= t)
|
|
{
|
|
cnd.extra["CompareTime_executed"] = true;
|
|
return true;
|
|
}
|
|
}
|
|
return false;
|
|
}
|
|
return cr.do_cmp(elapsed, cmp, t);
|
|
};
|
|
SysCnds.prototype.LayerVisible = function (layer)
|
|
{
|
|
if (!layer)
|
|
return false;
|
|
else
|
|
return layer.visible;
|
|
};
|
|
SysCnds.prototype.LayerEmpty = function (layer)
|
|
{
|
|
if (!layer)
|
|
return false;
|
|
else
|
|
return !layer.instances.length;
|
|
};
|
|
SysCnds.prototype.LayerCmpOpacity = function (layer, cmp, opacity_)
|
|
{
|
|
if (!layer)
|
|
return false;
|
|
return cr.do_cmp(layer.opacity * 100, cmp, opacity_);
|
|
};
|
|
SysCnds.prototype.Repeat = function (count)
|
|
{
|
|
var current_frame = this.runtime.getCurrentEventStack();
|
|
var current_event = current_frame.current_event;
|
|
var solModifierAfterCnds = current_frame.isModifierAfterCnds();
|
|
var current_loop = this.runtime.pushLoopStack();
|
|
var i;
|
|
if (solModifierAfterCnds)
|
|
{
|
|
for (i = 0; i < count && !current_loop.stopped; i++)
|
|
{
|
|
this.runtime.pushCopySol(current_event.solModifiers);
|
|
current_loop.index = i;
|
|
current_event.retrigger();
|
|
this.runtime.popSol(current_event.solModifiers);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
for (i = 0; i < count && !current_loop.stopped; i++)
|
|
{
|
|
current_loop.index = i;
|
|
current_event.retrigger();
|
|
}
|
|
}
|
|
this.runtime.popLoopStack();
|
|
return false;
|
|
};
|
|
SysCnds.prototype.While = function (count)
|
|
{
|
|
var current_frame = this.runtime.getCurrentEventStack();
|
|
var current_event = current_frame.current_event;
|
|
var solModifierAfterCnds = current_frame.isModifierAfterCnds();
|
|
var current_loop = this.runtime.pushLoopStack();
|
|
var i;
|
|
if (solModifierAfterCnds)
|
|
{
|
|
for (i = 0; !current_loop.stopped; i++)
|
|
{
|
|
this.runtime.pushCopySol(current_event.solModifiers);
|
|
current_loop.index = i;
|
|
if (!current_event.retrigger()) // one of the other conditions returned false
|
|
current_loop.stopped = true; // break
|
|
this.runtime.popSol(current_event.solModifiers);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
for (i = 0; !current_loop.stopped; i++)
|
|
{
|
|
current_loop.index = i;
|
|
if (!current_event.retrigger())
|
|
current_loop.stopped = true;
|
|
}
|
|
}
|
|
this.runtime.popLoopStack();
|
|
return false;
|
|
};
|
|
SysCnds.prototype.For = function (name, start, end)
|
|
{
|
|
var current_frame = this.runtime.getCurrentEventStack();
|
|
var current_event = current_frame.current_event;
|
|
var solModifierAfterCnds = current_frame.isModifierAfterCnds();
|
|
var current_loop = this.runtime.pushLoopStack(name);
|
|
var i;
|
|
if (end < start)
|
|
{
|
|
if (solModifierAfterCnds)
|
|
{
|
|
for (i = start; i >= end && !current_loop.stopped; --i) // inclusive to end
|
|
{
|
|
this.runtime.pushCopySol(current_event.solModifiers);
|
|
current_loop.index = i;
|
|
current_event.retrigger();
|
|
this.runtime.popSol(current_event.solModifiers);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
for (i = start; i >= end && !current_loop.stopped; --i) // inclusive to end
|
|
{
|
|
current_loop.index = i;
|
|
current_event.retrigger();
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (solModifierAfterCnds)
|
|
{
|
|
for (i = start; i <= end && !current_loop.stopped; ++i) // inclusive to end
|
|
{
|
|
this.runtime.pushCopySol(current_event.solModifiers);
|
|
current_loop.index = i;
|
|
current_event.retrigger();
|
|
this.runtime.popSol(current_event.solModifiers);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
for (i = start; i <= end && !current_loop.stopped; ++i) // inclusive to end
|
|
{
|
|
current_loop.index = i;
|
|
current_event.retrigger();
|
|
}
|
|
}
|
|
}
|
|
this.runtime.popLoopStack();
|
|
return false;
|
|
};
|
|
var foreach_instancestack = [];
|
|
var foreach_instanceptr = -1;
|
|
SysCnds.prototype.ForEach = function (obj)
|
|
{
|
|
var sol = obj.getCurrentSol();
|
|
foreach_instanceptr++;
|
|
if (foreach_instancestack.length === foreach_instanceptr)
|
|
foreach_instancestack.push([]);
|
|
var instances = foreach_instancestack[foreach_instanceptr];
|
|
cr.shallowAssignArray(instances, sol.getObjects());
|
|
var current_frame = this.runtime.getCurrentEventStack();
|
|
var current_event = current_frame.current_event;
|
|
var solModifierAfterCnds = current_frame.isModifierAfterCnds();
|
|
var current_loop = this.runtime.pushLoopStack();
|
|
var i, len, j, lenj, inst, s, sol2;
|
|
var is_contained = obj.is_contained;
|
|
if (solModifierAfterCnds)
|
|
{
|
|
for (i = 0, len = instances.length; i < len && !current_loop.stopped; i++)
|
|
{
|
|
this.runtime.pushCopySol(current_event.solModifiers);
|
|
inst = instances[i];
|
|
sol = obj.getCurrentSol();
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
sol.instances[0] = inst;
|
|
if (is_contained)
|
|
{
|
|
for (j = 0, lenj = inst.siblings.length; j < lenj; j++)
|
|
{
|
|
s = inst.siblings[j];
|
|
sol2 = s.type.getCurrentSol();
|
|
sol2.select_all = false;
|
|
cr.clearArray(sol2.instances);
|
|
sol2.instances[0] = s;
|
|
}
|
|
}
|
|
current_loop.index = i;
|
|
current_event.retrigger();
|
|
this.runtime.popSol(current_event.solModifiers);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
for (i = 0, len = instances.length; i < len && !current_loop.stopped; i++)
|
|
{
|
|
inst = instances[i];
|
|
sol.instances[0] = inst;
|
|
if (is_contained)
|
|
{
|
|
for (j = 0, lenj = inst.siblings.length; j < lenj; j++)
|
|
{
|
|
s = inst.siblings[j];
|
|
sol2 = s.type.getCurrentSol();
|
|
sol2.select_all = false;
|
|
cr.clearArray(sol2.instances);
|
|
sol2.instances[0] = s;
|
|
}
|
|
}
|
|
current_loop.index = i;
|
|
current_event.retrigger();
|
|
}
|
|
}
|
|
cr.clearArray(instances);
|
|
this.runtime.popLoopStack();
|
|
foreach_instanceptr--;
|
|
return false;
|
|
};
|
|
function foreach_sortinstances(a, b)
|
|
{
|
|
var va = a.extra["c2_feo_val"];
|
|
var vb = b.extra["c2_feo_val"];
|
|
if (cr.is_number(va) && cr.is_number(vb))
|
|
return va - vb;
|
|
else
|
|
{
|
|
va = "" + va;
|
|
vb = "" + vb;
|
|
if (va < vb)
|
|
return -1;
|
|
else if (va > vb)
|
|
return 1;
|
|
else
|
|
return 0;
|
|
}
|
|
};
|
|
SysCnds.prototype.ForEachOrdered = function (obj, exp, order)
|
|
{
|
|
var sol = obj.getCurrentSol();
|
|
foreach_instanceptr++;
|
|
if (foreach_instancestack.length === foreach_instanceptr)
|
|
foreach_instancestack.push([]);
|
|
var instances = foreach_instancestack[foreach_instanceptr];
|
|
cr.shallowAssignArray(instances, sol.getObjects());
|
|
var current_frame = this.runtime.getCurrentEventStack();
|
|
var current_event = current_frame.current_event;
|
|
var current_condition = this.runtime.getCurrentCondition();
|
|
var solModifierAfterCnds = current_frame.isModifierAfterCnds();
|
|
var current_loop = this.runtime.pushLoopStack();
|
|
var i, len, j, lenj, inst, s, sol2;
|
|
for (i = 0, len = instances.length; i < len; i++)
|
|
{
|
|
instances[i].extra["c2_feo_val"] = current_condition.parameters[1].get(i);
|
|
}
|
|
instances.sort(foreach_sortinstances);
|
|
if (order === 1)
|
|
instances.reverse();
|
|
var is_contained = obj.is_contained;
|
|
if (solModifierAfterCnds)
|
|
{
|
|
for (i = 0, len = instances.length; i < len && !current_loop.stopped; i++)
|
|
{
|
|
this.runtime.pushCopySol(current_event.solModifiers);
|
|
inst = instances[i];
|
|
sol = obj.getCurrentSol();
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
sol.instances[0] = inst;
|
|
if (is_contained)
|
|
{
|
|
for (j = 0, lenj = inst.siblings.length; j < lenj; j++)
|
|
{
|
|
s = inst.siblings[j];
|
|
sol2 = s.type.getCurrentSol();
|
|
sol2.select_all = false;
|
|
cr.clearArray(sol2.instances);
|
|
sol2.instances[0] = s;
|
|
}
|
|
}
|
|
current_loop.index = i;
|
|
current_event.retrigger();
|
|
this.runtime.popSol(current_event.solModifiers);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
for (i = 0, len = instances.length; i < len && !current_loop.stopped; i++)
|
|
{
|
|
inst = instances[i];
|
|
sol.instances[0] = inst;
|
|
if (is_contained)
|
|
{
|
|
for (j = 0, lenj = inst.siblings.length; j < lenj; j++)
|
|
{
|
|
s = inst.siblings[j];
|
|
sol2 = s.type.getCurrentSol();
|
|
sol2.select_all = false;
|
|
cr.clearArray(sol2.instances);
|
|
sol2.instances[0] = s;
|
|
}
|
|
}
|
|
current_loop.index = i;
|
|
current_event.retrigger();
|
|
}
|
|
}
|
|
cr.clearArray(instances);
|
|
this.runtime.popLoopStack();
|
|
foreach_instanceptr--;
|
|
return false;
|
|
};
|
|
SysCnds.prototype.PickByComparison = function (obj_, exp_, cmp_, val_)
|
|
{
|
|
var i, len, k, inst;
|
|
if (!obj_)
|
|
return;
|
|
foreach_instanceptr++;
|
|
if (foreach_instancestack.length === foreach_instanceptr)
|
|
foreach_instancestack.push([]);
|
|
var tmp_instances = foreach_instancestack[foreach_instanceptr];
|
|
var sol = obj_.getCurrentSol();
|
|
cr.shallowAssignArray(tmp_instances, sol.getObjects());
|
|
if (sol.select_all)
|
|
cr.clearArray(sol.else_instances);
|
|
var current_condition = this.runtime.getCurrentCondition();
|
|
for (i = 0, k = 0, len = tmp_instances.length; i < len; i++)
|
|
{
|
|
inst = tmp_instances[i];
|
|
tmp_instances[k] = inst;
|
|
exp_ = current_condition.parameters[1].get(i);
|
|
val_ = current_condition.parameters[3].get(i);
|
|
if (cr.do_cmp(exp_, cmp_, val_))
|
|
{
|
|
k++;
|
|
}
|
|
else
|
|
{
|
|
sol.else_instances.push(inst);
|
|
}
|
|
}
|
|
cr.truncateArray(tmp_instances, k);
|
|
sol.select_all = false;
|
|
cr.shallowAssignArray(sol.instances, tmp_instances);
|
|
cr.clearArray(tmp_instances);
|
|
foreach_instanceptr--;
|
|
obj_.applySolToContainer();
|
|
return !!sol.instances.length;
|
|
};
|
|
SysCnds.prototype.PickByEvaluate = function (obj_, exp_)
|
|
{
|
|
var i, len, k, inst;
|
|
if (!obj_)
|
|
return;
|
|
foreach_instanceptr++;
|
|
if (foreach_instancestack.length === foreach_instanceptr)
|
|
foreach_instancestack.push([]);
|
|
var tmp_instances = foreach_instancestack[foreach_instanceptr];
|
|
var sol = obj_.getCurrentSol();
|
|
cr.shallowAssignArray(tmp_instances, sol.getObjects());
|
|
if (sol.select_all)
|
|
cr.clearArray(sol.else_instances);
|
|
var current_condition = this.runtime.getCurrentCondition();
|
|
for (i = 0, k = 0, len = tmp_instances.length; i < len; i++)
|
|
{
|
|
inst = tmp_instances[i];
|
|
tmp_instances[k] = inst;
|
|
exp_ = current_condition.parameters[1].get(i);
|
|
if (exp_)
|
|
{
|
|
k++;
|
|
}
|
|
else
|
|
{
|
|
sol.else_instances.push(inst);
|
|
}
|
|
}
|
|
cr.truncateArray(tmp_instances, k);
|
|
sol.select_all = false;
|
|
cr.shallowAssignArray(sol.instances, tmp_instances);
|
|
cr.clearArray(tmp_instances);
|
|
foreach_instanceptr--;
|
|
obj_.applySolToContainer();
|
|
return !!sol.instances.length;
|
|
};
|
|
SysCnds.prototype.TriggerOnce = function ()
|
|
{
|
|
var cndextra = this.runtime.getCurrentCondition().extra;
|
|
if (typeof cndextra["TriggerOnce_lastTick"] === "undefined")
|
|
cndextra["TriggerOnce_lastTick"] = -1;
|
|
var last_tick = cndextra["TriggerOnce_lastTick"];
|
|
var cur_tick = this.runtime.tickcount;
|
|
cndextra["TriggerOnce_lastTick"] = cur_tick;
|
|
return this.runtime.layout_first_tick || last_tick !== cur_tick - 1;
|
|
};
|
|
SysCnds.prototype.Every = function (seconds)
|
|
{
|
|
var cnd = this.runtime.getCurrentCondition();
|
|
var last_time = cnd.extra["Every_lastTime"] || 0;
|
|
var cur_time = this.runtime.kahanTime.sum;
|
|
if (typeof cnd.extra["Every_seconds"] === "undefined")
|
|
cnd.extra["Every_seconds"] = seconds;
|
|
var this_seconds = cnd.extra["Every_seconds"];
|
|
if (cur_time >= last_time + this_seconds)
|
|
{
|
|
cnd.extra["Every_lastTime"] = last_time + this_seconds;
|
|
if (cur_time >= cnd.extra["Every_lastTime"] + 0.04)
|
|
{
|
|
cnd.extra["Every_lastTime"] = cur_time;
|
|
}
|
|
cnd.extra["Every_seconds"] = seconds;
|
|
return true;
|
|
}
|
|
else if (cur_time < last_time - 0.1)
|
|
{
|
|
cnd.extra["Every_lastTime"] = cur_time;
|
|
}
|
|
return false;
|
|
};
|
|
SysCnds.prototype.PickNth = function (obj, index)
|
|
{
|
|
if (!obj)
|
|
return false;
|
|
var sol = obj.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
index = cr.floor(index);
|
|
if (index < 0 || index >= instances.length)
|
|
return false;
|
|
var inst = instances[index];
|
|
sol.pick_one(inst);
|
|
obj.applySolToContainer();
|
|
return true;
|
|
};
|
|
SysCnds.prototype.PickRandom = function (obj)
|
|
{
|
|
if (!obj)
|
|
return false;
|
|
var sol = obj.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
var index = cr.floor(Math.random() * instances.length);
|
|
if (index >= instances.length)
|
|
return false;
|
|
var inst = instances[index];
|
|
sol.pick_one(inst);
|
|
obj.applySolToContainer();
|
|
return true;
|
|
};
|
|
SysCnds.prototype.CompareVar = function (v, cmp, val)
|
|
{
|
|
return cr.do_cmp(v.getValue(), cmp, val);
|
|
};
|
|
SysCnds.prototype.IsGroupActive = function (group)
|
|
{
|
|
var g = this.runtime.groups_by_name[group.toLowerCase()];
|
|
return g && g.group_active;
|
|
};
|
|
SysCnds.prototype.IsPreview = function ()
|
|
{
|
|
return typeof cr_is_preview !== "undefined";
|
|
};
|
|
SysCnds.prototype.PickAll = function (obj)
|
|
{
|
|
if (!obj)
|
|
return false;
|
|
if (!obj.instances.length)
|
|
return false;
|
|
var sol = obj.getCurrentSol();
|
|
sol.select_all = true;
|
|
obj.applySolToContainer();
|
|
return true;
|
|
};
|
|
SysCnds.prototype.IsMobile = function ()
|
|
{
|
|
return this.runtime.isMobile;
|
|
};
|
|
SysCnds.prototype.CompareBetween = function (x, a, b)
|
|
{
|
|
return x >= a && x <= b;
|
|
};
|
|
SysCnds.prototype.Else = function ()
|
|
{
|
|
var current_frame = this.runtime.getCurrentEventStack();
|
|
if (current_frame.else_branch_ran)
|
|
return false; // another event in this else-if chain has run
|
|
else
|
|
return !current_frame.last_event_true;
|
|
/*
|
|
var current_frame = this.runtime.getCurrentEventStack();
|
|
var current_event = current_frame.current_event;
|
|
var prev_event = current_event.prev_block;
|
|
if (!prev_event)
|
|
return false;
|
|
if (prev_event.is_logical)
|
|
return !this.runtime.last_event_true;
|
|
var i, len, j, lenj, s, sol, temp, inst, any_picked = false;
|
|
for (i = 0, len = prev_event.cndReferences.length; i < len; i++)
|
|
{
|
|
s = prev_event.cndReferences[i];
|
|
sol = s.getCurrentSol();
|
|
if (sol.select_all || sol.instances.length === s.instances.length)
|
|
{
|
|
sol.select_all = false;
|
|
sol.instances.length = 0;
|
|
}
|
|
else
|
|
{
|
|
if (sol.instances.length === 1 && sol.else_instances.length === 0 && s.instances.length >= 2)
|
|
{
|
|
inst = sol.instances[0];
|
|
sol.instances.length = 0;
|
|
for (j = 0, lenj = s.instances.length; j < lenj; j++)
|
|
{
|
|
if (s.instances[j] != inst)
|
|
sol.instances.push(s.instances[j]);
|
|
}
|
|
any_picked = true;
|
|
}
|
|
else
|
|
{
|
|
temp = sol.instances;
|
|
sol.instances = sol.else_instances;
|
|
sol.else_instances = temp;
|
|
any_picked = true;
|
|
}
|
|
}
|
|
}
|
|
return any_picked;
|
|
*/
|
|
};
|
|
SysCnds.prototype.OnLoadFinished = function ()
|
|
{
|
|
return true;
|
|
};
|
|
SysCnds.prototype.OnCanvasSnapshot = function ()
|
|
{
|
|
return true;
|
|
};
|
|
SysCnds.prototype.EffectsSupported = function ()
|
|
{
|
|
return !!this.runtime.glwrap;
|
|
};
|
|
SysCnds.prototype.OnSaveComplete = function ()
|
|
{
|
|
return true;
|
|
};
|
|
SysCnds.prototype.OnSaveFailed = function ()
|
|
{
|
|
return true;
|
|
};
|
|
SysCnds.prototype.OnLoadComplete = function ()
|
|
{
|
|
return true;
|
|
};
|
|
SysCnds.prototype.OnLoadFailed = function ()
|
|
{
|
|
return true;
|
|
};
|
|
SysCnds.prototype.ObjectUIDExists = function (u)
|
|
{
|
|
return !!this.runtime.getObjectByUID(u);
|
|
};
|
|
SysCnds.prototype.IsOnPlatform = function (p)
|
|
{
|
|
var rt = this.runtime;
|
|
switch (p) {
|
|
case 0: // HTML5 website
|
|
return !rt.isDomFree && !rt.isNodeWebkit && !rt.isCordova && !rt.isWinJS && !rt.isWindowsPhone8 && !rt.isBlackberry10 && !rt.isAmazonWebApp;
|
|
case 1: // iOS
|
|
return rt.isiOS;
|
|
case 2: // Android
|
|
return rt.isAndroid;
|
|
case 3: // Windows 8
|
|
return rt.isWindows8App;
|
|
case 4: // Windows Phone 8
|
|
return rt.isWindowsPhone8;
|
|
case 5: // Blackberry 10
|
|
return rt.isBlackberry10;
|
|
case 6: // Tizen
|
|
return rt.isTizen;
|
|
case 7: // CocoonJS
|
|
return rt.isCocoonJs;
|
|
case 8: // Cordova
|
|
return rt.isCordova;
|
|
case 9: // Scirra Arcade
|
|
return rt.isArcade;
|
|
case 10: // node-webkit
|
|
return rt.isNodeWebkit;
|
|
case 11: // crosswalk
|
|
return rt.isCrosswalk;
|
|
case 12: // amazon webapp
|
|
return rt.isAmazonWebApp;
|
|
case 13: // windows 10 app
|
|
return rt.isWindows10;
|
|
default: // should not be possible
|
|
return false;
|
|
}
|
|
};
|
|
var cacheRegex = null;
|
|
var lastRegex = "";
|
|
var lastFlags = "";
|
|
function getRegex(regex_, flags_)
|
|
{
|
|
if (!cacheRegex || regex_ !== lastRegex || flags_ !== lastFlags)
|
|
{
|
|
cacheRegex = new RegExp(regex_, flags_);
|
|
lastRegex = regex_;
|
|
lastFlags = flags_;
|
|
}
|
|
cacheRegex.lastIndex = 0; // reset
|
|
return cacheRegex;
|
|
};
|
|
SysCnds.prototype.RegexTest = function (str_, regex_, flags_)
|
|
{
|
|
var regex = getRegex(regex_, flags_);
|
|
return regex.test(str_);
|
|
};
|
|
var tmp_arr = [];
|
|
SysCnds.prototype.PickOverlappingPoint = function (obj_, x_, y_)
|
|
{
|
|
if (!obj_)
|
|
return false;
|
|
var sol = obj_.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
var current_event = this.runtime.getCurrentEventStack().current_event;
|
|
var orblock = current_event.orblock;
|
|
var cnd = this.runtime.getCurrentCondition();
|
|
var i, len, inst, pick;
|
|
if (sol.select_all)
|
|
{
|
|
cr.shallowAssignArray(tmp_arr, instances);
|
|
cr.clearArray(sol.else_instances);
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
}
|
|
else
|
|
{
|
|
if (orblock)
|
|
{
|
|
cr.shallowAssignArray(tmp_arr, sol.else_instances);
|
|
cr.clearArray(sol.else_instances);
|
|
}
|
|
else
|
|
{
|
|
cr.shallowAssignArray(tmp_arr, instances);
|
|
cr.clearArray(sol.instances);
|
|
}
|
|
}
|
|
for (i = 0, len = tmp_arr.length; i < len; ++i)
|
|
{
|
|
inst = tmp_arr[i];
|
|
inst.update_bbox();
|
|
pick = cr.xor(inst.contains_pt(x_, y_), cnd.inverted);
|
|
if (pick)
|
|
sol.instances.push(inst);
|
|
else
|
|
sol.else_instances.push(inst);
|
|
}
|
|
obj_.applySolToContainer();
|
|
return cr.xor(!!sol.instances.length, cnd.inverted);
|
|
};
|
|
SysCnds.prototype.IsNaN = function (n)
|
|
{
|
|
return !!isNaN(n);
|
|
};
|
|
SysCnds.prototype.AngleWithin = function (a1, within, a2)
|
|
{
|
|
return cr.angleDiff(cr.to_radians(a1), cr.to_radians(a2)) <= cr.to_radians(within);
|
|
};
|
|
SysCnds.prototype.IsClockwiseFrom = function (a1, a2)
|
|
{
|
|
return cr.angleClockwise(cr.to_radians(a1), cr.to_radians(a2));
|
|
};
|
|
SysCnds.prototype.IsBetweenAngles = function (a, la, ua)
|
|
{
|
|
var angle = cr.to_clamped_radians(a);
|
|
var lower = cr.to_clamped_radians(la);
|
|
var upper = cr.to_clamped_radians(ua);
|
|
var obtuse = (!cr.angleClockwise(upper, lower));
|
|
if (obtuse)
|
|
return !(!cr.angleClockwise(angle, lower) && cr.angleClockwise(angle, upper));
|
|
else
|
|
return cr.angleClockwise(angle, lower) && !cr.angleClockwise(angle, upper);
|
|
};
|
|
SysCnds.prototype.IsValueType = function (x, t)
|
|
{
|
|
if (typeof x === "number")
|
|
return t === 0;
|
|
else // string
|
|
return t === 1;
|
|
};
|
|
sysProto.cnds = new SysCnds();
|
|
function SysActs() {};
|
|
SysActs.prototype.GoToLayout = function (to)
|
|
{
|
|
if (this.runtime.isloading)
|
|
return; // cannot change layout while loading on loader layout
|
|
if (this.runtime.changelayout)
|
|
return; // already changing to a different layout
|
|
;
|
|
this.runtime.changelayout = to;
|
|
};
|
|
SysActs.prototype.NextPrevLayout = function (prev)
|
|
{
|
|
if (this.runtime.isloading)
|
|
return; // cannot change layout while loading on loader layout
|
|
if (this.runtime.changelayout)
|
|
return; // already changing to a different layout
|
|
var index = this.runtime.layouts_by_index.indexOf(this.runtime.running_layout);
|
|
if (prev && index === 0)
|
|
return; // cannot go to previous layout from first layout
|
|
if (!prev && index === this.runtime.layouts_by_index.length - 1)
|
|
return; // cannot go to next layout from last layout
|
|
var to = this.runtime.layouts_by_index[index + (prev ? -1 : 1)];
|
|
;
|
|
this.runtime.changelayout = to;
|
|
};
|
|
SysActs.prototype.CreateObject = function (obj, layer, x, y)
|
|
{
|
|
if (!layer || !obj)
|
|
return;
|
|
var inst = this.runtime.createInstance(obj, layer, x, y);
|
|
if (!inst)
|
|
return;
|
|
this.runtime.isInOnDestroy++;
|
|
var i, len, s;
|
|
this.runtime.trigger(Object.getPrototypeOf(obj.plugin).cnds.OnCreated, inst);
|
|
if (inst.is_contained)
|
|
{
|
|
for (i = 0, len = inst.siblings.length; i < len; i++)
|
|
{
|
|
s = inst.siblings[i];
|
|
this.runtime.trigger(Object.getPrototypeOf(s.type.plugin).cnds.OnCreated, s);
|
|
}
|
|
}
|
|
this.runtime.isInOnDestroy--;
|
|
var sol = obj.getCurrentSol();
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
sol.instances[0] = inst;
|
|
if (inst.is_contained)
|
|
{
|
|
for (i = 0, len = inst.siblings.length; i < len; i++)
|
|
{
|
|
s = inst.siblings[i];
|
|
sol = s.type.getCurrentSol();
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
sol.instances[0] = s;
|
|
}
|
|
}
|
|
};
|
|
SysActs.prototype.SetLayerVisible = function (layer, visible_)
|
|
{
|
|
if (!layer)
|
|
return;
|
|
if (layer.visible !== visible_)
|
|
{
|
|
layer.visible = visible_;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
SysActs.prototype.SetLayerOpacity = function (layer, opacity_)
|
|
{
|
|
if (!layer)
|
|
return;
|
|
opacity_ = cr.clamp(opacity_ / 100, 0, 1);
|
|
if (layer.opacity !== opacity_)
|
|
{
|
|
layer.opacity = opacity_;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
SysActs.prototype.SetLayerScaleRate = function (layer, sr)
|
|
{
|
|
if (!layer)
|
|
return;
|
|
if (layer.zoomRate !== sr)
|
|
{
|
|
layer.zoomRate = sr;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
SysActs.prototype.SetLayerForceOwnTexture = function (layer, f)
|
|
{
|
|
if (!layer)
|
|
return;
|
|
f = !!f;
|
|
if (layer.forceOwnTexture !== f)
|
|
{
|
|
layer.forceOwnTexture = f;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
SysActs.prototype.SetLayoutScale = function (s)
|
|
{
|
|
if (!this.runtime.running_layout)
|
|
return;
|
|
if (this.runtime.running_layout.scale !== s)
|
|
{
|
|
this.runtime.running_layout.scale = s;
|
|
this.runtime.running_layout.boundScrolling();
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
SysActs.prototype.ScrollX = function(x)
|
|
{
|
|
this.runtime.running_layout.scrollToX(x);
|
|
};
|
|
SysActs.prototype.ScrollY = function(y)
|
|
{
|
|
this.runtime.running_layout.scrollToY(y);
|
|
};
|
|
SysActs.prototype.Scroll = function(x, y)
|
|
{
|
|
this.runtime.running_layout.scrollToX(x);
|
|
this.runtime.running_layout.scrollToY(y);
|
|
};
|
|
SysActs.prototype.ScrollToObject = function(obj)
|
|
{
|
|
var inst = obj.getFirstPicked();
|
|
if (inst)
|
|
{
|
|
this.runtime.running_layout.scrollToX(inst.x);
|
|
this.runtime.running_layout.scrollToY(inst.y);
|
|
}
|
|
};
|
|
SysActs.prototype.SetVar = function(v, x)
|
|
{
|
|
;
|
|
if (v.vartype === 0)
|
|
{
|
|
if (cr.is_number(x))
|
|
v.setValue(x);
|
|
else
|
|
v.setValue(parseFloat(x));
|
|
}
|
|
else if (v.vartype === 1)
|
|
v.setValue(x.toString());
|
|
};
|
|
SysActs.prototype.AddVar = function(v, x)
|
|
{
|
|
;
|
|
if (v.vartype === 0)
|
|
{
|
|
if (cr.is_number(x))
|
|
v.setValue(v.getValue() + x);
|
|
else
|
|
v.setValue(v.getValue() + parseFloat(x));
|
|
}
|
|
else if (v.vartype === 1)
|
|
v.setValue(v.getValue() + x.toString());
|
|
};
|
|
SysActs.prototype.SubVar = function(v, x)
|
|
{
|
|
;
|
|
if (v.vartype === 0)
|
|
{
|
|
if (cr.is_number(x))
|
|
v.setValue(v.getValue() - x);
|
|
else
|
|
v.setValue(v.getValue() - parseFloat(x));
|
|
}
|
|
};
|
|
SysActs.prototype.SetGroupActive = function (group, active)
|
|
{
|
|
var g = this.runtime.groups_by_name[group.toLowerCase()];
|
|
if (!g)
|
|
return;
|
|
switch (active) {
|
|
case 0:
|
|
g.setGroupActive(false);
|
|
break;
|
|
case 1:
|
|
g.setGroupActive(true);
|
|
break;
|
|
case 2:
|
|
g.setGroupActive(!g.group_active);
|
|
break;
|
|
}
|
|
};
|
|
SysActs.prototype.SetTimescale = function (ts_)
|
|
{
|
|
var ts = ts_;
|
|
if (ts < 0)
|
|
ts = 0;
|
|
this.runtime.timescale = ts;
|
|
};
|
|
SysActs.prototype.SetObjectTimescale = function (obj, ts_)
|
|
{
|
|
var ts = ts_;
|
|
if (ts < 0)
|
|
ts = 0;
|
|
if (!obj)
|
|
return;
|
|
var sol = obj.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
var i, len;
|
|
for (i = 0, len = instances.length; i < len; i++)
|
|
{
|
|
instances[i].my_timescale = ts;
|
|
}
|
|
};
|
|
SysActs.prototype.RestoreObjectTimescale = function (obj)
|
|
{
|
|
if (!obj)
|
|
return false;
|
|
var sol = obj.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
var i, len;
|
|
for (i = 0, len = instances.length; i < len; i++)
|
|
{
|
|
instances[i].my_timescale = -1.0;
|
|
}
|
|
};
|
|
var waitobjrecycle = [];
|
|
function allocWaitObject()
|
|
{
|
|
var w;
|
|
if (waitobjrecycle.length)
|
|
w = waitobjrecycle.pop();
|
|
else
|
|
{
|
|
w = {};
|
|
w.sols = {};
|
|
w.solModifiers = [];
|
|
}
|
|
w.deleteme = false;
|
|
return w;
|
|
};
|
|
function freeWaitObject(w)
|
|
{
|
|
cr.wipe(w.sols);
|
|
cr.clearArray(w.solModifiers);
|
|
waitobjrecycle.push(w);
|
|
};
|
|
var solstateobjects = [];
|
|
function allocSolStateObject()
|
|
{
|
|
var s;
|
|
if (solstateobjects.length)
|
|
s = solstateobjects.pop();
|
|
else
|
|
{
|
|
s = {};
|
|
s.insts = [];
|
|
}
|
|
s.sa = false;
|
|
return s;
|
|
};
|
|
function freeSolStateObject(s)
|
|
{
|
|
cr.clearArray(s.insts);
|
|
solstateobjects.push(s);
|
|
};
|
|
SysActs.prototype.Wait = function (seconds)
|
|
{
|
|
if (seconds < 0)
|
|
return;
|
|
var i, len, s, t, ss;
|
|
var evinfo = this.runtime.getCurrentEventStack();
|
|
var waitobj = allocWaitObject();
|
|
waitobj.time = this.runtime.kahanTime.sum + seconds;
|
|
waitobj.signaltag = "";
|
|
waitobj.signalled = false;
|
|
waitobj.ev = evinfo.current_event;
|
|
waitobj.actindex = evinfo.actindex + 1; // pointing at next action
|
|
for (i = 0, len = this.runtime.types_by_index.length; i < len; i++)
|
|
{
|
|
t = this.runtime.types_by_index[i];
|
|
s = t.getCurrentSol();
|
|
if (s.select_all && evinfo.current_event.solModifiers.indexOf(t) === -1)
|
|
continue;
|
|
waitobj.solModifiers.push(t);
|
|
ss = allocSolStateObject();
|
|
ss.sa = s.select_all;
|
|
cr.shallowAssignArray(ss.insts, s.instances);
|
|
waitobj.sols[i.toString()] = ss;
|
|
}
|
|
this.waits.push(waitobj);
|
|
return true;
|
|
};
|
|
SysActs.prototype.WaitForSignal = function (tag)
|
|
{
|
|
var i, len, s, t, ss;
|
|
var evinfo = this.runtime.getCurrentEventStack();
|
|
var waitobj = allocWaitObject();
|
|
waitobj.time = -1;
|
|
waitobj.signaltag = tag.toLowerCase();
|
|
waitobj.signalled = false;
|
|
waitobj.ev = evinfo.current_event;
|
|
waitobj.actindex = evinfo.actindex + 1; // pointing at next action
|
|
for (i = 0, len = this.runtime.types_by_index.length; i < len; i++)
|
|
{
|
|
t = this.runtime.types_by_index[i];
|
|
s = t.getCurrentSol();
|
|
if (s.select_all && evinfo.current_event.solModifiers.indexOf(t) === -1)
|
|
continue;
|
|
waitobj.solModifiers.push(t);
|
|
ss = allocSolStateObject();
|
|
ss.sa = s.select_all;
|
|
cr.shallowAssignArray(ss.insts, s.instances);
|
|
waitobj.sols[i.toString()] = ss;
|
|
}
|
|
this.waits.push(waitobj);
|
|
return true;
|
|
};
|
|
SysActs.prototype.Signal = function (tag)
|
|
{
|
|
var lowertag = tag.toLowerCase();
|
|
var i, len, w;
|
|
for (i = 0, len = this.waits.length; i < len; ++i)
|
|
{
|
|
w = this.waits[i];
|
|
if (w.time !== -1)
|
|
continue; // timer wait, ignore
|
|
if (w.signaltag === lowertag) // waiting for this signal
|
|
w.signalled = true; // will run on next check
|
|
}
|
|
};
|
|
SysActs.prototype.SetLayerScale = function (layer, scale)
|
|
{
|
|
if (!layer)
|
|
return;
|
|
if (layer.scale === scale)
|
|
return;
|
|
layer.scale = scale;
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.ResetGlobals = function ()
|
|
{
|
|
var i, len, g;
|
|
for (i = 0, len = this.runtime.all_global_vars.length; i < len; i++)
|
|
{
|
|
g = this.runtime.all_global_vars[i];
|
|
g.data = g.initial;
|
|
}
|
|
};
|
|
SysActs.prototype.SetLayoutAngle = function (a)
|
|
{
|
|
a = cr.to_radians(a);
|
|
a = cr.clamp_angle(a);
|
|
if (this.runtime.running_layout)
|
|
{
|
|
if (this.runtime.running_layout.angle !== a)
|
|
{
|
|
this.runtime.running_layout.angle = a;
|
|
this.runtime.redraw = true;
|
|
}
|
|
}
|
|
};
|
|
SysActs.prototype.SetLayerAngle = function (layer, a)
|
|
{
|
|
if (!layer)
|
|
return;
|
|
a = cr.to_radians(a);
|
|
a = cr.clamp_angle(a);
|
|
if (layer.angle === a)
|
|
return;
|
|
layer.angle = a;
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.SetLayerParallax = function (layer, px, py)
|
|
{
|
|
if (!layer)
|
|
return;
|
|
if (layer.parallaxX === px / 100 && layer.parallaxY === py / 100)
|
|
return;
|
|
layer.parallaxX = px / 100;
|
|
layer.parallaxY = py / 100;
|
|
if (layer.parallaxX !== 1 || layer.parallaxY !== 1)
|
|
{
|
|
var i, len, instances = layer.instances;
|
|
for (i = 0, len = instances.length; i < len; ++i)
|
|
{
|
|
instances[i].type.any_instance_parallaxed = true;
|
|
}
|
|
}
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.SetLayerBackground = function (layer, c)
|
|
{
|
|
if (!layer)
|
|
return;
|
|
var r = cr.GetRValue(c);
|
|
var g = cr.GetGValue(c);
|
|
var b = cr.GetBValue(c);
|
|
if (layer.background_color[0] === r && layer.background_color[1] === g && layer.background_color[2] === b)
|
|
return;
|
|
layer.background_color[0] = r;
|
|
layer.background_color[1] = g;
|
|
layer.background_color[2] = b;
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.SetLayerTransparent = function (layer, t)
|
|
{
|
|
if (!layer)
|
|
return;
|
|
if (!!t === !!layer.transparent)
|
|
return;
|
|
layer.transparent = !!t;
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.SetLayerBlendMode = function (layer, bm)
|
|
{
|
|
if (!layer)
|
|
return;
|
|
if (layer.blend_mode === bm)
|
|
return;
|
|
layer.blend_mode = bm;
|
|
layer.compositeOp = cr.effectToCompositeOp(layer.blend_mode);
|
|
if (this.runtime.gl)
|
|
cr.setGLBlend(layer, layer.blend_mode, this.runtime.gl);
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.StopLoop = function ()
|
|
{
|
|
if (this.runtime.loop_stack_index < 0)
|
|
return; // no loop currently running
|
|
this.runtime.getCurrentLoop().stopped = true;
|
|
};
|
|
SysActs.prototype.GoToLayoutByName = function (layoutname)
|
|
{
|
|
if (this.runtime.isloading)
|
|
return; // cannot change layout while loading on loader layout
|
|
if (this.runtime.changelayout)
|
|
return; // already changing to different layout
|
|
;
|
|
var l;
|
|
for (l in this.runtime.layouts)
|
|
{
|
|
if (this.runtime.layouts.hasOwnProperty(l) && cr.equals_nocase(l, layoutname))
|
|
{
|
|
this.runtime.changelayout = this.runtime.layouts[l];
|
|
return;
|
|
}
|
|
}
|
|
};
|
|
SysActs.prototype.RestartLayout = function (layoutname)
|
|
{
|
|
if (this.runtime.isloading)
|
|
return; // cannot restart loader layouts
|
|
if (this.runtime.changelayout)
|
|
return; // already changing to a different layout
|
|
;
|
|
if (!this.runtime.running_layout)
|
|
return;
|
|
this.runtime.changelayout = this.runtime.running_layout;
|
|
var i, len, g;
|
|
for (i = 0, len = this.runtime.allGroups.length; i < len; i++)
|
|
{
|
|
g = this.runtime.allGroups[i];
|
|
g.setGroupActive(g.initially_activated);
|
|
}
|
|
};
|
|
SysActs.prototype.SnapshotCanvas = function (format_, quality_)
|
|
{
|
|
this.runtime.doCanvasSnapshot(format_ === 0 ? "image/png" : "image/jpeg", quality_ / 100);
|
|
};
|
|
SysActs.prototype.SetCanvasSize = function (w, h)
|
|
{
|
|
if (w <= 0 || h <= 0)
|
|
return;
|
|
var mode = this.runtime.fullscreen_mode;
|
|
var isfullscreen = (document["mozFullScreen"] || document["webkitIsFullScreen"] || !!document["msFullscreenElement"] || document["fullScreen"] || this.runtime.isNodeFullscreen);
|
|
if (isfullscreen && this.runtime.fullscreen_scaling > 0)
|
|
mode = this.runtime.fullscreen_scaling;
|
|
if (mode === 0)
|
|
{
|
|
this.runtime["setSize"](w, h, true);
|
|
}
|
|
else
|
|
{
|
|
this.runtime.original_width = w;
|
|
this.runtime.original_height = h;
|
|
this.runtime["setSize"](this.runtime.lastWindowWidth, this.runtime.lastWindowHeight, true);
|
|
}
|
|
};
|
|
SysActs.prototype.SetLayoutEffectEnabled = function (enable_, effectname_)
|
|
{
|
|
if (!this.runtime.running_layout || !this.runtime.glwrap)
|
|
return;
|
|
var et = this.runtime.running_layout.getEffectByName(effectname_);
|
|
if (!et)
|
|
return; // effect name not found
|
|
var enable = (enable_ === 1);
|
|
if (et.active == enable)
|
|
return; // no change
|
|
et.active = enable;
|
|
this.runtime.running_layout.updateActiveEffects();
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.SetLayerEffectEnabled = function (layer, enable_, effectname_)
|
|
{
|
|
if (!layer || !this.runtime.glwrap)
|
|
return;
|
|
var et = layer.getEffectByName(effectname_);
|
|
if (!et)
|
|
return; // effect name not found
|
|
var enable = (enable_ === 1);
|
|
if (et.active == enable)
|
|
return; // no change
|
|
et.active = enable;
|
|
layer.updateActiveEffects();
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.SetLayoutEffectParam = function (effectname_, index_, value_)
|
|
{
|
|
if (!this.runtime.running_layout || !this.runtime.glwrap)
|
|
return;
|
|
var et = this.runtime.running_layout.getEffectByName(effectname_);
|
|
if (!et)
|
|
return; // effect name not found
|
|
var params = this.runtime.running_layout.effect_params[et.index];
|
|
index_ = Math.floor(index_);
|
|
if (index_ < 0 || index_ >= params.length)
|
|
return; // effect index out of bounds
|
|
if (this.runtime.glwrap.getProgramParameterType(et.shaderindex, index_) === 1)
|
|
value_ /= 100.0;
|
|
if (params[index_] === value_)
|
|
return; // no change
|
|
params[index_] = value_;
|
|
if (et.active)
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.SetLayerEffectParam = function (layer, effectname_, index_, value_)
|
|
{
|
|
if (!layer || !this.runtime.glwrap)
|
|
return;
|
|
var et = layer.getEffectByName(effectname_);
|
|
if (!et)
|
|
return; // effect name not found
|
|
var params = layer.effect_params[et.index];
|
|
index_ = Math.floor(index_);
|
|
if (index_ < 0 || index_ >= params.length)
|
|
return; // effect index out of bounds
|
|
if (this.runtime.glwrap.getProgramParameterType(et.shaderindex, index_) === 1)
|
|
value_ /= 100.0;
|
|
if (params[index_] === value_)
|
|
return; // no change
|
|
params[index_] = value_;
|
|
if (et.active)
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.SaveState = function (slot_)
|
|
{
|
|
this.runtime.saveToSlot = slot_;
|
|
};
|
|
SysActs.prototype.LoadState = function (slot_)
|
|
{
|
|
this.runtime.loadFromSlot = slot_;
|
|
};
|
|
SysActs.prototype.LoadStateJSON = function (jsonstr_)
|
|
{
|
|
this.runtime.loadFromJson = jsonstr_;
|
|
};
|
|
SysActs.prototype.SetHalfFramerateMode = function (set_)
|
|
{
|
|
this.runtime.halfFramerateMode = (set_ !== 0);
|
|
};
|
|
SysActs.prototype.SetFullscreenQuality = function (q)
|
|
{
|
|
var isfullscreen = (document["mozFullScreen"] || document["webkitIsFullScreen"] || !!document["msFullscreenElement"] || document["fullScreen"] || this.isNodeFullscreen);
|
|
if (!isfullscreen && this.runtime.fullscreen_mode === 0)
|
|
return;
|
|
this.runtime.wantFullscreenScalingQuality = (q !== 0);
|
|
this.runtime["setSize"](this.runtime.lastWindowWidth, this.runtime.lastWindowHeight, true);
|
|
};
|
|
SysActs.prototype.ResetPersisted = function ()
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.runtime.layouts_by_index.length; i < len; ++i)
|
|
{
|
|
this.runtime.layouts_by_index[i].persist_data = {};
|
|
this.runtime.layouts_by_index[i].first_visit = true;
|
|
}
|
|
};
|
|
SysActs.prototype.RecreateInitialObjects = function (obj, x1, y1, x2, y2)
|
|
{
|
|
if (!obj)
|
|
return;
|
|
this.runtime.running_layout.recreateInitialObjects(obj, x1, y1, x2, y2);
|
|
};
|
|
SysActs.prototype.SetPixelRounding = function (m)
|
|
{
|
|
this.runtime.pixel_rounding = (m !== 0);
|
|
this.runtime.redraw = true;
|
|
};
|
|
SysActs.prototype.SetMinimumFramerate = function (f)
|
|
{
|
|
if (f < 1)
|
|
f = 1;
|
|
if (f > 120)
|
|
f = 120;
|
|
this.runtime.minimumFramerate = f;
|
|
};
|
|
function SortZOrderList(a, b)
|
|
{
|
|
var layerA = a[0];
|
|
var layerB = b[0];
|
|
var diff = layerA - layerB;
|
|
if (diff !== 0)
|
|
return diff;
|
|
var indexA = a[1];
|
|
var indexB = b[1];
|
|
return indexA - indexB;
|
|
};
|
|
function SortInstancesByValue(a, b)
|
|
{
|
|
return a[1] - b[1];
|
|
};
|
|
SysActs.prototype.SortZOrderByInstVar = function (obj, iv)
|
|
{
|
|
if (!obj)
|
|
return;
|
|
var i, len, inst, value, r, layer, toZ;
|
|
var sol = obj.getCurrentSol();
|
|
var pickedInstances = sol.getObjects();
|
|
var zOrderList = [];
|
|
var instValues = [];
|
|
var layout = this.runtime.running_layout;
|
|
var isFamily = obj.is_family;
|
|
var familyIndex = obj.family_index;
|
|
for (i = 0, len = pickedInstances.length; i < len; ++i)
|
|
{
|
|
inst = pickedInstances[i];
|
|
if (!inst.layer)
|
|
continue; // not a world instance
|
|
if (isFamily)
|
|
value = inst.instance_vars[iv + inst.type.family_var_map[familyIndex]];
|
|
else
|
|
value = inst.instance_vars[iv];
|
|
zOrderList.push([
|
|
inst.layer.index,
|
|
inst.get_zindex()
|
|
]);
|
|
instValues.push([
|
|
inst,
|
|
value
|
|
]);
|
|
}
|
|
if (!zOrderList.length)
|
|
return; // no instances were world instances
|
|
zOrderList.sort(SortZOrderList);
|
|
instValues.sort(SortInstancesByValue);
|
|
for (i = 0, len = zOrderList.length; i < len; ++i)
|
|
{
|
|
inst = instValues[i][0]; // instance in the order we want
|
|
layer = layout.layers[zOrderList[i][0]]; // layer to put it on
|
|
toZ = zOrderList[i][1]; // Z index on that layer to put it
|
|
if (layer.instances[toZ] !== inst) // not already got this instance there
|
|
{
|
|
layer.instances[toZ] = inst; // update instance
|
|
inst.layer = layer; // update instance's layer reference (could have changed)
|
|
layer.setZIndicesStaleFrom(toZ); // mark Z indices stale from this point since they have changed
|
|
}
|
|
}
|
|
};
|
|
sysProto.acts = new SysActs();
|
|
function SysExps() {};
|
|
SysExps.prototype["int"] = function(ret, x)
|
|
{
|
|
if (cr.is_string(x))
|
|
{
|
|
ret.set_int(parseInt(x, 10));
|
|
if (isNaN(ret.data))
|
|
ret.data = 0;
|
|
}
|
|
else
|
|
ret.set_int(x);
|
|
};
|
|
SysExps.prototype["float"] = function(ret, x)
|
|
{
|
|
if (cr.is_string(x))
|
|
{
|
|
ret.set_float(parseFloat(x));
|
|
if (isNaN(ret.data))
|
|
ret.data = 0;
|
|
}
|
|
else
|
|
ret.set_float(x);
|
|
};
|
|
SysExps.prototype.str = function(ret, x)
|
|
{
|
|
if (cr.is_string(x))
|
|
ret.set_string(x);
|
|
else
|
|
ret.set_string(x.toString());
|
|
};
|
|
SysExps.prototype.len = function(ret, x)
|
|
{
|
|
ret.set_int(x.length || 0);
|
|
};
|
|
SysExps.prototype.random = function (ret, a, b)
|
|
{
|
|
if (b === undefined)
|
|
{
|
|
ret.set_float(Math.random() * a);
|
|
}
|
|
else
|
|
{
|
|
ret.set_float(Math.random() * (b - a) + a);
|
|
}
|
|
};
|
|
SysExps.prototype.sqrt = function(ret, x)
|
|
{
|
|
ret.set_float(Math.sqrt(x));
|
|
};
|
|
SysExps.prototype.abs = function(ret, x)
|
|
{
|
|
ret.set_float(Math.abs(x));
|
|
};
|
|
SysExps.prototype.round = function(ret, x)
|
|
{
|
|
ret.set_int(Math.round(x));
|
|
};
|
|
SysExps.prototype.floor = function(ret, x)
|
|
{
|
|
ret.set_int(Math.floor(x));
|
|
};
|
|
SysExps.prototype.ceil = function(ret, x)
|
|
{
|
|
ret.set_int(Math.ceil(x));
|
|
};
|
|
SysExps.prototype.sin = function(ret, x)
|
|
{
|
|
ret.set_float(Math.sin(cr.to_radians(x)));
|
|
};
|
|
SysExps.prototype.cos = function(ret, x)
|
|
{
|
|
ret.set_float(Math.cos(cr.to_radians(x)));
|
|
};
|
|
SysExps.prototype.tan = function(ret, x)
|
|
{
|
|
ret.set_float(Math.tan(cr.to_radians(x)));
|
|
};
|
|
SysExps.prototype.asin = function(ret, x)
|
|
{
|
|
ret.set_float(cr.to_degrees(Math.asin(x)));
|
|
};
|
|
SysExps.prototype.acos = function(ret, x)
|
|
{
|
|
ret.set_float(cr.to_degrees(Math.acos(x)));
|
|
};
|
|
SysExps.prototype.atan = function(ret, x)
|
|
{
|
|
ret.set_float(cr.to_degrees(Math.atan(x)));
|
|
};
|
|
SysExps.prototype.exp = function(ret, x)
|
|
{
|
|
ret.set_float(Math.exp(x));
|
|
};
|
|
SysExps.prototype.ln = function(ret, x)
|
|
{
|
|
ret.set_float(Math.log(x));
|
|
};
|
|
SysExps.prototype.log10 = function(ret, x)
|
|
{
|
|
ret.set_float(Math.log(x) / Math.LN10);
|
|
};
|
|
SysExps.prototype.max = function(ret)
|
|
{
|
|
var max_ = arguments[1];
|
|
if (typeof max_ !== "number")
|
|
max_ = 0;
|
|
var i, len, a;
|
|
for (i = 2, len = arguments.length; i < len; i++)
|
|
{
|
|
a = arguments[i];
|
|
if (typeof a !== "number")
|
|
continue; // ignore non-numeric types
|
|
if (max_ < a)
|
|
max_ = a;
|
|
}
|
|
ret.set_float(max_);
|
|
};
|
|
SysExps.prototype.min = function(ret)
|
|
{
|
|
var min_ = arguments[1];
|
|
if (typeof min_ !== "number")
|
|
min_ = 0;
|
|
var i, len, a;
|
|
for (i = 2, len = arguments.length; i < len; i++)
|
|
{
|
|
a = arguments[i];
|
|
if (typeof a !== "number")
|
|
continue; // ignore non-numeric types
|
|
if (min_ > a)
|
|
min_ = a;
|
|
}
|
|
ret.set_float(min_);
|
|
};
|
|
SysExps.prototype.dt = function(ret)
|
|
{
|
|
ret.set_float(this.runtime.dt);
|
|
};
|
|
SysExps.prototype.timescale = function(ret)
|
|
{
|
|
ret.set_float(this.runtime.timescale);
|
|
};
|
|
SysExps.prototype.wallclocktime = function(ret)
|
|
{
|
|
ret.set_float((Date.now() - this.runtime.start_time) / 1000.0);
|
|
};
|
|
SysExps.prototype.time = function(ret)
|
|
{
|
|
ret.set_float(this.runtime.kahanTime.sum);
|
|
};
|
|
SysExps.prototype.tickcount = function(ret)
|
|
{
|
|
ret.set_int(this.runtime.tickcount);
|
|
};
|
|
SysExps.prototype.objectcount = function(ret)
|
|
{
|
|
ret.set_int(this.runtime.objectcount);
|
|
};
|
|
SysExps.prototype.fps = function(ret)
|
|
{
|
|
ret.set_int(this.runtime.fps);
|
|
};
|
|
SysExps.prototype.loopindex = function(ret, name_)
|
|
{
|
|
var loop, i, len;
|
|
if (!this.runtime.loop_stack.length)
|
|
{
|
|
ret.set_int(0);
|
|
return;
|
|
}
|
|
if (name_)
|
|
{
|
|
for (i = this.runtime.loop_stack_index; i >= 0; --i)
|
|
{
|
|
loop = this.runtime.loop_stack[i];
|
|
if (loop.name === name_)
|
|
{
|
|
ret.set_int(loop.index);
|
|
return;
|
|
}
|
|
}
|
|
ret.set_int(0);
|
|
}
|
|
else
|
|
{
|
|
loop = this.runtime.getCurrentLoop();
|
|
ret.set_int(loop ? loop.index : -1);
|
|
}
|
|
};
|
|
SysExps.prototype.distance = function(ret, x1, y1, x2, y2)
|
|
{
|
|
ret.set_float(cr.distanceTo(x1, y1, x2, y2));
|
|
};
|
|
SysExps.prototype.angle = function(ret, x1, y1, x2, y2)
|
|
{
|
|
ret.set_float(cr.to_degrees(cr.angleTo(x1, y1, x2, y2)));
|
|
};
|
|
SysExps.prototype.scrollx = function(ret)
|
|
{
|
|
ret.set_float(this.runtime.running_layout.scrollX);
|
|
};
|
|
SysExps.prototype.scrolly = function(ret)
|
|
{
|
|
ret.set_float(this.runtime.running_layout.scrollY);
|
|
};
|
|
SysExps.prototype.newline = function(ret)
|
|
{
|
|
ret.set_string("\n");
|
|
};
|
|
SysExps.prototype.lerp = function(ret, a, b, x)
|
|
{
|
|
ret.set_float(cr.lerp(a, b, x));
|
|
};
|
|
SysExps.prototype.qarp = function(ret, a, b, c, x)
|
|
{
|
|
ret.set_float(cr.qarp(a, b, c, x));
|
|
};
|
|
SysExps.prototype.cubic = function(ret, a, b, c, d, x)
|
|
{
|
|
ret.set_float(cr.cubic(a, b, c, d, x));
|
|
};
|
|
SysExps.prototype.cosp = function(ret, a, b, x)
|
|
{
|
|
ret.set_float(cr.cosp(a, b, x));
|
|
};
|
|
SysExps.prototype.windowwidth = function(ret)
|
|
{
|
|
ret.set_int(this.runtime.width);
|
|
};
|
|
SysExps.prototype.windowheight = function(ret)
|
|
{
|
|
ret.set_int(this.runtime.height);
|
|
};
|
|
SysExps.prototype.uppercase = function(ret, str)
|
|
{
|
|
ret.set_string(cr.is_string(str) ? str.toUpperCase() : "");
|
|
};
|
|
SysExps.prototype.lowercase = function(ret, str)
|
|
{
|
|
ret.set_string(cr.is_string(str) ? str.toLowerCase() : "");
|
|
};
|
|
SysExps.prototype.clamp = function(ret, x, l, u)
|
|
{
|
|
if (x < l)
|
|
ret.set_float(l);
|
|
else if (x > u)
|
|
ret.set_float(u);
|
|
else
|
|
ret.set_float(x);
|
|
};
|
|
SysExps.prototype.layerscale = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
if (!layer)
|
|
ret.set_float(0);
|
|
else
|
|
ret.set_float(layer.scale);
|
|
};
|
|
SysExps.prototype.layeropacity = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
if (!layer)
|
|
ret.set_float(0);
|
|
else
|
|
ret.set_float(layer.opacity * 100);
|
|
};
|
|
SysExps.prototype.layerscalerate = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
if (!layer)
|
|
ret.set_float(0);
|
|
else
|
|
ret.set_float(layer.zoomRate);
|
|
};
|
|
SysExps.prototype.layerparallaxx = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
if (!layer)
|
|
ret.set_float(0);
|
|
else
|
|
ret.set_float(layer.parallaxX * 100);
|
|
};
|
|
SysExps.prototype.layerparallaxy = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
if (!layer)
|
|
ret.set_float(0);
|
|
else
|
|
ret.set_float(layer.parallaxY * 100);
|
|
};
|
|
SysExps.prototype.layerindex = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
if (!layer)
|
|
ret.set_int(-1);
|
|
else
|
|
ret.set_int(layer.index);
|
|
};
|
|
SysExps.prototype.layoutscale = function (ret)
|
|
{
|
|
if (this.runtime.running_layout)
|
|
ret.set_float(this.runtime.running_layout.scale);
|
|
else
|
|
ret.set_float(0);
|
|
};
|
|
SysExps.prototype.layoutangle = function (ret)
|
|
{
|
|
ret.set_float(cr.to_degrees(this.runtime.running_layout.angle));
|
|
};
|
|
SysExps.prototype.layerangle = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
if (!layer)
|
|
ret.set_float(0);
|
|
else
|
|
ret.set_float(cr.to_degrees(layer.angle));
|
|
};
|
|
SysExps.prototype.layoutwidth = function (ret)
|
|
{
|
|
ret.set_int(this.runtime.running_layout.width);
|
|
};
|
|
SysExps.prototype.layoutheight = function (ret)
|
|
{
|
|
ret.set_int(this.runtime.running_layout.height);
|
|
};
|
|
SysExps.prototype.find = function (ret, text, searchstr)
|
|
{
|
|
if (cr.is_string(text) && cr.is_string(searchstr))
|
|
ret.set_int(text.search(new RegExp(cr.regexp_escape(searchstr), "i")));
|
|
else
|
|
ret.set_int(-1);
|
|
};
|
|
SysExps.prototype.findcase = function (ret, text, searchstr)
|
|
{
|
|
if (cr.is_string(text) && cr.is_string(searchstr))
|
|
ret.set_int(text.search(new RegExp(cr.regexp_escape(searchstr), "")));
|
|
else
|
|
ret.set_int(-1);
|
|
};
|
|
SysExps.prototype.left = function (ret, text, n)
|
|
{
|
|
ret.set_string(cr.is_string(text) ? text.substr(0, n) : "");
|
|
};
|
|
SysExps.prototype.right = function (ret, text, n)
|
|
{
|
|
ret.set_string(cr.is_string(text) ? text.substr(text.length - n) : "");
|
|
};
|
|
SysExps.prototype.mid = function (ret, text, index_, length_)
|
|
{
|
|
ret.set_string(cr.is_string(text) ? text.substr(index_, length_) : "");
|
|
};
|
|
SysExps.prototype.tokenat = function (ret, text, index_, sep)
|
|
{
|
|
if (cr.is_string(text) && cr.is_string(sep))
|
|
{
|
|
var arr = text.split(sep);
|
|
var i = cr.floor(index_);
|
|
if (i < 0 || i >= arr.length)
|
|
ret.set_string("");
|
|
else
|
|
ret.set_string(arr[i]);
|
|
}
|
|
else
|
|
ret.set_string("");
|
|
};
|
|
SysExps.prototype.tokencount = function (ret, text, sep)
|
|
{
|
|
if (cr.is_string(text) && text.length)
|
|
ret.set_int(text.split(sep).length);
|
|
else
|
|
ret.set_int(0);
|
|
};
|
|
SysExps.prototype.replace = function (ret, text, find_, replace_)
|
|
{
|
|
if (cr.is_string(text) && cr.is_string(find_) && cr.is_string(replace_))
|
|
ret.set_string(text.replace(new RegExp(cr.regexp_escape(find_), "gi"), replace_));
|
|
else
|
|
ret.set_string(cr.is_string(text) ? text : "");
|
|
};
|
|
SysExps.prototype.trim = function (ret, text)
|
|
{
|
|
ret.set_string(cr.is_string(text) ? text.trim() : "");
|
|
};
|
|
SysExps.prototype.pi = function (ret)
|
|
{
|
|
ret.set_float(cr.PI);
|
|
};
|
|
SysExps.prototype.layoutname = function (ret)
|
|
{
|
|
if (this.runtime.running_layout)
|
|
ret.set_string(this.runtime.running_layout.name);
|
|
else
|
|
ret.set_string("");
|
|
};
|
|
SysExps.prototype.renderer = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.gl ? "webgl" : "canvas2d");
|
|
};
|
|
SysExps.prototype.rendererdetail = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.glUnmaskedRenderer);
|
|
};
|
|
SysExps.prototype.anglediff = function (ret, a, b)
|
|
{
|
|
ret.set_float(cr.to_degrees(cr.angleDiff(cr.to_radians(a), cr.to_radians(b))));
|
|
};
|
|
SysExps.prototype.choose = function (ret)
|
|
{
|
|
var index = cr.floor(Math.random() * (arguments.length - 1));
|
|
ret.set_any(arguments[index + 1]);
|
|
};
|
|
SysExps.prototype.rgb = function (ret, r, g, b)
|
|
{
|
|
ret.set_int(cr.RGB(r, g, b));
|
|
};
|
|
SysExps.prototype.projectversion = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.versionstr);
|
|
};
|
|
SysExps.prototype.projectname = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.projectName);
|
|
};
|
|
SysExps.prototype.anglelerp = function (ret, a, b, x)
|
|
{
|
|
a = cr.to_radians(a);
|
|
b = cr.to_radians(b);
|
|
var diff = cr.angleDiff(a, b);
|
|
if (cr.angleClockwise(b, a))
|
|
{
|
|
ret.set_float(cr.to_clamped_degrees(a + diff * x));
|
|
}
|
|
else
|
|
{
|
|
ret.set_float(cr.to_clamped_degrees(a - diff * x));
|
|
}
|
|
};
|
|
SysExps.prototype.anglerotate = function (ret, a, b, c)
|
|
{
|
|
a = cr.to_radians(a);
|
|
b = cr.to_radians(b);
|
|
c = cr.to_radians(c);
|
|
ret.set_float(cr.to_clamped_degrees(cr.angleRotate(a, b, c)));
|
|
};
|
|
SysExps.prototype.zeropad = function (ret, n, d)
|
|
{
|
|
var s = (n < 0 ? "-" : "");
|
|
if (n < 0) n = -n;
|
|
var zeroes = d - n.toString().length;
|
|
for (var i = 0; i < zeroes; i++)
|
|
s += "0";
|
|
ret.set_string(s + n.toString());
|
|
};
|
|
SysExps.prototype.cpuutilisation = function (ret)
|
|
{
|
|
ret.set_float(this.runtime.cpuutilisation / 1000);
|
|
};
|
|
SysExps.prototype.viewportleft = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
ret.set_float(layer ? layer.viewLeft : 0);
|
|
};
|
|
SysExps.prototype.viewporttop = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
ret.set_float(layer ? layer.viewTop : 0);
|
|
};
|
|
SysExps.prototype.viewportright = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
ret.set_float(layer ? layer.viewRight : 0);
|
|
};
|
|
SysExps.prototype.viewportbottom = function (ret, layerparam)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
ret.set_float(layer ? layer.viewBottom : 0);
|
|
};
|
|
SysExps.prototype.loadingprogress = function (ret)
|
|
{
|
|
ret.set_float(this.runtime.loadingprogress);
|
|
};
|
|
SysExps.prototype.unlerp = function(ret, a, b, y)
|
|
{
|
|
ret.set_float(cr.unlerp(a, b, y));
|
|
};
|
|
SysExps.prototype.canvassnapshot = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.snapshotData);
|
|
};
|
|
SysExps.prototype.urlencode = function (ret, s)
|
|
{
|
|
ret.set_string(encodeURIComponent(s));
|
|
};
|
|
SysExps.prototype.urldecode = function (ret, s)
|
|
{
|
|
ret.set_string(decodeURIComponent(s));
|
|
};
|
|
SysExps.prototype.canvastolayerx = function (ret, layerparam, x, y)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
ret.set_float(layer ? layer.canvasToLayer(x, y, true) : 0);
|
|
};
|
|
SysExps.prototype.canvastolayery = function (ret, layerparam, x, y)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
ret.set_float(layer ? layer.canvasToLayer(x, y, false) : 0);
|
|
};
|
|
SysExps.prototype.layertocanvasx = function (ret, layerparam, x, y)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
ret.set_float(layer ? layer.layerToCanvas(x, y, true) : 0);
|
|
};
|
|
SysExps.prototype.layertocanvasy = function (ret, layerparam, x, y)
|
|
{
|
|
var layer = this.runtime.getLayer(layerparam);
|
|
ret.set_float(layer ? layer.layerToCanvas(x, y, false) : 0);
|
|
};
|
|
SysExps.prototype.savestatejson = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.lastSaveJson);
|
|
};
|
|
SysExps.prototype.imagememoryusage = function (ret)
|
|
{
|
|
if (this.runtime.glwrap)
|
|
ret.set_float(Math.round(100 * this.runtime.glwrap.estimateVRAM() / (1024 * 1024)) / 100);
|
|
else
|
|
ret.set_float(0);
|
|
};
|
|
SysExps.prototype.regexsearch = function (ret, str_, regex_, flags_)
|
|
{
|
|
var regex = getRegex(regex_, flags_);
|
|
ret.set_int(str_ ? str_.search(regex) : -1);
|
|
};
|
|
SysExps.prototype.regexreplace = function (ret, str_, regex_, flags_, replace_)
|
|
{
|
|
var regex = getRegex(regex_, flags_);
|
|
ret.set_string(str_ ? str_.replace(regex, replace_) : "");
|
|
};
|
|
var regexMatches = [];
|
|
var lastMatchesStr = "";
|
|
var lastMatchesRegex = "";
|
|
var lastMatchesFlags = "";
|
|
function updateRegexMatches(str_, regex_, flags_)
|
|
{
|
|
if (str_ === lastMatchesStr && regex_ === lastMatchesRegex && flags_ === lastMatchesFlags)
|
|
return;
|
|
var regex = getRegex(regex_, flags_);
|
|
regexMatches = str_.match(regex);
|
|
lastMatchesStr = str_;
|
|
lastMatchesRegex = regex_;
|
|
lastMatchesFlags = flags_;
|
|
};
|
|
SysExps.prototype.regexmatchcount = function (ret, str_, regex_, flags_)
|
|
{
|
|
var regex = getRegex(regex_, flags_);
|
|
updateRegexMatches(str_.toString(), regex_, flags_);
|
|
ret.set_int(regexMatches ? regexMatches.length : 0);
|
|
};
|
|
SysExps.prototype.regexmatchat = function (ret, str_, regex_, flags_, index_)
|
|
{
|
|
index_ = Math.floor(index_);
|
|
var regex = getRegex(regex_, flags_);
|
|
updateRegexMatches(str_.toString(), regex_, flags_);
|
|
if (!regexMatches || index_ < 0 || index_ >= regexMatches.length)
|
|
ret.set_string("");
|
|
else
|
|
ret.set_string(regexMatches[index_]);
|
|
};
|
|
SysExps.prototype.infinity = function (ret)
|
|
{
|
|
ret.set_float(Infinity);
|
|
};
|
|
SysExps.prototype.setbit = function (ret, n, b, v)
|
|
{
|
|
n = n | 0;
|
|
b = b | 0;
|
|
v = (v !== 0 ? 1 : 0);
|
|
ret.set_int((n & ~(1 << b)) | (v << b));
|
|
};
|
|
SysExps.prototype.togglebit = function (ret, n, b)
|
|
{
|
|
n = n | 0;
|
|
b = b | 0;
|
|
ret.set_int(n ^ (1 << b));
|
|
};
|
|
SysExps.prototype.getbit = function (ret, n, b)
|
|
{
|
|
n = n | 0;
|
|
b = b | 0;
|
|
ret.set_int((n & (1 << b)) ? 1 : 0);
|
|
};
|
|
SysExps.prototype.originalwindowwidth = function (ret)
|
|
{
|
|
ret.set_int(this.runtime.original_width);
|
|
};
|
|
SysExps.prototype.originalwindowheight = function (ret)
|
|
{
|
|
ret.set_int(this.runtime.original_height);
|
|
};
|
|
sysProto.exps = new SysExps();
|
|
sysProto.runWaits = function ()
|
|
{
|
|
var i, j, len, w, k, s, ss;
|
|
var evinfo = this.runtime.getCurrentEventStack();
|
|
for (i = 0, len = this.waits.length; i < len; i++)
|
|
{
|
|
w = this.waits[i];
|
|
if (w.time === -1) // signalled wait
|
|
{
|
|
if (!w.signalled)
|
|
continue; // not yet signalled
|
|
}
|
|
else // timer wait
|
|
{
|
|
if (w.time > this.runtime.kahanTime.sum)
|
|
continue; // timer not yet expired
|
|
}
|
|
evinfo.current_event = w.ev;
|
|
evinfo.actindex = w.actindex;
|
|
evinfo.cndindex = 0;
|
|
for (k in w.sols)
|
|
{
|
|
if (w.sols.hasOwnProperty(k))
|
|
{
|
|
s = this.runtime.types_by_index[parseInt(k, 10)].getCurrentSol();
|
|
ss = w.sols[k];
|
|
s.select_all = ss.sa;
|
|
cr.shallowAssignArray(s.instances, ss.insts);
|
|
freeSolStateObject(ss);
|
|
}
|
|
}
|
|
w.ev.resume_actions_and_subevents();
|
|
this.runtime.clearSol(w.solModifiers);
|
|
w.deleteme = true;
|
|
}
|
|
for (i = 0, j = 0, len = this.waits.length; i < len; i++)
|
|
{
|
|
w = this.waits[i];
|
|
this.waits[j] = w;
|
|
if (w.deleteme)
|
|
freeWaitObject(w);
|
|
else
|
|
j++;
|
|
}
|
|
cr.truncateArray(this.waits, j);
|
|
};
|
|
}());
|
|
;
|
|
(function () {
|
|
cr.add_common_aces = function (m, pluginProto)
|
|
{
|
|
var singleglobal_ = m[1];
|
|
var position_aces = m[3];
|
|
var size_aces = m[4];
|
|
var angle_aces = m[5];
|
|
var appearance_aces = m[6];
|
|
var zorder_aces = m[7];
|
|
var effects_aces = m[8];
|
|
if (!pluginProto.cnds)
|
|
pluginProto.cnds = {};
|
|
if (!pluginProto.acts)
|
|
pluginProto.acts = {};
|
|
if (!pluginProto.exps)
|
|
pluginProto.exps = {};
|
|
var cnds = pluginProto.cnds;
|
|
var acts = pluginProto.acts;
|
|
var exps = pluginProto.exps;
|
|
if (position_aces)
|
|
{
|
|
cnds.CompareX = function (cmp, x)
|
|
{
|
|
return cr.do_cmp(this.x, cmp, x);
|
|
};
|
|
cnds.CompareY = function (cmp, y)
|
|
{
|
|
return cr.do_cmp(this.y, cmp, y);
|
|
};
|
|
cnds.IsOnScreen = function ()
|
|
{
|
|
var layer = this.layer;
|
|
this.update_bbox();
|
|
var bbox = this.bbox;
|
|
return !(bbox.right < layer.viewLeft || bbox.bottom < layer.viewTop || bbox.left > layer.viewRight || bbox.top > layer.viewBottom);
|
|
};
|
|
cnds.IsOutsideLayout = function ()
|
|
{
|
|
this.update_bbox();
|
|
var bbox = this.bbox;
|
|
var layout = this.runtime.running_layout;
|
|
return (bbox.right < 0 || bbox.bottom < 0 || bbox.left > layout.width || bbox.top > layout.height);
|
|
};
|
|
cnds.PickDistance = function (which, x, y)
|
|
{
|
|
var sol = this.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
if (!instances.length)
|
|
return false;
|
|
var inst = instances[0];
|
|
var pickme = inst;
|
|
var dist = cr.distanceTo(inst.x, inst.y, x, y);
|
|
var i, len, d;
|
|
for (i = 1, len = instances.length; i < len; i++)
|
|
{
|
|
inst = instances[i];
|
|
d = cr.distanceTo(inst.x, inst.y, x, y);
|
|
if ((which === 0 && d < dist) || (which === 1 && d > dist))
|
|
{
|
|
dist = d;
|
|
pickme = inst;
|
|
}
|
|
}
|
|
sol.pick_one(pickme);
|
|
return true;
|
|
};
|
|
acts.SetX = function (x)
|
|
{
|
|
if (this.x !== x)
|
|
{
|
|
this.x = x;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.SetY = function (y)
|
|
{
|
|
if (this.y !== y)
|
|
{
|
|
this.y = y;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.SetPos = function (x, y)
|
|
{
|
|
if (this.x !== x || this.y !== y)
|
|
{
|
|
this.x = x;
|
|
this.y = y;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.SetPosToObject = function (obj, imgpt)
|
|
{
|
|
var inst = obj.getPairedInstance(this);
|
|
if (!inst)
|
|
return;
|
|
var newx, newy;
|
|
if (inst.getImagePoint)
|
|
{
|
|
newx = inst.getImagePoint(imgpt, true);
|
|
newy = inst.getImagePoint(imgpt, false);
|
|
}
|
|
else
|
|
{
|
|
newx = inst.x;
|
|
newy = inst.y;
|
|
}
|
|
if (this.x !== newx || this.y !== newy)
|
|
{
|
|
this.x = newx;
|
|
this.y = newy;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.MoveForward = function (dist)
|
|
{
|
|
if (dist !== 0)
|
|
{
|
|
this.x += Math.cos(this.angle) * dist;
|
|
this.y += Math.sin(this.angle) * dist;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.MoveAtAngle = function (a, dist)
|
|
{
|
|
if (dist !== 0)
|
|
{
|
|
this.x += Math.cos(cr.to_radians(a)) * dist;
|
|
this.y += Math.sin(cr.to_radians(a)) * dist;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
exps.X = function (ret)
|
|
{
|
|
ret.set_float(this.x);
|
|
};
|
|
exps.Y = function (ret)
|
|
{
|
|
ret.set_float(this.y);
|
|
};
|
|
exps.dt = function (ret)
|
|
{
|
|
ret.set_float(this.runtime.getDt(this));
|
|
};
|
|
}
|
|
if (size_aces)
|
|
{
|
|
cnds.CompareWidth = function (cmp, w)
|
|
{
|
|
return cr.do_cmp(this.width, cmp, w);
|
|
};
|
|
cnds.CompareHeight = function (cmp, h)
|
|
{
|
|
return cr.do_cmp(this.height, cmp, h);
|
|
};
|
|
acts.SetWidth = function (w)
|
|
{
|
|
if (this.width !== w)
|
|
{
|
|
this.width = w;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.SetHeight = function (h)
|
|
{
|
|
if (this.height !== h)
|
|
{
|
|
this.height = h;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.SetSize = function (w, h)
|
|
{
|
|
if (this.width !== w || this.height !== h)
|
|
{
|
|
this.width = w;
|
|
this.height = h;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
exps.Width = function (ret)
|
|
{
|
|
ret.set_float(this.width);
|
|
};
|
|
exps.Height = function (ret)
|
|
{
|
|
ret.set_float(this.height);
|
|
};
|
|
exps.BBoxLeft = function (ret)
|
|
{
|
|
this.update_bbox();
|
|
ret.set_float(this.bbox.left);
|
|
};
|
|
exps.BBoxTop = function (ret)
|
|
{
|
|
this.update_bbox();
|
|
ret.set_float(this.bbox.top);
|
|
};
|
|
exps.BBoxRight = function (ret)
|
|
{
|
|
this.update_bbox();
|
|
ret.set_float(this.bbox.right);
|
|
};
|
|
exps.BBoxBottom = function (ret)
|
|
{
|
|
this.update_bbox();
|
|
ret.set_float(this.bbox.bottom);
|
|
};
|
|
}
|
|
if (angle_aces)
|
|
{
|
|
cnds.AngleWithin = function (within, a)
|
|
{
|
|
return cr.angleDiff(this.angle, cr.to_radians(a)) <= cr.to_radians(within);
|
|
};
|
|
cnds.IsClockwiseFrom = function (a)
|
|
{
|
|
return cr.angleClockwise(this.angle, cr.to_radians(a));
|
|
};
|
|
cnds.IsBetweenAngles = function (a, b)
|
|
{
|
|
var lower = cr.to_clamped_radians(a);
|
|
var upper = cr.to_clamped_radians(b);
|
|
var angle = cr.clamp_angle(this.angle);
|
|
var obtuse = (!cr.angleClockwise(upper, lower));
|
|
if (obtuse)
|
|
return !(!cr.angleClockwise(angle, lower) && cr.angleClockwise(angle, upper));
|
|
else
|
|
return cr.angleClockwise(angle, lower) && !cr.angleClockwise(angle, upper);
|
|
};
|
|
acts.SetAngle = function (a)
|
|
{
|
|
var newangle = cr.to_radians(cr.clamp_angle_degrees(a));
|
|
if (isNaN(newangle))
|
|
return;
|
|
if (this.angle !== newangle)
|
|
{
|
|
this.angle = newangle;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.RotateClockwise = function (a)
|
|
{
|
|
if (a !== 0 && !isNaN(a))
|
|
{
|
|
this.angle += cr.to_radians(a);
|
|
this.angle = cr.clamp_angle(this.angle);
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.RotateCounterclockwise = function (a)
|
|
{
|
|
if (a !== 0 && !isNaN(a))
|
|
{
|
|
this.angle -= cr.to_radians(a);
|
|
this.angle = cr.clamp_angle(this.angle);
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.RotateTowardAngle = function (amt, target)
|
|
{
|
|
var newangle = cr.angleRotate(this.angle, cr.to_radians(target), cr.to_radians(amt));
|
|
if (isNaN(newangle))
|
|
return;
|
|
if (this.angle !== newangle)
|
|
{
|
|
this.angle = newangle;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.RotateTowardPosition = function (amt, x, y)
|
|
{
|
|
var dx = x - this.x;
|
|
var dy = y - this.y;
|
|
var target = Math.atan2(dy, dx);
|
|
var newangle = cr.angleRotate(this.angle, target, cr.to_radians(amt));
|
|
if (isNaN(newangle))
|
|
return;
|
|
if (this.angle !== newangle)
|
|
{
|
|
this.angle = newangle;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
acts.SetTowardPosition = function (x, y)
|
|
{
|
|
var dx = x - this.x;
|
|
var dy = y - this.y;
|
|
var newangle = Math.atan2(dy, dx);
|
|
if (isNaN(newangle))
|
|
return;
|
|
if (this.angle !== newangle)
|
|
{
|
|
this.angle = newangle;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
exps.Angle = function (ret)
|
|
{
|
|
ret.set_float(cr.to_clamped_degrees(this.angle));
|
|
};
|
|
}
|
|
if (!singleglobal_)
|
|
{
|
|
cnds.CompareInstanceVar = function (iv, cmp, val)
|
|
{
|
|
return cr.do_cmp(this.instance_vars[iv], cmp, val);
|
|
};
|
|
cnds.IsBoolInstanceVarSet = function (iv)
|
|
{
|
|
return this.instance_vars[iv];
|
|
};
|
|
cnds.PickInstVarHiLow = function (which, iv)
|
|
{
|
|
var sol = this.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
if (!instances.length)
|
|
return false;
|
|
var inst = instances[0];
|
|
var pickme = inst;
|
|
var val = inst.instance_vars[iv];
|
|
var i, len, v;
|
|
for (i = 1, len = instances.length; i < len; i++)
|
|
{
|
|
inst = instances[i];
|
|
v = inst.instance_vars[iv];
|
|
if ((which === 0 && v < val) || (which === 1 && v > val))
|
|
{
|
|
val = v;
|
|
pickme = inst;
|
|
}
|
|
}
|
|
sol.pick_one(pickme);
|
|
return true;
|
|
};
|
|
cnds.PickByUID = function (u)
|
|
{
|
|
var i, len, j, inst, families, instances, sol;
|
|
var cnd = this.runtime.getCurrentCondition();
|
|
if (cnd.inverted)
|
|
{
|
|
sol = this.getCurrentSol();
|
|
if (sol.select_all)
|
|
{
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
cr.clearArray(sol.else_instances);
|
|
instances = this.instances;
|
|
for (i = 0, len = instances.length; i < len; i++)
|
|
{
|
|
inst = instances[i];
|
|
if (inst.uid === u)
|
|
sol.else_instances.push(inst);
|
|
else
|
|
sol.instances.push(inst);
|
|
}
|
|
this.applySolToContainer();
|
|
return !!sol.instances.length;
|
|
}
|
|
else
|
|
{
|
|
for (i = 0, j = 0, len = sol.instances.length; i < len; i++)
|
|
{
|
|
inst = sol.instances[i];
|
|
sol.instances[j] = inst;
|
|
if (inst.uid === u)
|
|
{
|
|
sol.else_instances.push(inst);
|
|
}
|
|
else
|
|
j++;
|
|
}
|
|
cr.truncateArray(sol.instances, j);
|
|
this.applySolToContainer();
|
|
return !!sol.instances.length;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
inst = this.runtime.getObjectByUID(u);
|
|
if (!inst)
|
|
return false;
|
|
sol = this.getCurrentSol();
|
|
if (!sol.select_all && sol.instances.indexOf(inst) === -1)
|
|
return false; // not picked
|
|
if (this.is_family)
|
|
{
|
|
families = inst.type.families;
|
|
for (i = 0, len = families.length; i < len; i++)
|
|
{
|
|
if (families[i] === this)
|
|
{
|
|
sol.pick_one(inst);
|
|
this.applySolToContainer();
|
|
return true;
|
|
}
|
|
}
|
|
}
|
|
else if (inst.type === this)
|
|
{
|
|
sol.pick_one(inst);
|
|
this.applySolToContainer();
|
|
return true;
|
|
}
|
|
return false;
|
|
}
|
|
};
|
|
cnds.OnCreated = function ()
|
|
{
|
|
return true;
|
|
};
|
|
cnds.OnDestroyed = function ()
|
|
{
|
|
return true;
|
|
};
|
|
acts.SetInstanceVar = function (iv, val)
|
|
{
|
|
var myinstvars = this.instance_vars;
|
|
if (cr.is_number(myinstvars[iv]))
|
|
{
|
|
if (cr.is_number(val))
|
|
myinstvars[iv] = val;
|
|
else
|
|
myinstvars[iv] = parseFloat(val);
|
|
}
|
|
else if (cr.is_string(myinstvars[iv]))
|
|
{
|
|
if (cr.is_string(val))
|
|
myinstvars[iv] = val;
|
|
else
|
|
myinstvars[iv] = val.toString();
|
|
}
|
|
else
|
|
;
|
|
};
|
|
acts.AddInstanceVar = function (iv, val)
|
|
{
|
|
var myinstvars = this.instance_vars;
|
|
if (cr.is_number(myinstvars[iv]))
|
|
{
|
|
if (cr.is_number(val))
|
|
myinstvars[iv] += val;
|
|
else
|
|
myinstvars[iv] += parseFloat(val);
|
|
}
|
|
else if (cr.is_string(myinstvars[iv]))
|
|
{
|
|
if (cr.is_string(val))
|
|
myinstvars[iv] += val;
|
|
else
|
|
myinstvars[iv] += val.toString();
|
|
}
|
|
else
|
|
;
|
|
};
|
|
acts.SubInstanceVar = function (iv, val)
|
|
{
|
|
var myinstvars = this.instance_vars;
|
|
if (cr.is_number(myinstvars[iv]))
|
|
{
|
|
if (cr.is_number(val))
|
|
myinstvars[iv] -= val;
|
|
else
|
|
myinstvars[iv] -= parseFloat(val);
|
|
}
|
|
else
|
|
;
|
|
};
|
|
acts.SetBoolInstanceVar = function (iv, val)
|
|
{
|
|
this.instance_vars[iv] = val ? 1 : 0;
|
|
};
|
|
acts.ToggleBoolInstanceVar = function (iv)
|
|
{
|
|
this.instance_vars[iv] = 1 - this.instance_vars[iv];
|
|
};
|
|
acts.Destroy = function ()
|
|
{
|
|
this.runtime.DestroyInstance(this);
|
|
};
|
|
if (!acts.LoadFromJsonString)
|
|
{
|
|
acts.LoadFromJsonString = function (str_)
|
|
{
|
|
var o, i, len, binst;
|
|
try {
|
|
o = JSON.parse(str_);
|
|
}
|
|
catch (e) {
|
|
return;
|
|
}
|
|
this.runtime.loadInstanceFromJSON(this, o, true);
|
|
if (this.afterLoad)
|
|
this.afterLoad();
|
|
if (this.behavior_insts)
|
|
{
|
|
for (i = 0, len = this.behavior_insts.length; i < len; ++i)
|
|
{
|
|
binst = this.behavior_insts[i];
|
|
if (binst.afterLoad)
|
|
binst.afterLoad();
|
|
}
|
|
}
|
|
};
|
|
}
|
|
exps.Count = function (ret)
|
|
{
|
|
var count = ret.object_class.instances.length;
|
|
var i, len, inst;
|
|
for (i = 0, len = this.runtime.createRow.length; i < len; i++)
|
|
{
|
|
inst = this.runtime.createRow[i];
|
|
if (ret.object_class.is_family)
|
|
{
|
|
if (inst.type.families.indexOf(ret.object_class) >= 0)
|
|
count++;
|
|
}
|
|
else
|
|
{
|
|
if (inst.type === ret.object_class)
|
|
count++;
|
|
}
|
|
}
|
|
ret.set_int(count);
|
|
};
|
|
exps.PickedCount = function (ret)
|
|
{
|
|
ret.set_int(ret.object_class.getCurrentSol().getObjects().length);
|
|
};
|
|
exps.UID = function (ret)
|
|
{
|
|
ret.set_int(this.uid);
|
|
};
|
|
exps.IID = function (ret)
|
|
{
|
|
ret.set_int(this.get_iid());
|
|
};
|
|
if (!exps.AsJSON)
|
|
{
|
|
exps.AsJSON = function (ret)
|
|
{
|
|
ret.set_string(JSON.stringify(this.runtime.saveInstanceToJSON(this, true)));
|
|
};
|
|
}
|
|
}
|
|
if (appearance_aces)
|
|
{
|
|
cnds.IsVisible = function ()
|
|
{
|
|
return this.visible;
|
|
};
|
|
acts.SetVisible = function (v)
|
|
{
|
|
if (!v !== !this.visible)
|
|
{
|
|
this.visible = !!v;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
cnds.CompareOpacity = function (cmp, x)
|
|
{
|
|
return cr.do_cmp(cr.round6dp(this.opacity * 100), cmp, x);
|
|
};
|
|
acts.SetOpacity = function (x)
|
|
{
|
|
var new_opacity = x / 100.0;
|
|
if (new_opacity < 0)
|
|
new_opacity = 0;
|
|
else if (new_opacity > 1)
|
|
new_opacity = 1;
|
|
if (new_opacity !== this.opacity)
|
|
{
|
|
this.opacity = new_opacity;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
exps.Opacity = function (ret)
|
|
{
|
|
ret.set_float(cr.round6dp(this.opacity * 100.0));
|
|
};
|
|
}
|
|
if (zorder_aces)
|
|
{
|
|
cnds.IsOnLayer = function (layer_)
|
|
{
|
|
if (!layer_)
|
|
return false;
|
|
return this.layer === layer_;
|
|
};
|
|
cnds.PickTopBottom = function (which_)
|
|
{
|
|
var sol = this.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
if (!instances.length)
|
|
return false;
|
|
var inst = instances[0];
|
|
var pickme = inst;
|
|
var i, len;
|
|
for (i = 1, len = instances.length; i < len; i++)
|
|
{
|
|
inst = instances[i];
|
|
if (which_ === 0)
|
|
{
|
|
if (inst.layer.index > pickme.layer.index || (inst.layer.index === pickme.layer.index && inst.get_zindex() > pickme.get_zindex()))
|
|
{
|
|
pickme = inst;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (inst.layer.index < pickme.layer.index || (inst.layer.index === pickme.layer.index && inst.get_zindex() < pickme.get_zindex()))
|
|
{
|
|
pickme = inst;
|
|
}
|
|
}
|
|
}
|
|
sol.pick_one(pickme);
|
|
return true;
|
|
};
|
|
acts.MoveToTop = function ()
|
|
{
|
|
var layer = this.layer;
|
|
var layer_instances = layer.instances;
|
|
if (layer_instances.length && layer_instances[layer_instances.length - 1] === this)
|
|
return; // is already at top
|
|
layer.removeFromInstanceList(this, false);
|
|
layer.appendToInstanceList(this, false);
|
|
this.runtime.redraw = true;
|
|
};
|
|
acts.MoveToBottom = function ()
|
|
{
|
|
var layer = this.layer;
|
|
var layer_instances = layer.instances;
|
|
if (layer_instances.length && layer_instances[0] === this)
|
|
return; // is already at bottom
|
|
layer.removeFromInstanceList(this, false);
|
|
layer.prependToInstanceList(this, false);
|
|
this.runtime.redraw = true;
|
|
};
|
|
acts.MoveToLayer = function (layerMove)
|
|
{
|
|
if (!layerMove || layerMove == this.layer)
|
|
return;
|
|
this.layer.removeFromInstanceList(this, true);
|
|
this.layer = layerMove;
|
|
layerMove.appendToInstanceList(this, true);
|
|
this.runtime.redraw = true;
|
|
};
|
|
acts.ZMoveToObject = function (where_, obj_)
|
|
{
|
|
var isafter = (where_ === 0);
|
|
if (!obj_)
|
|
return;
|
|
var other = obj_.getFirstPicked(this);
|
|
if (!other || other.uid === this.uid)
|
|
return;
|
|
if (this.layer.index !== other.layer.index)
|
|
{
|
|
this.layer.removeFromInstanceList(this, true);
|
|
this.layer = other.layer;
|
|
other.layer.appendToInstanceList(this, true);
|
|
}
|
|
this.layer.moveInstanceAdjacent(this, other, isafter);
|
|
this.runtime.redraw = true;
|
|
};
|
|
exps.LayerNumber = function (ret)
|
|
{
|
|
ret.set_int(this.layer.number);
|
|
};
|
|
exps.LayerName = function (ret)
|
|
{
|
|
ret.set_string(this.layer.name);
|
|
};
|
|
exps.ZIndex = function (ret)
|
|
{
|
|
ret.set_int(this.get_zindex());
|
|
};
|
|
}
|
|
if (effects_aces)
|
|
{
|
|
acts.SetEffectEnabled = function (enable_, effectname_)
|
|
{
|
|
if (!this.runtime.glwrap)
|
|
return;
|
|
var i = this.type.getEffectIndexByName(effectname_);
|
|
if (i < 0)
|
|
return; // effect name not found
|
|
var enable = (enable_ === 1);
|
|
if (this.active_effect_flags[i] === enable)
|
|
return; // no change
|
|
this.active_effect_flags[i] = enable;
|
|
this.updateActiveEffects();
|
|
this.runtime.redraw = true;
|
|
};
|
|
acts.SetEffectParam = function (effectname_, index_, value_)
|
|
{
|
|
if (!this.runtime.glwrap)
|
|
return;
|
|
var i = this.type.getEffectIndexByName(effectname_);
|
|
if (i < 0)
|
|
return; // effect name not found
|
|
var et = this.type.effect_types[i];
|
|
var params = this.effect_params[i];
|
|
index_ = Math.floor(index_);
|
|
if (index_ < 0 || index_ >= params.length)
|
|
return; // effect index out of bounds
|
|
if (this.runtime.glwrap.getProgramParameterType(et.shaderindex, index_) === 1)
|
|
value_ /= 100.0;
|
|
if (params[index_] === value_)
|
|
return; // no change
|
|
params[index_] = value_;
|
|
if (et.active)
|
|
this.runtime.redraw = true;
|
|
};
|
|
}
|
|
};
|
|
cr.set_bbox_changed = function ()
|
|
{
|
|
this.bbox_changed = true; // will recreate next time box requested
|
|
this.cell_changed = true;
|
|
this.type.any_cell_changed = true; // avoid unnecessary updateAllBBox() calls
|
|
this.runtime.redraw = true; // assume runtime needs to redraw
|
|
var i, len, callbacks = this.bbox_changed_callbacks;
|
|
for (i = 0, len = callbacks.length; i < len; ++i)
|
|
{
|
|
callbacks[i](this);
|
|
}
|
|
if (this.layer.useRenderCells)
|
|
this.update_bbox();
|
|
};
|
|
cr.add_bbox_changed_callback = function (f)
|
|
{
|
|
if (f)
|
|
{
|
|
this.bbox_changed_callbacks.push(f);
|
|
}
|
|
};
|
|
cr.update_bbox = function ()
|
|
{
|
|
if (!this.bbox_changed)
|
|
return; // bounding box not changed
|
|
var bbox = this.bbox;
|
|
var bquad = this.bquad;
|
|
bbox.set(this.x, this.y, this.x + this.width, this.y + this.height);
|
|
bbox.offset(-this.hotspotX * this.width, -this.hotspotY * this.height);
|
|
if (!this.angle)
|
|
{
|
|
bquad.set_from_rect(bbox); // make bounding quad from box
|
|
}
|
|
else
|
|
{
|
|
bbox.offset(-this.x, -this.y); // translate to origin
|
|
bquad.set_from_rotated_rect(bbox, this.angle); // rotate around origin
|
|
bquad.offset(this.x, this.y); // translate back to original position
|
|
bquad.bounding_box(bbox);
|
|
}
|
|
bbox.normalize();
|
|
this.bbox_changed = false; // bounding box up to date
|
|
this.update_render_cell();
|
|
};
|
|
var tmprc = new cr.rect(0, 0, 0, 0);
|
|
cr.update_render_cell = function ()
|
|
{
|
|
if (!this.layer.useRenderCells)
|
|
return;
|
|
var mygrid = this.layer.render_grid;
|
|
var bbox = this.bbox;
|
|
tmprc.set(mygrid.XToCell(bbox.left), mygrid.YToCell(bbox.top), mygrid.XToCell(bbox.right), mygrid.YToCell(bbox.bottom));
|
|
if (this.rendercells.equals(tmprc))
|
|
return;
|
|
if (this.rendercells.right < this.rendercells.left)
|
|
mygrid.update(this, null, tmprc); // first insertion with invalid rect: don't provide old range
|
|
else
|
|
mygrid.update(this, this.rendercells, tmprc);
|
|
this.rendercells.copy(tmprc);
|
|
this.layer.render_list_stale = true;
|
|
};
|
|
cr.update_collision_cell = function ()
|
|
{
|
|
if (!this.cell_changed || !this.collisionsEnabled)
|
|
return;
|
|
this.update_bbox();
|
|
var mygrid = this.type.collision_grid;
|
|
var bbox = this.bbox;
|
|
tmprc.set(mygrid.XToCell(bbox.left), mygrid.YToCell(bbox.top), mygrid.XToCell(bbox.right), mygrid.YToCell(bbox.bottom));
|
|
if (this.collcells.equals(tmprc))
|
|
return;
|
|
if (this.collcells.right < this.collcells.left)
|
|
mygrid.update(this, null, tmprc); // first insertion with invalid rect: don't provide old range
|
|
else
|
|
mygrid.update(this, this.collcells, tmprc);
|
|
this.collcells.copy(tmprc);
|
|
this.cell_changed = false;
|
|
};
|
|
cr.inst_contains_pt = function (x, y)
|
|
{
|
|
if (!this.bbox.contains_pt(x, y))
|
|
return false;
|
|
if (!this.bquad.contains_pt(x, y))
|
|
return false;
|
|
if (this.tilemap_exists)
|
|
return this.testPointOverlapTile(x, y);
|
|
if (this.collision_poly && !this.collision_poly.is_empty())
|
|
{
|
|
this.collision_poly.cache_poly(this.width, this.height, this.angle);
|
|
return this.collision_poly.contains_pt(x - this.x, y - this.y);
|
|
}
|
|
else
|
|
return true;
|
|
};
|
|
cr.inst_get_iid = function ()
|
|
{
|
|
this.type.updateIIDs();
|
|
return this.iid;
|
|
};
|
|
cr.inst_get_zindex = function ()
|
|
{
|
|
this.layer.updateZIndices();
|
|
return this.zindex;
|
|
};
|
|
cr.inst_updateActiveEffects = function ()
|
|
{
|
|
cr.clearArray(this.active_effect_types);
|
|
var i, len, et;
|
|
var preserves_opaqueness = true;
|
|
for (i = 0, len = this.active_effect_flags.length; i < len; i++)
|
|
{
|
|
if (this.active_effect_flags[i])
|
|
{
|
|
et = this.type.effect_types[i];
|
|
this.active_effect_types.push(et);
|
|
if (!et.preservesOpaqueness)
|
|
preserves_opaqueness = false;
|
|
}
|
|
}
|
|
this.uses_shaders = !!this.active_effect_types.length;
|
|
this.shaders_preserve_opaqueness = preserves_opaqueness;
|
|
};
|
|
cr.inst_toString = function ()
|
|
{
|
|
return "Inst" + this.puid;
|
|
};
|
|
cr.type_getFirstPicked = function (frominst)
|
|
{
|
|
if (frominst && frominst.is_contained && frominst.type != this)
|
|
{
|
|
var i, len, s;
|
|
for (i = 0, len = frominst.siblings.length; i < len; i++)
|
|
{
|
|
s = frominst.siblings[i];
|
|
if (s.type == this)
|
|
return s;
|
|
}
|
|
}
|
|
var instances = this.getCurrentSol().getObjects();
|
|
if (instances.length)
|
|
return instances[0];
|
|
else
|
|
return null;
|
|
};
|
|
cr.type_getPairedInstance = function (inst)
|
|
{
|
|
var instances = this.getCurrentSol().getObjects();
|
|
if (instances.length)
|
|
return instances[inst.get_iid() % instances.length];
|
|
else
|
|
return null;
|
|
};
|
|
cr.type_updateIIDs = function ()
|
|
{
|
|
if (!this.stale_iids || this.is_family)
|
|
return; // up to date or is family - don't want family to overwrite IIDs
|
|
var i, len;
|
|
for (i = 0, len = this.instances.length; i < len; i++)
|
|
this.instances[i].iid = i;
|
|
var next_iid = i;
|
|
var createRow = this.runtime.createRow;
|
|
for (i = 0, len = createRow.length; i < len; ++i)
|
|
{
|
|
if (createRow[i].type === this)
|
|
createRow[i].iid = next_iid++;
|
|
}
|
|
this.stale_iids = false;
|
|
};
|
|
cr.type_getInstanceByIID = function (i)
|
|
{
|
|
if (i < this.instances.length)
|
|
return this.instances[i];
|
|
i -= this.instances.length;
|
|
var createRow = this.runtime.createRow;
|
|
var j, lenj;
|
|
for (j = 0, lenj = createRow.length; j < lenj; ++j)
|
|
{
|
|
if (createRow[j].type === this)
|
|
{
|
|
if (i === 0)
|
|
return createRow[j];
|
|
--i;
|
|
}
|
|
}
|
|
;
|
|
return null;
|
|
};
|
|
cr.type_getCurrentSol = function ()
|
|
{
|
|
return this.solstack[this.cur_sol];
|
|
};
|
|
cr.type_pushCleanSol = function ()
|
|
{
|
|
this.cur_sol++;
|
|
if (this.cur_sol === this.solstack.length)
|
|
{
|
|
this.solstack.push(new cr.selection(this));
|
|
}
|
|
else
|
|
{
|
|
this.solstack[this.cur_sol].select_all = true; // else clear next SOL
|
|
cr.clearArray(this.solstack[this.cur_sol].else_instances);
|
|
}
|
|
};
|
|
cr.type_pushCopySol = function ()
|
|
{
|
|
this.cur_sol++;
|
|
if (this.cur_sol === this.solstack.length)
|
|
this.solstack.push(new cr.selection(this));
|
|
var clonesol = this.solstack[this.cur_sol];
|
|
var prevsol = this.solstack[this.cur_sol - 1];
|
|
if (prevsol.select_all)
|
|
{
|
|
clonesol.select_all = true;
|
|
}
|
|
else
|
|
{
|
|
clonesol.select_all = false;
|
|
cr.shallowAssignArray(clonesol.instances, prevsol.instances);
|
|
}
|
|
cr.clearArray(clonesol.else_instances);
|
|
};
|
|
cr.type_popSol = function ()
|
|
{
|
|
;
|
|
this.cur_sol--;
|
|
};
|
|
cr.type_getBehaviorByName = function (behname)
|
|
{
|
|
var i, len, j, lenj, f, index = 0;
|
|
if (!this.is_family)
|
|
{
|
|
for (i = 0, len = this.families.length; i < len; i++)
|
|
{
|
|
f = this.families[i];
|
|
for (j = 0, lenj = f.behaviors.length; j < lenj; j++)
|
|
{
|
|
if (behname === f.behaviors[j].name)
|
|
{
|
|
this.extra["lastBehIndex"] = index;
|
|
return f.behaviors[j];
|
|
}
|
|
index++;
|
|
}
|
|
}
|
|
}
|
|
for (i = 0, len = this.behaviors.length; i < len; i++) {
|
|
if (behname === this.behaviors[i].name)
|
|
{
|
|
this.extra["lastBehIndex"] = index;
|
|
return this.behaviors[i];
|
|
}
|
|
index++;
|
|
}
|
|
return null;
|
|
};
|
|
cr.type_getBehaviorIndexByName = function (behname)
|
|
{
|
|
var b = this.getBehaviorByName(behname);
|
|
if (b)
|
|
return this.extra["lastBehIndex"];
|
|
else
|
|
return -1;
|
|
};
|
|
cr.type_getEffectIndexByName = function (name_)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.effect_types.length; i < len; i++)
|
|
{
|
|
if (this.effect_types[i].name === name_)
|
|
return i;
|
|
}
|
|
return -1;
|
|
};
|
|
cr.type_applySolToContainer = function ()
|
|
{
|
|
if (!this.is_contained || this.is_family)
|
|
return;
|
|
var i, len, j, lenj, t, sol, sol2;
|
|
this.updateIIDs();
|
|
sol = this.getCurrentSol();
|
|
var select_all = sol.select_all;
|
|
var es = this.runtime.getCurrentEventStack();
|
|
var orblock = es && es.current_event && es.current_event.orblock;
|
|
for (i = 0, len = this.container.length; i < len; i++)
|
|
{
|
|
t = this.container[i];
|
|
if (t === this)
|
|
continue;
|
|
t.updateIIDs();
|
|
sol2 = t.getCurrentSol();
|
|
sol2.select_all = select_all;
|
|
if (!select_all)
|
|
{
|
|
cr.clearArray(sol2.instances);
|
|
for (j = 0, lenj = sol.instances.length; j < lenj; ++j)
|
|
sol2.instances[j] = t.getInstanceByIID(sol.instances[j].iid);
|
|
if (orblock)
|
|
{
|
|
cr.clearArray(sol2.else_instances);
|
|
for (j = 0, lenj = sol.else_instances.length; j < lenj; ++j)
|
|
sol2.else_instances[j] = t.getInstanceByIID(sol.else_instances[j].iid);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
cr.type_toString = function ()
|
|
{
|
|
return "Type" + this.sid;
|
|
};
|
|
cr.do_cmp = function (x, cmp, y)
|
|
{
|
|
if (typeof x === "undefined" || typeof y === "undefined")
|
|
return false;
|
|
switch (cmp)
|
|
{
|
|
case 0: // equal
|
|
return x === y;
|
|
case 1: // not equal
|
|
return x !== y;
|
|
case 2: // less
|
|
return x < y;
|
|
case 3: // less/equal
|
|
return x <= y;
|
|
case 4: // greater
|
|
return x > y;
|
|
case 5: // greater/equal
|
|
return x >= y;
|
|
default:
|
|
;
|
|
return false;
|
|
}
|
|
};
|
|
})();
|
|
cr.shaders = {};
|
|
cr.shaders["difference"] = {src: ["varying mediump vec2 vTex;",
|
|
"uniform lowp sampler2D samplerFront;",
|
|
"uniform lowp sampler2D samplerBack;",
|
|
"uniform mediump vec2 destStart;",
|
|
"uniform mediump vec2 destEnd;",
|
|
"void main(void)",
|
|
"{",
|
|
"lowp vec4 front = texture2D(samplerFront, vTex);",
|
|
"front.rgb /= front.a;",
|
|
"lowp vec4 back = texture2D(samplerBack, mix(destStart, destEnd, vTex));",
|
|
"back.rgb /= back.a;",
|
|
"front.rgb = (max(front.rgb, back.rgb) - min(front.rgb, back.rgb)) * front.a;",
|
|
"gl_FragColor = front;",
|
|
"}"
|
|
].join("\n"),
|
|
extendBoxHorizontal: 0,
|
|
extendBoxVertical: 0,
|
|
crossSampling: true,
|
|
preservesOpaqueness: false,
|
|
animated: false,
|
|
parameters: [] }
|
|
cr.shaders["replacecolor"] = {src: ["varying mediump vec2 vTex;",
|
|
"uniform lowp sampler2D samplerFront;",
|
|
"uniform mediump float rsource;",
|
|
"uniform mediump float gsource;",
|
|
"uniform mediump float bsource;",
|
|
"uniform mediump float rdest;",
|
|
"uniform mediump float gdest;",
|
|
"uniform mediump float bdest;",
|
|
"uniform lowp float tolerance;",
|
|
"void main(void)",
|
|
"{",
|
|
"lowp vec4 front = texture2D(samplerFront, vTex);",
|
|
"lowp float a = front.a;",
|
|
"if (a != 0.0)",
|
|
"front.rgb /= a;",
|
|
"lowp float diff = length(front.rgb - vec3(rsource, gsource, bsource) / 255.0);",
|
|
"if (diff <= tolerance)",
|
|
"{",
|
|
"front.rgb = mix(front.rgb, vec3(rdest, gdest, bdest) / 255.0, 1.0 - diff / tolerance);",
|
|
"}",
|
|
"front.rgb *= a;",
|
|
"gl_FragColor = front;",
|
|
"}"
|
|
].join("\n"),
|
|
extendBoxHorizontal: 0,
|
|
extendBoxVertical: 0,
|
|
crossSampling: false,
|
|
preservesOpaqueness: true,
|
|
animated: false,
|
|
parameters: [["rsource", 0, 0], ["gsource", 0, 0], ["bsource", 0, 0], ["rdest", 0, 0], ["gdest", 0, 0], ["bdest", 0, 0], ["tolerance", 0, 1]] }
|
|
;
|
|
;
|
|
cr.plugins_.AJAX = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var isNWjs = false;
|
|
var path = null;
|
|
var fs = null;
|
|
var nw_appfolder = "";
|
|
var pluginProto = cr.plugins_.AJAX.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
this.lastData = "";
|
|
this.curTag = "";
|
|
this.progress = 0;
|
|
this.timeout = -1;
|
|
isNWjs = this.runtime.isNWjs;
|
|
if (isNWjs)
|
|
{
|
|
path = require("path");
|
|
fs = require("fs");
|
|
var process = window["process"] || nw["process"];
|
|
nw_appfolder = path["dirname"](process["execPath"]) + "\\";
|
|
}
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var theInstance = null;
|
|
window["C2_AJAX_DCSide"] = function (event_, tag_, param_)
|
|
{
|
|
if (!theInstance)
|
|
return;
|
|
if (event_ === "success")
|
|
{
|
|
theInstance.curTag = tag_;
|
|
theInstance.lastData = param_;
|
|
theInstance.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnAnyComplete, theInstance);
|
|
theInstance.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnComplete, theInstance);
|
|
}
|
|
else if (event_ === "error")
|
|
{
|
|
theInstance.curTag = tag_;
|
|
theInstance.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnAnyError, theInstance);
|
|
theInstance.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnError, theInstance);
|
|
}
|
|
else if (event_ === "progress")
|
|
{
|
|
theInstance.progress = param_;
|
|
theInstance.curTag = tag_;
|
|
theInstance.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnProgress, theInstance);
|
|
}
|
|
};
|
|
instanceProto.onCreate = function()
|
|
{
|
|
theInstance = this;
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return { "lastData": this.lastData };
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.lastData = o["lastData"];
|
|
this.curTag = "";
|
|
this.progress = 0;
|
|
};
|
|
var next_request_headers = {};
|
|
var next_override_mime = "";
|
|
instanceProto.doRequest = function (tag_, url_, method_, data_)
|
|
{
|
|
if (this.runtime.isDirectCanvas)
|
|
{
|
|
AppMobi["webview"]["execute"]('C2_AJAX_WebSide("' + tag_ + '", "' + url_ + '", "' + method_ + '", ' + (data_ ? '"' + data_ + '"' : "null") + ');');
|
|
return;
|
|
}
|
|
var self = this;
|
|
var request = null;
|
|
var doErrorFunc = function ()
|
|
{
|
|
self.curTag = tag_;
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnAnyError, self);
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnError, self);
|
|
};
|
|
var errorFunc = function ()
|
|
{
|
|
if (isNWjs)
|
|
{
|
|
var filepath = nw_appfolder + url_;
|
|
if (fs["existsSync"](filepath))
|
|
{
|
|
fs["readFile"](filepath, {"encoding": "utf8"}, function (err, data) {
|
|
if (err)
|
|
{
|
|
doErrorFunc();
|
|
return;
|
|
}
|
|
self.curTag = tag_;
|
|
self.lastData = data.replace(/\r\n/g, "\n")
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnAnyComplete, self);
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnComplete, self);
|
|
});
|
|
}
|
|
else
|
|
doErrorFunc();
|
|
}
|
|
else
|
|
doErrorFunc();
|
|
};
|
|
var progressFunc = function (e)
|
|
{
|
|
if (!e["lengthComputable"])
|
|
return;
|
|
self.progress = e.loaded / e.total;
|
|
self.curTag = tag_;
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnProgress, self);
|
|
};
|
|
try
|
|
{
|
|
if (this.runtime.isWindowsPhone8)
|
|
request = new ActiveXObject("Microsoft.XMLHTTP");
|
|
else
|
|
request = new XMLHttpRequest();
|
|
request.onreadystatechange = function()
|
|
{
|
|
if (request.readyState === 4)
|
|
{
|
|
self.curTag = tag_;
|
|
if (request.responseText)
|
|
self.lastData = request.responseText.replace(/\r\n/g, "\n"); // fix windows style line endings
|
|
else
|
|
self.lastData = "";
|
|
if (request.status >= 400)
|
|
{
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnAnyError, self);
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnError, self);
|
|
}
|
|
else
|
|
{
|
|
if ((!isNWjs || self.lastData.length) && !(!isNWjs && request.status === 0 && !self.lastData.length))
|
|
{
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnAnyComplete, self);
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnComplete, self);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
if (!this.runtime.isWindowsPhone8)
|
|
{
|
|
request.onerror = errorFunc;
|
|
request.ontimeout = errorFunc;
|
|
request.onabort = errorFunc;
|
|
request["onprogress"] = progressFunc;
|
|
}
|
|
request.open(method_, url_);
|
|
if (!this.runtime.isWindowsPhone8)
|
|
{
|
|
if (this.timeout >= 0 && typeof request["timeout"] !== "undefined")
|
|
request["timeout"] = this.timeout;
|
|
}
|
|
try {
|
|
request.responseType = "text";
|
|
} catch (e) {}
|
|
if (data_)
|
|
{
|
|
if (request["setRequestHeader"] && !next_request_headers.hasOwnProperty("Content-Type"))
|
|
{
|
|
request["setRequestHeader"]("Content-Type", "application/x-www-form-urlencoded");
|
|
}
|
|
}
|
|
if (request["setRequestHeader"])
|
|
{
|
|
var p;
|
|
for (p in next_request_headers)
|
|
{
|
|
if (next_request_headers.hasOwnProperty(p))
|
|
{
|
|
try {
|
|
request["setRequestHeader"](p, next_request_headers[p]);
|
|
}
|
|
catch (e) {}
|
|
}
|
|
}
|
|
next_request_headers = {};
|
|
}
|
|
if (next_override_mime && request["overrideMimeType"])
|
|
{
|
|
try {
|
|
request["overrideMimeType"](next_override_mime);
|
|
}
|
|
catch (e) {}
|
|
next_override_mime = "";
|
|
}
|
|
if (data_)
|
|
request.send(data_);
|
|
else
|
|
request.send();
|
|
}
|
|
catch (e)
|
|
{
|
|
errorFunc();
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnComplete = function (tag)
|
|
{
|
|
return cr.equals_nocase(tag, this.curTag);
|
|
};
|
|
Cnds.prototype.OnAnyComplete = function (tag)
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnError = function (tag)
|
|
{
|
|
return cr.equals_nocase(tag, this.curTag);
|
|
};
|
|
Cnds.prototype.OnAnyError = function (tag)
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnProgress = function (tag)
|
|
{
|
|
return cr.equals_nocase(tag, this.curTag);
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.Request = function (tag_, url_)
|
|
{
|
|
var self = this;
|
|
if (this.runtime.isWKWebView && !this.runtime.isAbsoluteUrl(url_))
|
|
{
|
|
this.runtime.fetchLocalFileViaCordovaAsText(url_,
|
|
function (str)
|
|
{
|
|
self.curTag = tag_;
|
|
self.lastData = str.replace(/\r\n/g, "\n"); // fix windows style line endings
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnAnyComplete, self);
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnComplete, self);
|
|
},
|
|
function (err)
|
|
{
|
|
self.curTag = tag_;
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnAnyError, self);
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnError, self);
|
|
});
|
|
}
|
|
else
|
|
{
|
|
this.doRequest(tag_, url_, "GET");
|
|
}
|
|
};
|
|
Acts.prototype.RequestFile = function (tag_, file_)
|
|
{
|
|
var self = this;
|
|
if (this.runtime.isWKWebView)
|
|
{
|
|
this.runtime.fetchLocalFileViaCordovaAsText(file_,
|
|
function (str)
|
|
{
|
|
self.curTag = tag_;
|
|
self.lastData = str.replace(/\r\n/g, "\n"); // fix windows style line endings
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnAnyComplete, self);
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnComplete, self);
|
|
},
|
|
function (err)
|
|
{
|
|
self.curTag = tag_;
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnAnyError, self);
|
|
self.runtime.trigger(cr.plugins_.AJAX.prototype.cnds.OnError, self);
|
|
});
|
|
}
|
|
else
|
|
{
|
|
this.doRequest(tag_, file_, "GET");
|
|
}
|
|
};
|
|
Acts.prototype.Post = function (tag_, url_, data_, method_)
|
|
{
|
|
this.doRequest(tag_, url_, method_, data_);
|
|
};
|
|
Acts.prototype.SetTimeout = function (t)
|
|
{
|
|
this.timeout = t * 1000;
|
|
};
|
|
Acts.prototype.SetHeader = function (n, v)
|
|
{
|
|
next_request_headers[n] = v;
|
|
};
|
|
Acts.prototype.OverrideMIMEType = function (m)
|
|
{
|
|
next_override_mime = m;
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.LastData = function (ret)
|
|
{
|
|
ret.set_string(this.lastData);
|
|
};
|
|
Exps.prototype.Progress = function (ret)
|
|
{
|
|
ret.set_float(this.progress);
|
|
};
|
|
Exps.prototype.Tag = function (ret)
|
|
{
|
|
ret.set_string(this.curTag);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Arr = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Arr.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var arrCache = [];
|
|
function allocArray()
|
|
{
|
|
if (arrCache.length)
|
|
return arrCache.pop();
|
|
else
|
|
return [];
|
|
};
|
|
if (!Array.isArray)
|
|
{
|
|
Array.isArray = function (vArg) {
|
|
return Object.prototype.toString.call(vArg) === "[object Array]";
|
|
};
|
|
}
|
|
function freeArray(a)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = a.length; i < len; i++)
|
|
{
|
|
if (Array.isArray(a[i]))
|
|
freeArray(a[i]);
|
|
}
|
|
cr.clearArray(a);
|
|
arrCache.push(a);
|
|
};
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.cx = this.properties[0];
|
|
this.cy = this.properties[1];
|
|
this.cz = this.properties[2];
|
|
if (!this.recycled)
|
|
this.arr = allocArray();
|
|
var a = this.arr;
|
|
a.length = this.cx;
|
|
var x, y, z;
|
|
for (x = 0; x < this.cx; x++)
|
|
{
|
|
if (!a[x])
|
|
a[x] = allocArray();
|
|
a[x].length = this.cy;
|
|
for (y = 0; y < this.cy; y++)
|
|
{
|
|
if (!a[x][y])
|
|
a[x][y] = allocArray();
|
|
a[x][y].length = this.cz;
|
|
for (z = 0; z < this.cz; z++)
|
|
a[x][y][z] = 0;
|
|
}
|
|
}
|
|
this.forX = [];
|
|
this.forY = [];
|
|
this.forZ = [];
|
|
this.forDepth = -1;
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
var x;
|
|
for (x = 0; x < this.cx; x++)
|
|
freeArray(this.arr[x]); // will recurse down and recycle other arrays
|
|
cr.clearArray(this.arr);
|
|
};
|
|
instanceProto.at = function (x, y, z)
|
|
{
|
|
x = Math.floor(x);
|
|
y = Math.floor(y);
|
|
z = Math.floor(z);
|
|
if (isNaN(x) || x < 0 || x > this.cx - 1)
|
|
return 0;
|
|
if (isNaN(y) || y < 0 || y > this.cy - 1)
|
|
return 0;
|
|
if (isNaN(z) || z < 0 || z > this.cz - 1)
|
|
return 0;
|
|
return this.arr[x][y][z];
|
|
};
|
|
instanceProto.set = function (x, y, z, val)
|
|
{
|
|
x = Math.floor(x);
|
|
y = Math.floor(y);
|
|
z = Math.floor(z);
|
|
if (isNaN(x) || x < 0 || x > this.cx - 1)
|
|
return;
|
|
if (isNaN(y) || y < 0 || y > this.cy - 1)
|
|
return;
|
|
if (isNaN(z) || z < 0 || z > this.cz - 1)
|
|
return;
|
|
this.arr[x][y][z] = val;
|
|
};
|
|
instanceProto.getAsJSON = function ()
|
|
{
|
|
return JSON.stringify({
|
|
"c2array": true,
|
|
"size": [this.cx, this.cy, this.cz],
|
|
"data": this.arr
|
|
});
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"size": [this.cx, this.cy, this.cz],
|
|
"data": this.arr
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
var sz = o["size"];
|
|
this.cx = sz[0];
|
|
this.cy = sz[1];
|
|
this.cz = sz[2];
|
|
this.arr = o["data"];
|
|
};
|
|
instanceProto.setSize = function (w, h, d)
|
|
{
|
|
if (w < 0) w = 0;
|
|
if (h < 0) h = 0;
|
|
if (d < 0) d = 0;
|
|
if (this.cx === w && this.cy === h && this.cz === d)
|
|
return; // no change
|
|
this.cx = w;
|
|
this.cy = h;
|
|
this.cz = d;
|
|
var x, y, z;
|
|
var a = this.arr;
|
|
a.length = w;
|
|
for (x = 0; x < this.cx; x++)
|
|
{
|
|
if (cr.is_undefined(a[x]))
|
|
a[x] = allocArray();
|
|
a[x].length = h;
|
|
for (y = 0; y < this.cy; y++)
|
|
{
|
|
if (cr.is_undefined(a[x][y]))
|
|
a[x][y] = allocArray();
|
|
a[x][y].length = d;
|
|
for (z = 0; z < this.cz; z++)
|
|
{
|
|
if (cr.is_undefined(a[x][y][z]))
|
|
a[x][y][z] = 0;
|
|
}
|
|
}
|
|
}
|
|
};
|
|
instanceProto.getForX = function ()
|
|
{
|
|
if (this.forDepth >= 0 && this.forDepth < this.forX.length)
|
|
return this.forX[this.forDepth];
|
|
else
|
|
return 0;
|
|
};
|
|
instanceProto.getForY = function ()
|
|
{
|
|
if (this.forDepth >= 0 && this.forDepth < this.forY.length)
|
|
return this.forY[this.forDepth];
|
|
else
|
|
return 0;
|
|
};
|
|
instanceProto.getForZ = function ()
|
|
{
|
|
if (this.forDepth >= 0 && this.forDepth < this.forZ.length)
|
|
return this.forZ[this.forDepth];
|
|
else
|
|
return 0;
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.CompareX = function (x, cmp, val)
|
|
{
|
|
return cr.do_cmp(this.at(x, 0, 0), cmp, val);
|
|
};
|
|
Cnds.prototype.CompareXY = function (x, y, cmp, val)
|
|
{
|
|
return cr.do_cmp(this.at(x, y, 0), cmp, val);
|
|
};
|
|
Cnds.prototype.CompareXYZ = function (x, y, z, cmp, val)
|
|
{
|
|
return cr.do_cmp(this.at(x, y, z), cmp, val);
|
|
};
|
|
instanceProto.doForEachTrigger = function (current_event)
|
|
{
|
|
this.runtime.pushCopySol(current_event.solModifiers);
|
|
current_event.retrigger();
|
|
this.runtime.popSol(current_event.solModifiers);
|
|
};
|
|
Cnds.prototype.ArrForEach = function (dims)
|
|
{
|
|
var current_event = this.runtime.getCurrentEventStack().current_event;
|
|
this.forDepth++;
|
|
var forDepth = this.forDepth;
|
|
if (forDepth === this.forX.length)
|
|
{
|
|
this.forX.push(0);
|
|
this.forY.push(0);
|
|
this.forZ.push(0);
|
|
}
|
|
else
|
|
{
|
|
this.forX[forDepth] = 0;
|
|
this.forY[forDepth] = 0;
|
|
this.forZ[forDepth] = 0;
|
|
}
|
|
switch (dims) {
|
|
case 0:
|
|
for (this.forX[forDepth] = 0; this.forX[forDepth] < this.cx; this.forX[forDepth]++)
|
|
{
|
|
for (this.forY[forDepth] = 0; this.forY[forDepth] < this.cy; this.forY[forDepth]++)
|
|
{
|
|
for (this.forZ[forDepth] = 0; this.forZ[forDepth] < this.cz; this.forZ[forDepth]++)
|
|
{
|
|
this.doForEachTrigger(current_event);
|
|
}
|
|
}
|
|
}
|
|
break;
|
|
case 1:
|
|
for (this.forX[forDepth] = 0; this.forX[forDepth] < this.cx; this.forX[forDepth]++)
|
|
{
|
|
for (this.forY[forDepth] = 0; this.forY[forDepth] < this.cy; this.forY[forDepth]++)
|
|
{
|
|
this.doForEachTrigger(current_event);
|
|
}
|
|
}
|
|
break;
|
|
case 2:
|
|
for (this.forX[forDepth] = 0; this.forX[forDepth] < this.cx; this.forX[forDepth]++)
|
|
{
|
|
this.doForEachTrigger(current_event);
|
|
}
|
|
break;
|
|
}
|
|
this.forDepth--;
|
|
return false;
|
|
};
|
|
Cnds.prototype.CompareCurrent = function (cmp, val)
|
|
{
|
|
return cr.do_cmp(this.at(this.getForX(), this.getForY(), this.getForZ()), cmp, val);
|
|
};
|
|
Cnds.prototype.Contains = function(val)
|
|
{
|
|
var x, y, z;
|
|
for (x = 0; x < this.cx; x++)
|
|
{
|
|
for (y = 0; y < this.cy; y++)
|
|
{
|
|
for (z = 0; z < this.cz; z++)
|
|
{
|
|
if (this.arr[x][y][z] === val)
|
|
return true;
|
|
}
|
|
}
|
|
}
|
|
return false;
|
|
};
|
|
Cnds.prototype.IsEmpty = function ()
|
|
{
|
|
return this.cx === 0 || this.cy === 0 || this.cz === 0;
|
|
};
|
|
Cnds.prototype.CompareSize = function (axis, cmp, value)
|
|
{
|
|
var s = 0;
|
|
switch (axis) {
|
|
case 0:
|
|
s = this.cx;
|
|
break;
|
|
case 1:
|
|
s = this.cy;
|
|
break;
|
|
case 2:
|
|
s = this.cz;
|
|
break;
|
|
}
|
|
return cr.do_cmp(s, cmp, value);
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.Clear = function ()
|
|
{
|
|
var x, y, z;
|
|
for (x = 0; x < this.cx; x++)
|
|
for (y = 0; y < this.cy; y++)
|
|
for (z = 0; z < this.cz; z++)
|
|
this.arr[x][y][z] = 0;
|
|
};
|
|
Acts.prototype.SetSize = function (w, h, d)
|
|
{
|
|
this.setSize(w, h, d);
|
|
};
|
|
Acts.prototype.SetX = function (x, val)
|
|
{
|
|
this.set(x, 0, 0, val);
|
|
};
|
|
Acts.prototype.SetXY = function (x, y, val)
|
|
{
|
|
this.set(x, y, 0, val);
|
|
};
|
|
Acts.prototype.SetXYZ = function (x, y, z, val)
|
|
{
|
|
this.set(x, y, z, val);
|
|
};
|
|
Acts.prototype.Push = function (where, value, axis)
|
|
{
|
|
var x = 0, y = 0, z = 0;
|
|
var a = this.arr;
|
|
switch (axis) {
|
|
case 0: // X axis
|
|
if (where === 0) // back
|
|
{
|
|
x = a.length;
|
|
a.push(allocArray());
|
|
}
|
|
else // front
|
|
{
|
|
x = 0;
|
|
a.unshift(allocArray());
|
|
}
|
|
a[x].length = this.cy;
|
|
for ( ; y < this.cy; y++)
|
|
{
|
|
a[x][y] = allocArray();
|
|
a[x][y].length = this.cz;
|
|
for (z = 0; z < this.cz; z++)
|
|
a[x][y][z] = value;
|
|
}
|
|
this.cx++;
|
|
break;
|
|
case 1: // Y axis
|
|
for ( ; x < this.cx; x++)
|
|
{
|
|
if (where === 0) // back
|
|
{
|
|
y = a[x].length;
|
|
a[x].push(allocArray());
|
|
}
|
|
else // front
|
|
{
|
|
y = 0;
|
|
a[x].unshift(allocArray());
|
|
}
|
|
a[x][y].length = this.cz;
|
|
for (z = 0; z < this.cz; z++)
|
|
a[x][y][z] = value;
|
|
}
|
|
this.cy++;
|
|
break;
|
|
case 2: // Z axis
|
|
for ( ; x < this.cx; x++)
|
|
{
|
|
for (y = 0; y < this.cy; y++)
|
|
{
|
|
if (where === 0) // back
|
|
{
|
|
a[x][y].push(value);
|
|
}
|
|
else // front
|
|
{
|
|
a[x][y].unshift(value);
|
|
}
|
|
}
|
|
}
|
|
this.cz++;
|
|
break;
|
|
}
|
|
};
|
|
Acts.prototype.Pop = function (where, axis)
|
|
{
|
|
var x = 0, y = 0, z = 0;
|
|
var a = this.arr;
|
|
switch (axis) {
|
|
case 0: // X axis
|
|
if (this.cx === 0)
|
|
break;
|
|
if (where === 0) // back
|
|
{
|
|
freeArray(a.pop());
|
|
}
|
|
else // front
|
|
{
|
|
freeArray(a.shift());
|
|
}
|
|
this.cx--;
|
|
break;
|
|
case 1: // Y axis
|
|
if (this.cy === 0)
|
|
break;
|
|
for ( ; x < this.cx; x++)
|
|
{
|
|
if (where === 0) // back
|
|
{
|
|
freeArray(a[x].pop());
|
|
}
|
|
else // front
|
|
{
|
|
freeArray(a[x].shift());
|
|
}
|
|
}
|
|
this.cy--;
|
|
break;
|
|
case 2: // Z axis
|
|
if (this.cz === 0)
|
|
break;
|
|
for ( ; x < this.cx; x++)
|
|
{
|
|
for (y = 0; y < this.cy; y++)
|
|
{
|
|
if (where === 0) // back
|
|
{
|
|
a[x][y].pop();
|
|
}
|
|
else // front
|
|
{
|
|
a[x][y].shift();
|
|
}
|
|
}
|
|
}
|
|
this.cz--;
|
|
break;
|
|
}
|
|
};
|
|
Acts.prototype.Reverse = function (axis)
|
|
{
|
|
var x = 0, y = 0, z = 0;
|
|
var a = this.arr;
|
|
if (this.cx === 0 || this.cy === 0 || this.cz === 0)
|
|
return; // no point reversing empty array
|
|
switch (axis) {
|
|
case 0: // X axis
|
|
a.reverse();
|
|
break;
|
|
case 1: // Y axis
|
|
for ( ; x < this.cx; x++)
|
|
a[x].reverse();
|
|
break;
|
|
case 2: // Z axis
|
|
for ( ; x < this.cx; x++)
|
|
for (y = 0; y < this.cy; y++)
|
|
a[x][y].reverse();
|
|
break;
|
|
}
|
|
};
|
|
function compareValues(va, vb)
|
|
{
|
|
if (cr.is_number(va) && cr.is_number(vb))
|
|
return va - vb;
|
|
else
|
|
{
|
|
var sa = "" + va;
|
|
var sb = "" + vb;
|
|
if (sa < sb)
|
|
return -1;
|
|
else if (sa > sb)
|
|
return 1;
|
|
else
|
|
return 0;
|
|
}
|
|
}
|
|
Acts.prototype.Sort = function (axis)
|
|
{
|
|
var x = 0, y = 0, z = 0;
|
|
var a = this.arr;
|
|
if (this.cx === 0 || this.cy === 0 || this.cz === 0)
|
|
return; // no point sorting empty array
|
|
switch (axis) {
|
|
case 0: // X axis
|
|
a.sort(function (a, b) {
|
|
return compareValues(a[0][0], b[0][0]);
|
|
});
|
|
break;
|
|
case 1: // Y axis
|
|
for ( ; x < this.cx; x++)
|
|
{
|
|
a[x].sort(function (a, b) {
|
|
return compareValues(a[0], b[0]);
|
|
});
|
|
}
|
|
break;
|
|
case 2: // Z axis
|
|
for ( ; x < this.cx; x++)
|
|
{
|
|
for (y = 0; y < this.cy; y++)
|
|
{
|
|
a[x][y].sort(compareValues);
|
|
}
|
|
}
|
|
break;
|
|
}
|
|
};
|
|
Acts.prototype.Delete = function (index, axis)
|
|
{
|
|
var x = 0, y = 0, z = 0;
|
|
index = Math.floor(index);
|
|
var a = this.arr;
|
|
if (index < 0)
|
|
return;
|
|
switch (axis) {
|
|
case 0: // X axis
|
|
if (index >= this.cx)
|
|
break;
|
|
freeArray(a[index]);
|
|
a.splice(index, 1);
|
|
this.cx--;
|
|
break;
|
|
case 1: // Y axis
|
|
if (index >= this.cy)
|
|
break;
|
|
for ( ; x < this.cx; x++)
|
|
{
|
|
freeArray(a[x][index]);
|
|
a[x].splice(index, 1);
|
|
}
|
|
this.cy--;
|
|
break;
|
|
case 2: // Z axis
|
|
if (index >= this.cz)
|
|
break;
|
|
for ( ; x < this.cx; x++)
|
|
{
|
|
for (y = 0; y < this.cy; y++)
|
|
{
|
|
a[x][y].splice(index, 1);
|
|
}
|
|
}
|
|
this.cz--;
|
|
break;
|
|
}
|
|
};
|
|
Acts.prototype.Insert = function (value, index, axis)
|
|
{
|
|
var x = 0, y = 0, z = 0;
|
|
index = Math.floor(index);
|
|
var a = this.arr;
|
|
if (index < 0)
|
|
return;
|
|
switch (axis) {
|
|
case 0: // X axis
|
|
if (index > this.cx)
|
|
return;
|
|
x = index;
|
|
a.splice(x, 0, allocArray());
|
|
a[x].length = this.cy;
|
|
for ( ; y < this.cy; y++)
|
|
{
|
|
a[x][y] = allocArray();
|
|
a[x][y].length = this.cz;
|
|
for (z = 0; z < this.cz; z++)
|
|
a[x][y][z] = value;
|
|
}
|
|
this.cx++;
|
|
break;
|
|
case 1: // Y axis
|
|
if (index > this.cy)
|
|
return;
|
|
for ( ; x < this.cx; x++)
|
|
{
|
|
y = index;
|
|
a[x].splice(y, 0, allocArray());
|
|
a[x][y].length = this.cz;
|
|
for (z = 0; z < this.cz; z++)
|
|
a[x][y][z] = value;
|
|
}
|
|
this.cy++;
|
|
break;
|
|
case 2: // Z axis
|
|
if (index > this.cz)
|
|
return;
|
|
for ( ; x < this.cx; x++)
|
|
{
|
|
for (y = 0; y < this.cy; y++)
|
|
{
|
|
a[x][y].splice(index, 0, value);
|
|
}
|
|
}
|
|
this.cz++;
|
|
break;
|
|
}
|
|
};
|
|
Acts.prototype.JSONLoad = function (json_)
|
|
{
|
|
var o;
|
|
try {
|
|
o = JSON.parse(json_);
|
|
}
|
|
catch(e) { return; }
|
|
if (!o["c2array"]) // presumably not a c2array object
|
|
return;
|
|
var sz = o["size"];
|
|
this.cx = sz[0];
|
|
this.cy = sz[1];
|
|
this.cz = sz[2];
|
|
this.arr = o["data"];
|
|
};
|
|
Acts.prototype.JSONDownload = function (filename)
|
|
{
|
|
var a = document.createElement("a");
|
|
if (typeof a.download === "undefined")
|
|
{
|
|
var str = 'data:text/html,' + encodeURIComponent("<p><a download='" + filename + "' href=\"data:application/json,"
|
|
+ encodeURIComponent(this.getAsJSON())
|
|
+ "\">Download link</a></p>");
|
|
window.open(str);
|
|
}
|
|
else
|
|
{
|
|
var body = document.getElementsByTagName("body")[0];
|
|
a.textContent = filename;
|
|
a.href = "data:application/json," + encodeURIComponent(this.getAsJSON());
|
|
a.download = filename;
|
|
body.appendChild(a);
|
|
var clickEvent = document.createEvent("MouseEvent");
|
|
clickEvent.initMouseEvent("click", true, true, window, 0, 0, 0, 0, 0, false, false, false, false, 0, null);
|
|
a.dispatchEvent(clickEvent);
|
|
body.removeChild(a);
|
|
}
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.At = function (ret, x, y_, z_)
|
|
{
|
|
var y = y_ || 0;
|
|
var z = z_ || 0;
|
|
ret.set_any(this.at(x, y, z));
|
|
};
|
|
Exps.prototype.Width = function (ret)
|
|
{
|
|
ret.set_int(this.cx);
|
|
};
|
|
Exps.prototype.Height = function (ret)
|
|
{
|
|
ret.set_int(this.cy);
|
|
};
|
|
Exps.prototype.Depth = function (ret)
|
|
{
|
|
ret.set_int(this.cz);
|
|
};
|
|
Exps.prototype.CurX = function (ret)
|
|
{
|
|
ret.set_int(this.getForX());
|
|
};
|
|
Exps.prototype.CurY = function (ret)
|
|
{
|
|
ret.set_int(this.getForY());
|
|
};
|
|
Exps.prototype.CurZ = function (ret)
|
|
{
|
|
ret.set_int(this.getForZ());
|
|
};
|
|
Exps.prototype.CurValue = function (ret)
|
|
{
|
|
ret.set_any(this.at(this.getForX(), this.getForY(), this.getForZ()));
|
|
};
|
|
Exps.prototype.Front = function (ret)
|
|
{
|
|
ret.set_any(this.at(0, 0, 0));
|
|
};
|
|
Exps.prototype.Back = function (ret)
|
|
{
|
|
ret.set_any(this.at(this.cx - 1, 0, 0));
|
|
};
|
|
Exps.prototype.IndexOf = function (ret, v)
|
|
{
|
|
for (var i = 0; i < this.cx; i++)
|
|
{
|
|
if (this.arr[i][0][0] === v)
|
|
{
|
|
ret.set_int(i);
|
|
return;
|
|
}
|
|
}
|
|
ret.set_int(-1);
|
|
};
|
|
Exps.prototype.LastIndexOf = function (ret, v)
|
|
{
|
|
for (var i = this.cx - 1; i >= 0; i--)
|
|
{
|
|
if (this.arr[i][0][0] === v)
|
|
{
|
|
ret.set_int(i);
|
|
return;
|
|
}
|
|
}
|
|
ret.set_int(-1);
|
|
};
|
|
Exps.prototype.AsJSON = function (ret)
|
|
{
|
|
ret.set_string(this.getAsJSON());
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Audio = function (runtime) {
|
|
this.runtime = runtime;
|
|
};
|
|
(function () {
|
|
var pluginProto = cr.plugins_.Audio.prototype;
|
|
pluginProto.Type = function (plugin) {
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function () {};
|
|
var audRuntime = null;
|
|
var audInst = null;
|
|
var audTag = "";
|
|
var appPath = ""; // for Cordova only
|
|
var API_HTML5 = 0;
|
|
var API_WEBAUDIO = 1;
|
|
var API_CORDOVA = 2;
|
|
var API_APPMOBI = 3;
|
|
var api = API_HTML5;
|
|
var context = null;
|
|
var audioBuffers = []; // cache of buffers
|
|
var audioInstances = []; // cache of instances
|
|
var lastAudio = null;
|
|
var useOgg = false; // determined at create time
|
|
var timescale_mode = 0;
|
|
var silent = false;
|
|
var masterVolume = 1;
|
|
var listenerX = 0;
|
|
var listenerY = 0;
|
|
var isContextSuspended = false;
|
|
var panningModel = 1; // HRTF
|
|
var distanceModel = 1; // Inverse
|
|
var refDistance = 10;
|
|
var maxDistance = 10000;
|
|
var rolloffFactor = 1;
|
|
var micSource = null;
|
|
var micTag = "";
|
|
var useNextTouchWorkaround = false; // heuristic in case play() does not return a promise and we have to guess if the play was blocked
|
|
var playOnNextInput = []; // C2AudioInstances with HTMLAudioElements to play on next input event
|
|
var playMusicAsSoundWorkaround = false; // play music tracks with Web Audio API
|
|
var hasPlayedDummyBuffer = false; // dummy buffer played to unblock AudioContext on some platforms
|
|
function addAudioToPlayOnNextInput(a) {
|
|
var i = playOnNextInput.indexOf(a);
|
|
if (i === -1) playOnNextInput.push(a);
|
|
}
|
|
function tryPlayAudioElement(a) {
|
|
var audioElem = a.instanceObject;
|
|
var playRet;
|
|
try {
|
|
playRet = audioElem.play();
|
|
} catch (err) {
|
|
addAudioToPlayOnNextInput(a);
|
|
return;
|
|
}
|
|
if (playRet) {
|
|
playRet.catch(function (err) {
|
|
addAudioToPlayOnNextInput(a);
|
|
});
|
|
}
|
|
else if (useNextTouchWorkaround && !audRuntime.isInUserInputEvent) {
|
|
addAudioToPlayOnNextInput(a);
|
|
}
|
|
}
|
|
function playQueuedAudio() {
|
|
var i, len, m, playRet;
|
|
if (!hasPlayedDummyBuffer && !isContextSuspended && context) {
|
|
playDummyBuffer();
|
|
if (context["state"] === "running") hasPlayedDummyBuffer = true;
|
|
}
|
|
var tryPlay = playOnNextInput.slice(0);
|
|
cr.clearArray(playOnNextInput);
|
|
if (!silent) {
|
|
for (i = 0, len = tryPlay.length; i < len; ++i) {
|
|
m = tryPlay[i];
|
|
if (!m.stopped && !m.is_paused) {
|
|
playRet = m.instanceObject.play();
|
|
if (playRet) {
|
|
playRet.catch(function (err) {
|
|
addAudioToPlayOnNextInput(m);
|
|
});
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
function playDummyBuffer() {
|
|
if (context["state"] === "suspended" && context["resume"])
|
|
context["resume"]();
|
|
if (!context["createBuffer"]) return;
|
|
var buffer = context["createBuffer"](1, 220, 22050);
|
|
var source = context["createBufferSource"]();
|
|
source["buffer"] = buffer;
|
|
source["connect"](context["destination"]);
|
|
startSource(source);
|
|
}
|
|
document.addEventListener("pointerup", playQueuedAudio, true);
|
|
document.addEventListener("touchend", playQueuedAudio, true);
|
|
document.addEventListener("click", playQueuedAudio, true);
|
|
document.addEventListener("keydown", playQueuedAudio, true);
|
|
document.addEventListener("gamepadconnected", playQueuedAudio, true);
|
|
function dbToLinear(x) {
|
|
var v = dbToLinear_nocap(x);
|
|
if (!isFinite(v))
|
|
v = 0;
|
|
if (v < 0) v = 0;
|
|
if (v > 1) v = 1;
|
|
return v;
|
|
}
|
|
function linearToDb(x) {
|
|
if (x < 0) x = 0;
|
|
if (x > 1) x = 1;
|
|
return linearToDb_nocap(x);
|
|
}
|
|
function dbToLinear_nocap(x) {
|
|
return Math.pow(10, x / 20);
|
|
}
|
|
function linearToDb_nocap(x) {
|
|
return (Math.log(x) / Math.log(10)) * 20;
|
|
}
|
|
var effects = {};
|
|
function getDestinationForTag(tag) {
|
|
tag = tag.toLowerCase();
|
|
if (effects.hasOwnProperty(tag)) {
|
|
if (effects[tag].length) return effects[tag][0].getInputNode();
|
|
}
|
|
return context["destination"];
|
|
}
|
|
function createGain() {
|
|
if (context["createGain"]) return context["createGain"]();
|
|
else return context["createGainNode"]();
|
|
}
|
|
function createDelay(d) {
|
|
if (context["createDelay"]) return context["createDelay"](d);
|
|
else return context["createDelayNode"](d);
|
|
}
|
|
function startSource(s, scheduledTime) {
|
|
if (s["start"]) s["start"](scheduledTime || 0);
|
|
else s["noteOn"](scheduledTime || 0);
|
|
}
|
|
function startSourceAt(s, x, d, scheduledTime) {
|
|
if (s["start"]) s["start"](scheduledTime || 0, x);
|
|
else s["noteGrainOn"](scheduledTime || 0, x, d - x);
|
|
}
|
|
function stopSource(s) {
|
|
try {
|
|
if (s["stop"]) s["stop"](0);
|
|
else s["noteOff"](0);
|
|
} catch (e) {}
|
|
}
|
|
function setAudioParam(ap, value, ramp, time) {
|
|
if (!ap) return; // iOS is missing some parameters
|
|
ap["cancelScheduledValues"](0);
|
|
if (time === 0) {
|
|
ap["value"] = value;
|
|
return;
|
|
}
|
|
var curTime = context["currentTime"];
|
|
time += curTime;
|
|
switch (ramp) {
|
|
case 0: // step
|
|
ap["setValueAtTime"](value, time);
|
|
break;
|
|
case 1: // linear
|
|
ap["setValueAtTime"](ap["value"], curTime); // to set what to ramp from
|
|
ap["linearRampToValueAtTime"](value, time);
|
|
break;
|
|
case 2: // exponential
|
|
ap["setValueAtTime"](ap["value"], curTime); // to set what to ramp from
|
|
ap["exponentialRampToValueAtTime"](value, time);
|
|
break;
|
|
}
|
|
}
|
|
var filterTypes = [
|
|
"lowpass",
|
|
"highpass",
|
|
"bandpass",
|
|
"lowshelf",
|
|
"highshelf",
|
|
"peaking",
|
|
"notch",
|
|
"allpass",
|
|
];
|
|
function FilterEffect(type, freq, detune, q, gain, mix) {
|
|
this.type = "filter";
|
|
this.params = [type, freq, detune, q, gain, mix];
|
|
this.inputNode = createGain();
|
|
this.wetNode = createGain();
|
|
this.wetNode["gain"]["value"] = mix;
|
|
this.dryNode = createGain();
|
|
this.dryNode["gain"]["value"] = 1 - mix;
|
|
this.filterNode = context["createBiquadFilter"]();
|
|
if (typeof this.filterNode["type"] === "number")
|
|
this.filterNode["type"] = type;
|
|
else this.filterNode["type"] = filterTypes[type];
|
|
this.filterNode["frequency"]["value"] = freq;
|
|
if (this.filterNode["detune"])
|
|
this.filterNode["detune"]["value"] = detune;
|
|
this.filterNode["Q"]["value"] = q;
|
|
this.filterNode["gain"]["value"] = gain;
|
|
this.inputNode["connect"](this.filterNode);
|
|
this.inputNode["connect"](this.dryNode);
|
|
this.filterNode["connect"](this.wetNode);
|
|
}
|
|
FilterEffect.prototype.connectTo = function (node) {
|
|
this.wetNode["disconnect"]();
|
|
this.wetNode["connect"](node);
|
|
this.dryNode["disconnect"]();
|
|
this.dryNode["connect"](node);
|
|
};
|
|
FilterEffect.prototype.remove = function () {
|
|
this.inputNode["disconnect"]();
|
|
this.filterNode["disconnect"]();
|
|
this.wetNode["disconnect"]();
|
|
this.dryNode["disconnect"]();
|
|
};
|
|
FilterEffect.prototype.getInputNode = function () {
|
|
return this.inputNode;
|
|
};
|
|
FilterEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
switch (param) {
|
|
case 0: // mix
|
|
value = value / 100;
|
|
if (value < 0) value = 0;
|
|
if (value > 1) value = 1;
|
|
this.params[5] = value;
|
|
setAudioParam(this.wetNode["gain"], value, ramp, time);
|
|
setAudioParam(this.dryNode["gain"], 1 - value, ramp, time);
|
|
break;
|
|
case 1: // filter frequency
|
|
this.params[1] = value;
|
|
setAudioParam(this.filterNode["frequency"], value, ramp, time);
|
|
break;
|
|
case 2: // filter detune
|
|
this.params[2] = value;
|
|
setAudioParam(this.filterNode["detune"], value, ramp, time);
|
|
break;
|
|
case 3: // filter Q
|
|
this.params[3] = value;
|
|
setAudioParam(this.filterNode["Q"], value, ramp, time);
|
|
break;
|
|
case 4: // filter/delay gain (note value is in dB here)
|
|
this.params[4] = value;
|
|
setAudioParam(this.filterNode["gain"], value, ramp, time);
|
|
break;
|
|
}
|
|
};
|
|
function DelayEffect(delayTime, delayGain, mix) {
|
|
this.type = "delay";
|
|
this.params = [delayTime, delayGain, mix];
|
|
this.inputNode = createGain();
|
|
this.wetNode = createGain();
|
|
this.wetNode["gain"]["value"] = mix;
|
|
this.dryNode = createGain();
|
|
this.dryNode["gain"]["value"] = 1 - mix;
|
|
this.mainNode = createGain();
|
|
this.delayNode = createDelay(delayTime);
|
|
this.delayNode["delayTime"]["value"] = delayTime;
|
|
this.delayGainNode = createGain();
|
|
this.delayGainNode["gain"]["value"] = delayGain;
|
|
this.inputNode["connect"](this.mainNode);
|
|
this.inputNode["connect"](this.dryNode);
|
|
this.mainNode["connect"](this.wetNode);
|
|
this.mainNode["connect"](this.delayNode);
|
|
this.delayNode["connect"](this.delayGainNode);
|
|
this.delayGainNode["connect"](this.mainNode);
|
|
}
|
|
DelayEffect.prototype.connectTo = function (node) {
|
|
this.wetNode["disconnect"]();
|
|
this.wetNode["connect"](node);
|
|
this.dryNode["disconnect"]();
|
|
this.dryNode["connect"](node);
|
|
};
|
|
DelayEffect.prototype.remove = function () {
|
|
this.inputNode["disconnect"]();
|
|
this.mainNode["disconnect"]();
|
|
this.delayNode["disconnect"]();
|
|
this.delayGainNode["disconnect"]();
|
|
this.wetNode["disconnect"]();
|
|
this.dryNode["disconnect"]();
|
|
};
|
|
DelayEffect.prototype.getInputNode = function () {
|
|
return this.inputNode;
|
|
};
|
|
DelayEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
switch (param) {
|
|
case 0: // mix
|
|
value = value / 100;
|
|
if (value < 0) value = 0;
|
|
if (value > 1) value = 1;
|
|
this.params[2] = value;
|
|
setAudioParam(this.wetNode["gain"], value, ramp, time);
|
|
setAudioParam(this.dryNode["gain"], 1 - value, ramp, time);
|
|
break;
|
|
case 4: // filter/delay gain (note value is passed in dB but needs to be linear here)
|
|
this.params[1] = dbToLinear(value);
|
|
setAudioParam(
|
|
this.delayGainNode["gain"],
|
|
dbToLinear(value),
|
|
ramp,
|
|
time
|
|
);
|
|
break;
|
|
case 5: // delay time
|
|
this.params[0] = value;
|
|
setAudioParam(this.delayNode["delayTime"], value, ramp, time);
|
|
break;
|
|
}
|
|
};
|
|
function ConvolveEffect(buffer, normalize, mix, src) {
|
|
this.type = "convolve";
|
|
this.params = [normalize, mix, src];
|
|
this.inputNode = createGain();
|
|
this.wetNode = createGain();
|
|
this.wetNode["gain"]["value"] = mix;
|
|
this.dryNode = createGain();
|
|
this.dryNode["gain"]["value"] = 1 - mix;
|
|
this.convolveNode = context["createConvolver"]();
|
|
if (buffer) {
|
|
this.convolveNode["normalize"] = normalize;
|
|
this.convolveNode["buffer"] = buffer;
|
|
}
|
|
this.inputNode["connect"](this.convolveNode);
|
|
this.inputNode["connect"](this.dryNode);
|
|
this.convolveNode["connect"](this.wetNode);
|
|
}
|
|
ConvolveEffect.prototype.connectTo = function (node) {
|
|
this.wetNode["disconnect"]();
|
|
this.wetNode["connect"](node);
|
|
this.dryNode["disconnect"]();
|
|
this.dryNode["connect"](node);
|
|
};
|
|
ConvolveEffect.prototype.remove = function () {
|
|
this.inputNode["disconnect"]();
|
|
this.convolveNode["disconnect"]();
|
|
this.wetNode["disconnect"]();
|
|
this.dryNode["disconnect"]();
|
|
};
|
|
ConvolveEffect.prototype.getInputNode = function () {
|
|
return this.inputNode;
|
|
};
|
|
ConvolveEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
switch (param) {
|
|
case 0: // mix
|
|
value = value / 100;
|
|
if (value < 0) value = 0;
|
|
if (value > 1) value = 1;
|
|
this.params[1] = value;
|
|
setAudioParam(this.wetNode["gain"], value, ramp, time);
|
|
setAudioParam(this.dryNode["gain"], 1 - value, ramp, time);
|
|
break;
|
|
}
|
|
};
|
|
function FlangerEffect(delay, modulation, freq, feedback, mix) {
|
|
this.type = "flanger";
|
|
this.params = [delay, modulation, freq, feedback, mix];
|
|
this.inputNode = createGain();
|
|
this.dryNode = createGain();
|
|
this.dryNode["gain"]["value"] = 1 - mix / 2;
|
|
this.wetNode = createGain();
|
|
this.wetNode["gain"]["value"] = mix / 2;
|
|
this.feedbackNode = createGain();
|
|
this.feedbackNode["gain"]["value"] = feedback;
|
|
this.delayNode = createDelay(delay + modulation);
|
|
this.delayNode["delayTime"]["value"] = delay;
|
|
this.oscNode = context["createOscillator"]();
|
|
this.oscNode["frequency"]["value"] = freq;
|
|
this.oscGainNode = createGain();
|
|
this.oscGainNode["gain"]["value"] = modulation;
|
|
this.inputNode["connect"](this.delayNode);
|
|
this.inputNode["connect"](this.dryNode);
|
|
this.delayNode["connect"](this.wetNode);
|
|
this.delayNode["connect"](this.feedbackNode);
|
|
this.feedbackNode["connect"](this.delayNode);
|
|
this.oscNode["connect"](this.oscGainNode);
|
|
this.oscGainNode["connect"](this.delayNode["delayTime"]);
|
|
startSource(this.oscNode);
|
|
}
|
|
FlangerEffect.prototype.connectTo = function (node) {
|
|
this.dryNode["disconnect"]();
|
|
this.dryNode["connect"](node);
|
|
this.wetNode["disconnect"]();
|
|
this.wetNode["connect"](node);
|
|
};
|
|
FlangerEffect.prototype.remove = function () {
|
|
this.inputNode["disconnect"]();
|
|
this.delayNode["disconnect"]();
|
|
this.oscNode["disconnect"]();
|
|
this.oscGainNode["disconnect"]();
|
|
this.dryNode["disconnect"]();
|
|
this.wetNode["disconnect"]();
|
|
this.feedbackNode["disconnect"]();
|
|
};
|
|
FlangerEffect.prototype.getInputNode = function () {
|
|
return this.inputNode;
|
|
};
|
|
FlangerEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
switch (param) {
|
|
case 0: // mix
|
|
value = value / 100;
|
|
if (value < 0) value = 0;
|
|
if (value > 1) value = 1;
|
|
this.params[4] = value;
|
|
setAudioParam(this.wetNode["gain"], value / 2, ramp, time);
|
|
setAudioParam(this.dryNode["gain"], 1 - value / 2, ramp, time);
|
|
break;
|
|
case 6: // modulation
|
|
this.params[1] = value / 1000;
|
|
setAudioParam(this.oscGainNode["gain"], value / 1000, ramp, time);
|
|
break;
|
|
case 7: // modulation frequency
|
|
this.params[2] = value;
|
|
setAudioParam(this.oscNode["frequency"], value, ramp, time);
|
|
break;
|
|
case 8: // feedback
|
|
this.params[3] = value / 100;
|
|
setAudioParam(this.feedbackNode["gain"], value / 100, ramp, time);
|
|
break;
|
|
}
|
|
};
|
|
function PhaserEffect(freq, detune, q, modulation, modfreq, mix) {
|
|
this.type = "phaser";
|
|
this.params = [freq, detune, q, modulation, modfreq, mix];
|
|
this.inputNode = createGain();
|
|
this.dryNode = createGain();
|
|
this.dryNode["gain"]["value"] = 1 - mix / 2;
|
|
this.wetNode = createGain();
|
|
this.wetNode["gain"]["value"] = mix / 2;
|
|
this.filterNode = context["createBiquadFilter"]();
|
|
if (typeof this.filterNode["type"] === "number")
|
|
this.filterNode["type"] = 7;
|
|
else this.filterNode["type"] = "allpass";
|
|
this.filterNode["frequency"]["value"] = freq;
|
|
if (this.filterNode["detune"])
|
|
this.filterNode["detune"]["value"] = detune;
|
|
this.filterNode["Q"]["value"] = q;
|
|
this.oscNode = context["createOscillator"]();
|
|
this.oscNode["frequency"]["value"] = modfreq;
|
|
this.oscGainNode = createGain();
|
|
this.oscGainNode["gain"]["value"] = modulation;
|
|
this.inputNode["connect"](this.filterNode);
|
|
this.inputNode["connect"](this.dryNode);
|
|
this.filterNode["connect"](this.wetNode);
|
|
this.oscNode["connect"](this.oscGainNode);
|
|
this.oscGainNode["connect"](this.filterNode["frequency"]);
|
|
startSource(this.oscNode);
|
|
}
|
|
PhaserEffect.prototype.connectTo = function (node) {
|
|
this.dryNode["disconnect"]();
|
|
this.dryNode["connect"](node);
|
|
this.wetNode["disconnect"]();
|
|
this.wetNode["connect"](node);
|
|
};
|
|
PhaserEffect.prototype.remove = function () {
|
|
this.inputNode["disconnect"]();
|
|
this.filterNode["disconnect"]();
|
|
this.oscNode["disconnect"]();
|
|
this.oscGainNode["disconnect"]();
|
|
this.dryNode["disconnect"]();
|
|
this.wetNode["disconnect"]();
|
|
};
|
|
PhaserEffect.prototype.getInputNode = function () {
|
|
return this.inputNode;
|
|
};
|
|
PhaserEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
switch (param) {
|
|
case 0: // mix
|
|
value = value / 100;
|
|
if (value < 0) value = 0;
|
|
if (value > 1) value = 1;
|
|
this.params[5] = value;
|
|
setAudioParam(this.wetNode["gain"], value / 2, ramp, time);
|
|
setAudioParam(this.dryNode["gain"], 1 - value / 2, ramp, time);
|
|
break;
|
|
case 1: // filter frequency
|
|
this.params[0] = value;
|
|
setAudioParam(this.filterNode["frequency"], value, ramp, time);
|
|
break;
|
|
case 2: // filter detune
|
|
this.params[1] = value;
|
|
setAudioParam(this.filterNode["detune"], value, ramp, time);
|
|
break;
|
|
case 3: // filter Q
|
|
this.params[2] = value;
|
|
setAudioParam(this.filterNode["Q"], value, ramp, time);
|
|
break;
|
|
case 6: // modulation
|
|
this.params[3] = value;
|
|
setAudioParam(this.oscGainNode["gain"], value, ramp, time);
|
|
break;
|
|
case 7: // modulation frequency
|
|
this.params[4] = value;
|
|
setAudioParam(this.oscNode["frequency"], value, ramp, time);
|
|
break;
|
|
}
|
|
};
|
|
function GainEffect(g) {
|
|
this.type = "gain";
|
|
this.params = [g];
|
|
this.node = createGain();
|
|
this.node["gain"]["value"] = g;
|
|
}
|
|
GainEffect.prototype.connectTo = function (node_) {
|
|
this.node["disconnect"]();
|
|
this.node["connect"](node_);
|
|
};
|
|
GainEffect.prototype.remove = function () {
|
|
this.node["disconnect"]();
|
|
};
|
|
GainEffect.prototype.getInputNode = function () {
|
|
return this.node;
|
|
};
|
|
GainEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
switch (param) {
|
|
case 4: // gain
|
|
this.params[0] = dbToLinear(value);
|
|
setAudioParam(this.node["gain"], dbToLinear(value), ramp, time);
|
|
break;
|
|
}
|
|
};
|
|
function TremoloEffect(freq, mix) {
|
|
this.type = "tremolo";
|
|
this.params = [freq, mix];
|
|
this.node = createGain();
|
|
this.node["gain"]["value"] = 1 - mix / 2;
|
|
this.oscNode = context["createOscillator"]();
|
|
this.oscNode["frequency"]["value"] = freq;
|
|
this.oscGainNode = createGain();
|
|
this.oscGainNode["gain"]["value"] = mix / 2;
|
|
this.oscNode["connect"](this.oscGainNode);
|
|
this.oscGainNode["connect"](this.node["gain"]);
|
|
startSource(this.oscNode);
|
|
}
|
|
TremoloEffect.prototype.connectTo = function (node_) {
|
|
this.node["disconnect"]();
|
|
this.node["connect"](node_);
|
|
};
|
|
TremoloEffect.prototype.remove = function () {
|
|
this.oscNode["disconnect"]();
|
|
this.oscGainNode["disconnect"]();
|
|
this.node["disconnect"]();
|
|
};
|
|
TremoloEffect.prototype.getInputNode = function () {
|
|
return this.node;
|
|
};
|
|
TremoloEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
switch (param) {
|
|
case 0: // mix
|
|
value = value / 100;
|
|
if (value < 0) value = 0;
|
|
if (value > 1) value = 1;
|
|
this.params[1] = value;
|
|
setAudioParam(this.node["gain"]["value"], 1 - value / 2, ramp, time);
|
|
setAudioParam(this.oscGainNode["gain"]["value"], value / 2, ramp, time);
|
|
break;
|
|
case 7: // modulation frequency
|
|
this.params[0] = value;
|
|
setAudioParam(this.oscNode["frequency"], value, ramp, time);
|
|
break;
|
|
}
|
|
};
|
|
function RingModulatorEffect(freq, mix) {
|
|
this.type = "ringmod";
|
|
this.params = [freq, mix];
|
|
this.inputNode = createGain();
|
|
this.wetNode = createGain();
|
|
this.wetNode["gain"]["value"] = mix;
|
|
this.dryNode = createGain();
|
|
this.dryNode["gain"]["value"] = 1 - mix;
|
|
this.ringNode = createGain();
|
|
this.ringNode["gain"]["value"] = 0;
|
|
this.oscNode = context["createOscillator"]();
|
|
this.oscNode["frequency"]["value"] = freq;
|
|
this.oscNode["connect"](this.ringNode["gain"]);
|
|
startSource(this.oscNode);
|
|
this.inputNode["connect"](this.ringNode);
|
|
this.inputNode["connect"](this.dryNode);
|
|
this.ringNode["connect"](this.wetNode);
|
|
}
|
|
RingModulatorEffect.prototype.connectTo = function (node_) {
|
|
this.wetNode["disconnect"]();
|
|
this.wetNode["connect"](node_);
|
|
this.dryNode["disconnect"]();
|
|
this.dryNode["connect"](node_);
|
|
};
|
|
RingModulatorEffect.prototype.remove = function () {
|
|
this.oscNode["disconnect"]();
|
|
this.ringNode["disconnect"]();
|
|
this.inputNode["disconnect"]();
|
|
this.wetNode["disconnect"]();
|
|
this.dryNode["disconnect"]();
|
|
};
|
|
RingModulatorEffect.prototype.getInputNode = function () {
|
|
return this.inputNode;
|
|
};
|
|
RingModulatorEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
switch (param) {
|
|
case 0: // mix
|
|
value = value / 100;
|
|
if (value < 0) value = 0;
|
|
if (value > 1) value = 1;
|
|
this.params[1] = value;
|
|
setAudioParam(this.wetNode["gain"], value, ramp, time);
|
|
setAudioParam(this.dryNode["gain"], 1 - value, ramp, time);
|
|
break;
|
|
case 7: // modulation frequency
|
|
this.params[0] = value;
|
|
setAudioParam(this.oscNode["frequency"], value, ramp, time);
|
|
break;
|
|
}
|
|
};
|
|
function DistortionEffect(threshold, headroom, drive, makeupgain, mix) {
|
|
this.type = "distortion";
|
|
this.params = [threshold, headroom, drive, makeupgain, mix];
|
|
this.inputNode = createGain();
|
|
this.preGain = createGain();
|
|
this.postGain = createGain();
|
|
this.setDrive(drive, dbToLinear_nocap(makeupgain));
|
|
this.wetNode = createGain();
|
|
this.wetNode["gain"]["value"] = mix;
|
|
this.dryNode = createGain();
|
|
this.dryNode["gain"]["value"] = 1 - mix;
|
|
this.waveShaper = context["createWaveShaper"]();
|
|
this.curve = new Float32Array(65536);
|
|
this.generateColortouchCurve(threshold, headroom);
|
|
this.waveShaper.curve = this.curve;
|
|
this.inputNode["connect"](this.preGain);
|
|
this.inputNode["connect"](this.dryNode);
|
|
this.preGain["connect"](this.waveShaper);
|
|
this.waveShaper["connect"](this.postGain);
|
|
this.postGain["connect"](this.wetNode);
|
|
}
|
|
DistortionEffect.prototype.setDrive = function (drive, makeupgain) {
|
|
if (drive < 0.01) drive = 0.01;
|
|
this.preGain["gain"]["value"] = drive;
|
|
this.postGain["gain"]["value"] = Math.pow(1 / drive, 0.6) * makeupgain;
|
|
};
|
|
function e4(x, k) {
|
|
return 1.0 - Math.exp(-k * x);
|
|
}
|
|
DistortionEffect.prototype.shape = function (
|
|
x,
|
|
linearThreshold,
|
|
linearHeadroom
|
|
) {
|
|
var maximum = 1.05 * linearHeadroom * linearThreshold;
|
|
var kk = maximum - linearThreshold;
|
|
var sign = x < 0 ? -1 : +1;
|
|
var absx = x < 0 ? -x : x;
|
|
var shapedInput =
|
|
absx < linearThreshold
|
|
? absx
|
|
: linearThreshold + kk * e4(absx - linearThreshold, 1.0 / kk);
|
|
shapedInput *= sign;
|
|
return shapedInput;
|
|
};
|
|
DistortionEffect.prototype.generateColortouchCurve = function (
|
|
threshold,
|
|
headroom
|
|
) {
|
|
var linearThreshold = dbToLinear_nocap(threshold);
|
|
var linearHeadroom = dbToLinear_nocap(headroom);
|
|
var n = 65536;
|
|
var n2 = n / 2;
|
|
var x = 0;
|
|
for (var i = 0; i < n2; ++i) {
|
|
x = i / n2;
|
|
x = this.shape(x, linearThreshold, linearHeadroom);
|
|
this.curve[n2 + i] = x;
|
|
this.curve[n2 - i - 1] = -x;
|
|
}
|
|
};
|
|
DistortionEffect.prototype.connectTo = function (node) {
|
|
this.wetNode["disconnect"]();
|
|
this.wetNode["connect"](node);
|
|
this.dryNode["disconnect"]();
|
|
this.dryNode["connect"](node);
|
|
};
|
|
DistortionEffect.prototype.remove = function () {
|
|
this.inputNode["disconnect"]();
|
|
this.preGain["disconnect"]();
|
|
this.waveShaper["disconnect"]();
|
|
this.postGain["disconnect"]();
|
|
this.wetNode["disconnect"]();
|
|
this.dryNode["disconnect"]();
|
|
};
|
|
DistortionEffect.prototype.getInputNode = function () {
|
|
return this.inputNode;
|
|
};
|
|
DistortionEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
switch (param) {
|
|
case 0: // mix
|
|
value = value / 100;
|
|
if (value < 0) value = 0;
|
|
if (value > 1) value = 1;
|
|
this.params[4] = value;
|
|
setAudioParam(this.wetNode["gain"], value, ramp, time);
|
|
setAudioParam(this.dryNode["gain"], 1 - value, ramp, time);
|
|
break;
|
|
}
|
|
};
|
|
function CompressorEffect(threshold, knee, ratio, attack, release) {
|
|
this.type = "compressor";
|
|
this.params = [threshold, knee, ratio, attack, release];
|
|
this.node = context["createDynamicsCompressor"]();
|
|
try {
|
|
this.node["threshold"]["value"] = threshold;
|
|
this.node["knee"]["value"] = knee;
|
|
this.node["ratio"]["value"] = ratio;
|
|
this.node["attack"]["value"] = attack;
|
|
this.node["release"]["value"] = release;
|
|
} catch (e) {}
|
|
}
|
|
CompressorEffect.prototype.connectTo = function (node_) {
|
|
this.node["disconnect"]();
|
|
this.node["connect"](node_);
|
|
};
|
|
CompressorEffect.prototype.remove = function () {
|
|
this.node["disconnect"]();
|
|
};
|
|
CompressorEffect.prototype.getInputNode = function () {
|
|
return this.node;
|
|
};
|
|
CompressorEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
};
|
|
function AnalyserEffect(fftSize, smoothing) {
|
|
this.type = "analyser";
|
|
this.params = [fftSize, smoothing];
|
|
this.node = context["createAnalyser"]();
|
|
this.node["fftSize"] = fftSize;
|
|
this.node["smoothingTimeConstant"] = smoothing;
|
|
this.freqBins = new Float32Array(this.node["frequencyBinCount"]);
|
|
this.signal = new Uint8Array(fftSize);
|
|
this.peak = 0;
|
|
this.rms = 0;
|
|
}
|
|
AnalyserEffect.prototype.tick = function () {
|
|
this.node["getFloatFrequencyData"](this.freqBins);
|
|
this.node["getByteTimeDomainData"](this.signal);
|
|
var fftSize = this.node["fftSize"];
|
|
var i = 0;
|
|
this.peak = 0;
|
|
var rmsSquaredSum = 0;
|
|
var s = 0;
|
|
for (; i < fftSize; i++) {
|
|
s = (this.signal[i] - 128) / 128;
|
|
if (s < 0) s = -s;
|
|
if (this.peak < s) this.peak = s;
|
|
rmsSquaredSum += s * s;
|
|
}
|
|
this.peak = linearToDb(this.peak);
|
|
this.rms = linearToDb(Math.sqrt(rmsSquaredSum / fftSize));
|
|
};
|
|
AnalyserEffect.prototype.connectTo = function (node_) {
|
|
this.node["disconnect"]();
|
|
this.node["connect"](node_);
|
|
};
|
|
AnalyserEffect.prototype.remove = function () {
|
|
this.node["disconnect"]();
|
|
};
|
|
AnalyserEffect.prototype.getInputNode = function () {
|
|
return this.node;
|
|
};
|
|
AnalyserEffect.prototype.setParam = function (param, value, ramp, time) {
|
|
};
|
|
function ObjectTracker() {
|
|
this.obj = null;
|
|
this.loadUid = 0;
|
|
}
|
|
ObjectTracker.prototype.setObject = function (obj_) {
|
|
this.obj = obj_;
|
|
};
|
|
ObjectTracker.prototype.hasObject = function () {
|
|
return !!this.obj;
|
|
};
|
|
ObjectTracker.prototype.tick = function (dt) {};
|
|
function C2AudioBuffer(src_, is_music) {
|
|
this.src = src_;
|
|
this.myapi = api;
|
|
this.is_music = is_music;
|
|
this.added_end_listener = false;
|
|
var self = this;
|
|
this.outNode = null;
|
|
this.mediaSourceNode = null;
|
|
this.panWhenReady = []; // for web audio API positioned sounds
|
|
this.seekWhenReady = 0;
|
|
this.pauseWhenReady = false;
|
|
this.supportWebAudioAPI = false;
|
|
this.failedToLoad = false;
|
|
this.wasEverReady = false; // if a buffer is ever marked as ready, it's permanently considered ready after then.
|
|
if (api === API_WEBAUDIO && is_music && !playMusicAsSoundWorkaround) {
|
|
this.myapi = API_HTML5;
|
|
this.outNode = createGain();
|
|
}
|
|
this.bufferObject = null; // actual audio object
|
|
this.audioData = null; // web audio api: ajax request result (compressed audio that needs decoding)
|
|
var request;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
this.bufferObject = new Audio();
|
|
this.bufferObject.crossOrigin = "anonymous";
|
|
this.bufferObject.addEventListener("canplaythrough", function () {
|
|
self.wasEverReady = true; // update loaded state so preload is considered complete
|
|
});
|
|
if (
|
|
api === API_WEBAUDIO &&
|
|
context["createMediaElementSource"] &&
|
|
!/wiiu/i.test(navigator.userAgent)
|
|
) {
|
|
this.supportWebAudioAPI = true; // can be routed through web audio api
|
|
this.bufferObject.addEventListener("canplay", function () {
|
|
if (!self.mediaSourceNode && self.bufferObject) {
|
|
self.mediaSourceNode = context["createMediaElementSource"](
|
|
self.bufferObject
|
|
);
|
|
self.mediaSourceNode["connect"](self.outNode);
|
|
}
|
|
});
|
|
}
|
|
this.bufferObject.autoplay = false; // this is only a source buffer, not an instance
|
|
this.bufferObject.preload = "auto";
|
|
this.bufferObject.src = src_;
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (audRuntime.isWKWebView) {
|
|
audRuntime.fetchLocalFileViaCordovaAsArrayBuffer(
|
|
src_,
|
|
function (arrayBuffer) {
|
|
self.audioData = arrayBuffer;
|
|
self.decodeAudioBuffer();
|
|
},
|
|
function (err) {
|
|
self.failedToLoad = true;
|
|
}
|
|
);
|
|
} else {
|
|
request = new XMLHttpRequest();
|
|
request.open("GET", src_, true);
|
|
request.responseType = "arraybuffer";
|
|
request.onload = function () {
|
|
self.audioData = request.response;
|
|
self.decodeAudioBuffer();
|
|
};
|
|
request.onerror = function () {
|
|
self.failedToLoad = true;
|
|
};
|
|
request.send();
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
this.bufferObject = true;
|
|
break;
|
|
case API_APPMOBI:
|
|
this.bufferObject = true;
|
|
break;
|
|
}
|
|
}
|
|
C2AudioBuffer.prototype.release = function () {
|
|
var i, len, j, a;
|
|
for (i = 0, j = 0, len = audioInstances.length; i < len; ++i) {
|
|
a = audioInstances[i];
|
|
audioInstances[j] = a;
|
|
if (a.buffer === this) a.stop();
|
|
else ++j; // keep
|
|
}
|
|
audioInstances.length = j;
|
|
if (this.mediaSourceNode) {
|
|
this.mediaSourceNode["disconnect"]();
|
|
this.mediaSourceNode = null;
|
|
}
|
|
if (this.outNode) {
|
|
this.outNode["disconnect"]();
|
|
this.outNode = null;
|
|
}
|
|
this.bufferObject = null;
|
|
this.audioData = null;
|
|
};
|
|
C2AudioBuffer.prototype.decodeAudioBuffer = function () {
|
|
if (this.bufferObject || !this.audioData) return; // audio already decoded or AJAX request not yet complete
|
|
var self = this;
|
|
if (context["decodeAudioData"]) {
|
|
context["decodeAudioData"](
|
|
this.audioData,
|
|
function (buffer) {
|
|
self.bufferObject = buffer;
|
|
self.audioData = null; // clear AJAX response to allow GC and save memory, only need the bufferObject now
|
|
var p, i, len, a;
|
|
if (!cr.is_undefined(self.playTagWhenReady) && !silent) {
|
|
if (self.panWhenReady.length) {
|
|
for (i = 0, len = self.panWhenReady.length; i < len; i++) {
|
|
p = self.panWhenReady[i];
|
|
a = new C2AudioInstance(self, p.thistag);
|
|
a.setPannerEnabled(true);
|
|
if (typeof p.objUid !== "undefined") {
|
|
p.obj = audRuntime.getObjectByUID(p.objUid);
|
|
if (!p.obj) continue;
|
|
}
|
|
if (p.obj) {
|
|
var px = cr.rotatePtAround(
|
|
p.obj.x,
|
|
p.obj.y,
|
|
-p.obj.layer.getAngle(),
|
|
listenerX,
|
|
listenerY,
|
|
true
|
|
);
|
|
var py = cr.rotatePtAround(
|
|
p.obj.x,
|
|
p.obj.y,
|
|
-p.obj.layer.getAngle(),
|
|
listenerX,
|
|
listenerY,
|
|
false
|
|
);
|
|
a.setPan(
|
|
px,
|
|
py,
|
|
cr.to_degrees(p.obj.angle - p.obj.layer.getAngle()),
|
|
p.ia,
|
|
p.oa,
|
|
p.og
|
|
);
|
|
a.setObject(p.obj);
|
|
} else {
|
|
a.setPan(p.x, p.y, p.a, p.ia, p.oa, p.og);
|
|
}
|
|
a.play(
|
|
self.loopWhenReady,
|
|
self.volumeWhenReady,
|
|
self.seekWhenReady
|
|
);
|
|
if (self.pauseWhenReady) a.pause();
|
|
audioInstances.push(a);
|
|
}
|
|
cr.clearArray(self.panWhenReady);
|
|
} else {
|
|
a = new C2AudioInstance(self, self.playTagWhenReady || ""); // sometimes playTagWhenReady is not set - TODO: why?
|
|
a.play(
|
|
self.loopWhenReady,
|
|
self.volumeWhenReady,
|
|
self.seekWhenReady
|
|
);
|
|
if (self.pauseWhenReady) a.pause();
|
|
audioInstances.push(a);
|
|
}
|
|
} else if (!cr.is_undefined(self.convolveWhenReady)) {
|
|
var convolveNode = self.convolveWhenReady.convolveNode;
|
|
convolveNode["normalize"] = self.normalizeWhenReady;
|
|
convolveNode["buffer"] = buffer;
|
|
}
|
|
},
|
|
function (e) {
|
|
self.failedToLoad = true;
|
|
}
|
|
);
|
|
} else {
|
|
this.bufferObject = context["createBuffer"](this.audioData, false);
|
|
this.audioData = null; // clear AJAX response to allow GC and save memory, only need the bufferObject now
|
|
if (!cr.is_undefined(this.playTagWhenReady) && !silent) {
|
|
var a = new C2AudioInstance(this, this.playTagWhenReady);
|
|
a.play(this.loopWhenReady, this.volumeWhenReady, this.seekWhenReady);
|
|
if (this.pauseWhenReady) a.pause();
|
|
audioInstances.push(a);
|
|
} else if (!cr.is_undefined(this.convolveWhenReady)) {
|
|
var convolveNode = this.convolveWhenReady.convolveNode;
|
|
convolveNode["normalize"] = this.normalizeWhenReady;
|
|
convolveNode["buffer"] = this.bufferObject;
|
|
}
|
|
}
|
|
};
|
|
C2AudioBuffer.prototype.isLoaded = function () {
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
var ret = this.bufferObject["readyState"] >= 4; // HAVE_ENOUGH_DATA
|
|
if (ret) this.wasEverReady = true;
|
|
return ret || this.wasEverReady;
|
|
case API_WEBAUDIO:
|
|
return !!this.audioData || !!this.bufferObject;
|
|
case API_CORDOVA:
|
|
return true;
|
|
case API_APPMOBI:
|
|
return true;
|
|
}
|
|
return false;
|
|
};
|
|
C2AudioBuffer.prototype.isLoadedAndDecoded = function () {
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
return this.isLoaded(); // no distinction between loaded and decoded in HTML5 audio, just rely on ready state
|
|
case API_WEBAUDIO:
|
|
return !!this.bufferObject;
|
|
case API_CORDOVA:
|
|
return true;
|
|
case API_APPMOBI:
|
|
return true;
|
|
}
|
|
return false;
|
|
};
|
|
C2AudioBuffer.prototype.hasFailedToLoad = function () {
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
return !!this.bufferObject["error"];
|
|
case API_WEBAUDIO:
|
|
return this.failedToLoad;
|
|
}
|
|
return false;
|
|
};
|
|
function C2AudioInstance(buffer_, tag_) {
|
|
var self = this;
|
|
this.tag = tag_;
|
|
this.fresh = true;
|
|
this.stopped = true;
|
|
this.src = buffer_.src;
|
|
this.buffer = buffer_;
|
|
this.myapi = api;
|
|
this.is_music = buffer_.is_music;
|
|
this.playbackRate = 1;
|
|
this.hasPlaybackEnded = true; // ended flag
|
|
this.resume_me = false; // make sure resumes when leaving suspend
|
|
this.is_paused = false;
|
|
this.resume_position = 0; // for web audio api to resume from correct playback position
|
|
this.looping = false;
|
|
this.is_muted = false;
|
|
this.is_silent = false;
|
|
this.volume = 1;
|
|
this.onended_handler = function (e) {
|
|
if (self.is_paused || self.resume_me) return;
|
|
var bufferThatEnded = this;
|
|
if (!bufferThatEnded) bufferThatEnded = e.target;
|
|
if (bufferThatEnded !== self.active_buffer) return;
|
|
self.hasPlaybackEnded = true;
|
|
self.stopped = true;
|
|
audTag = self.tag;
|
|
audRuntime.trigger(cr.plugins_.Audio.prototype.cnds.OnEnded, audInst);
|
|
};
|
|
this.active_buffer = null;
|
|
this.isTimescaled =
|
|
(timescale_mode === 1 && !this.is_music) || timescale_mode === 2;
|
|
this.mutevol = 1;
|
|
this.startTime = this.isTimescaled
|
|
? audRuntime.kahanTime.sum
|
|
: audRuntime.wallTime.sum;
|
|
this.gainNode = null;
|
|
this.pannerNode = null;
|
|
this.pannerEnabled = false;
|
|
this.objectTracker = null;
|
|
this.panX = 0;
|
|
this.panY = 0;
|
|
this.panAngle = 0;
|
|
this.panConeInner = 0;
|
|
this.panConeOuter = 0;
|
|
this.panConeOuterGain = 0;
|
|
this.instanceObject = null;
|
|
var add_end_listener = false;
|
|
if (
|
|
this.myapi === API_WEBAUDIO &&
|
|
this.buffer.myapi === API_HTML5 &&
|
|
!this.buffer.supportWebAudioAPI
|
|
)
|
|
this.myapi = API_HTML5;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (this.is_music) {
|
|
this.instanceObject = buffer_.bufferObject;
|
|
add_end_listener = !buffer_.added_end_listener;
|
|
buffer_.added_end_listener = true;
|
|
} else {
|
|
this.instanceObject = new Audio();
|
|
this.instanceObject.crossOrigin = "anonymous";
|
|
this.instanceObject.autoplay = false;
|
|
this.instanceObject.src = buffer_.bufferObject.src;
|
|
add_end_listener = true;
|
|
}
|
|
if (add_end_listener) {
|
|
this.instanceObject.addEventListener("ended", function () {
|
|
audTag = self.tag;
|
|
self.stopped = true;
|
|
audRuntime.trigger(
|
|
cr.plugins_.Audio.prototype.cnds.OnEnded,
|
|
audInst
|
|
);
|
|
});
|
|
}
|
|
break;
|
|
case API_WEBAUDIO:
|
|
this.gainNode = createGain();
|
|
this.gainNode["connect"](getDestinationForTag(tag_));
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
if (buffer_.bufferObject) {
|
|
this.instanceObject = context["createBufferSource"]();
|
|
this.instanceObject["buffer"] = buffer_.bufferObject;
|
|
this.instanceObject["connect"](this.gainNode);
|
|
}
|
|
}
|
|
else {
|
|
this.instanceObject = this.buffer.bufferObject; // reference the audio element
|
|
this.buffer.outNode["connect"](this.gainNode);
|
|
if (!this.buffer.added_end_listener) {
|
|
this.buffer.added_end_listener = true;
|
|
this.buffer.bufferObject.addEventListener("ended", function () {
|
|
audTag = self.tag;
|
|
self.stopped = true;
|
|
audRuntime.trigger(
|
|
cr.plugins_.Audio.prototype.cnds.OnEnded,
|
|
audInst
|
|
);
|
|
});
|
|
}
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
this.instanceObject = new window["Media"](
|
|
appPath + this.src,
|
|
null,
|
|
null,
|
|
function (status) {
|
|
if (status === window["Media"]["MEDIA_STOPPED"]) {
|
|
self.hasPlaybackEnded = true;
|
|
self.stopped = true;
|
|
audTag = self.tag;
|
|
audRuntime.trigger(
|
|
cr.plugins_.Audio.prototype.cnds.OnEnded,
|
|
audInst
|
|
);
|
|
}
|
|
}
|
|
);
|
|
break;
|
|
case API_APPMOBI:
|
|
this.instanceObject = true;
|
|
break;
|
|
}
|
|
}
|
|
C2AudioInstance.prototype.hasEnded = function () {
|
|
var time;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
return this.instanceObject.ended;
|
|
case API_WEBAUDIO:
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
if (!this.fresh && !this.stopped && this.instanceObject["loop"])
|
|
return false;
|
|
if (this.is_paused) return false;
|
|
return this.hasPlaybackEnded;
|
|
} else return this.instanceObject.ended;
|
|
case API_CORDOVA:
|
|
return this.hasPlaybackEnded;
|
|
case API_APPMOBI:
|
|
true; // recycling an AppMobi sound does not matter because it will just do another throwaway playSound
|
|
}
|
|
return true;
|
|
};
|
|
C2AudioInstance.prototype.canBeRecycled = function () {
|
|
if (this.fresh || this.stopped) return true; // not yet used or is not playing
|
|
return this.hasEnded();
|
|
};
|
|
C2AudioInstance.prototype.setPannerEnabled = function (enable_) {
|
|
if (api !== API_WEBAUDIO) return;
|
|
if (!this.pannerEnabled && enable_) {
|
|
if (!this.gainNode) return;
|
|
if (!this.pannerNode) {
|
|
this.pannerNode = context["createPanner"]();
|
|
if (typeof this.pannerNode["panningModel"] === "number")
|
|
this.pannerNode["panningModel"] = panningModel;
|
|
else
|
|
this.pannerNode["panningModel"] = [
|
|
"equalpower",
|
|
"HRTF",
|
|
"soundfield",
|
|
][panningModel];
|
|
if (typeof this.pannerNode["distanceModel"] === "number")
|
|
this.pannerNode["distanceModel"] = distanceModel;
|
|
else
|
|
this.pannerNode["distanceModel"] = [
|
|
"linear",
|
|
"inverse",
|
|
"exponential",
|
|
][distanceModel];
|
|
this.pannerNode["refDistance"] = refDistance;
|
|
this.pannerNode["maxDistance"] = maxDistance;
|
|
this.pannerNode["rolloffFactor"] = rolloffFactor;
|
|
}
|
|
this.gainNode["disconnect"]();
|
|
this.gainNode["connect"](this.pannerNode);
|
|
this.pannerNode["connect"](getDestinationForTag(this.tag));
|
|
this.pannerEnabled = true;
|
|
}
|
|
else if (this.pannerEnabled && !enable_) {
|
|
if (!this.gainNode) return;
|
|
this.pannerNode["disconnect"]();
|
|
this.gainNode["disconnect"]();
|
|
this.gainNode["connect"](getDestinationForTag(this.tag));
|
|
this.pannerEnabled = false;
|
|
}
|
|
};
|
|
C2AudioInstance.prototype.setPan = function (
|
|
x,
|
|
y,
|
|
angle,
|
|
innerangle,
|
|
outerangle,
|
|
outergain
|
|
) {
|
|
if (!this.pannerEnabled || api !== API_WEBAUDIO) return;
|
|
this.pannerNode["setPosition"](x, y, 0);
|
|
this.pannerNode["setOrientation"](
|
|
Math.cos(cr.to_radians(angle)),
|
|
Math.sin(cr.to_radians(angle)),
|
|
0
|
|
);
|
|
this.pannerNode["coneInnerAngle"] = innerangle;
|
|
this.pannerNode["coneOuterAngle"] = outerangle;
|
|
this.pannerNode["coneOuterGain"] = outergain;
|
|
this.panX = x;
|
|
this.panY = y;
|
|
this.panAngle = angle;
|
|
this.panConeInner = innerangle;
|
|
this.panConeOuter = outerangle;
|
|
this.panConeOuterGain = outergain;
|
|
};
|
|
C2AudioInstance.prototype.setObject = function (o) {
|
|
if (!this.pannerEnabled || api !== API_WEBAUDIO) return;
|
|
if (!this.objectTracker) this.objectTracker = new ObjectTracker();
|
|
this.objectTracker.setObject(o);
|
|
};
|
|
C2AudioInstance.prototype.tick = function (dt) {
|
|
if (
|
|
!this.pannerEnabled ||
|
|
api !== API_WEBAUDIO ||
|
|
!this.objectTracker ||
|
|
!this.objectTracker.hasObject() ||
|
|
!this.isPlaying()
|
|
) {
|
|
return;
|
|
}
|
|
this.objectTracker.tick(dt);
|
|
var inst = this.objectTracker.obj;
|
|
var px = cr.rotatePtAround(
|
|
inst.x,
|
|
inst.y,
|
|
-inst.layer.getAngle(),
|
|
listenerX,
|
|
listenerY,
|
|
true
|
|
);
|
|
var py = cr.rotatePtAround(
|
|
inst.x,
|
|
inst.y,
|
|
-inst.layer.getAngle(),
|
|
listenerX,
|
|
listenerY,
|
|
false
|
|
);
|
|
this.pannerNode["setPosition"](px, py, 0);
|
|
var a = 0;
|
|
if (typeof this.objectTracker.obj.angle !== "undefined") {
|
|
a = inst.angle - inst.layer.getAngle();
|
|
this.pannerNode["setOrientation"](Math.cos(a), Math.sin(a), 0);
|
|
}
|
|
};
|
|
C2AudioInstance.prototype.play = function (
|
|
looping,
|
|
vol,
|
|
fromPosition,
|
|
scheduledTime
|
|
) {
|
|
var instobj = this.instanceObject;
|
|
this.looping = looping;
|
|
this.volume = vol;
|
|
var seekPos = fromPosition || 0;
|
|
scheduledTime = scheduledTime || 0;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (instobj.playbackRate !== 1.0) instobj.playbackRate = 1.0;
|
|
if (instobj.volume !== vol * masterVolume)
|
|
instobj.volume = vol * masterVolume;
|
|
if (instobj.loop !== looping) instobj.loop = looping;
|
|
if (instobj.muted) instobj.muted = false;
|
|
if (instobj.currentTime !== seekPos) {
|
|
try {
|
|
instobj.currentTime = seekPos;
|
|
} catch (err) {
|
|
;
|
|
}
|
|
}
|
|
tryPlayAudioElement(this);
|
|
break;
|
|
case API_WEBAUDIO:
|
|
this.muted = false;
|
|
this.mutevol = 1;
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
this.gainNode["gain"]["value"] = vol * masterVolume;
|
|
if (!this.fresh) {
|
|
this.instanceObject = context["createBufferSource"]();
|
|
this.instanceObject["buffer"] = this.buffer.bufferObject;
|
|
this.instanceObject["connect"](this.gainNode);
|
|
}
|
|
this.instanceObject["onended"] = this.onended_handler;
|
|
this.active_buffer = this.instanceObject;
|
|
this.instanceObject.loop = looping;
|
|
this.hasPlaybackEnded = false;
|
|
if (seekPos === 0) startSource(this.instanceObject, scheduledTime);
|
|
else
|
|
startSourceAt(
|
|
this.instanceObject,
|
|
seekPos,
|
|
this.getDuration(),
|
|
scheduledTime
|
|
);
|
|
} else {
|
|
if (instobj.playbackRate !== 1.0) instobj.playbackRate = 1.0;
|
|
if (instobj.loop !== looping) instobj.loop = looping;
|
|
instobj.volume = vol * masterVolume;
|
|
if (instobj.currentTime !== seekPos) {
|
|
try {
|
|
instobj.currentTime = seekPos;
|
|
} catch (err) {
|
|
;
|
|
}
|
|
}
|
|
tryPlayAudioElement(this);
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
if ((!this.fresh && this.stopped) || seekPos !== 0)
|
|
instobj["seekTo"](seekPos);
|
|
instobj["play"]();
|
|
this.hasPlaybackEnded = false;
|
|
break;
|
|
case API_APPMOBI:
|
|
if (audRuntime.isDirectCanvas)
|
|
AppMobi["context"]["playSound"](this.src, looping);
|
|
else AppMobi["player"]["playSound"](this.src, looping);
|
|
break;
|
|
}
|
|
this.playbackRate = 1;
|
|
this.startTime =
|
|
(this.isTimescaled ? audRuntime.kahanTime.sum : audRuntime.wallTime.sum) -
|
|
seekPos;
|
|
this.fresh = false;
|
|
this.stopped = false;
|
|
this.is_paused = false;
|
|
};
|
|
C2AudioInstance.prototype.stop = function () {
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (!this.instanceObject.paused) this.instanceObject.pause();
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (this.buffer.myapi === API_WEBAUDIO) stopSource(this.instanceObject);
|
|
else {
|
|
if (!this.instanceObject.paused) this.instanceObject.pause();
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
this.instanceObject["stop"]();
|
|
break;
|
|
case API_APPMOBI:
|
|
if (audRuntime.isDirectCanvas)
|
|
AppMobi["context"]["stopSound"](this.src);
|
|
break;
|
|
}
|
|
this.stopped = true;
|
|
this.is_paused = false;
|
|
};
|
|
C2AudioInstance.prototype.pause = function () {
|
|
if (this.fresh || this.stopped || this.hasEnded() || this.is_paused) return;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (!this.instanceObject.paused) this.instanceObject.pause();
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
this.resume_position = this.getPlaybackTime(true);
|
|
if (this.looping)
|
|
this.resume_position = this.resume_position % this.getDuration();
|
|
this.is_paused = true;
|
|
stopSource(this.instanceObject);
|
|
} else {
|
|
if (!this.instanceObject.paused) this.instanceObject.pause();
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
this.instanceObject["pause"]();
|
|
break;
|
|
case API_APPMOBI:
|
|
if (audRuntime.isDirectCanvas)
|
|
AppMobi["context"]["stopSound"](this.src);
|
|
break;
|
|
}
|
|
this.is_paused = true;
|
|
};
|
|
C2AudioInstance.prototype.resume = function () {
|
|
if (this.fresh || this.stopped || this.hasEnded() || !this.is_paused)
|
|
return;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
tryPlayAudioElement(this);
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
this.instanceObject = context["createBufferSource"]();
|
|
this.instanceObject["buffer"] = this.buffer.bufferObject;
|
|
this.instanceObject["connect"](this.gainNode);
|
|
this.instanceObject["onended"] = this.onended_handler;
|
|
this.active_buffer = this.instanceObject;
|
|
this.instanceObject.loop = this.looping;
|
|
this.gainNode["gain"]["value"] =
|
|
masterVolume * this.volume * this.mutevol;
|
|
this.updatePlaybackRate();
|
|
this.startTime =
|
|
(this.isTimescaled
|
|
? audRuntime.kahanTime.sum
|
|
: audRuntime.wallTime.sum) -
|
|
this.resume_position / (this.playbackRate || 0.001);
|
|
startSourceAt(
|
|
this.instanceObject,
|
|
this.resume_position,
|
|
this.getDuration()
|
|
);
|
|
} else {
|
|
tryPlayAudioElement(this);
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
this.instanceObject["play"]();
|
|
break;
|
|
case API_APPMOBI:
|
|
if (audRuntime.isDirectCanvas)
|
|
AppMobi["context"]["resumeSound"](this.src);
|
|
break;
|
|
}
|
|
this.is_paused = false;
|
|
};
|
|
C2AudioInstance.prototype.seek = function (pos) {
|
|
if (this.fresh || this.stopped || this.hasEnded()) return;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
try {
|
|
this.instanceObject.currentTime = pos;
|
|
} catch (e) {}
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
if (this.is_paused) this.resume_position = pos;
|
|
else {
|
|
this.pause();
|
|
this.resume_position = pos;
|
|
this.resume();
|
|
}
|
|
} else {
|
|
try {
|
|
this.instanceObject.currentTime = pos;
|
|
} catch (e) {}
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
break;
|
|
case API_APPMOBI:
|
|
if (audRuntime.isDirectCanvas)
|
|
AppMobi["context"]["seekSound"](this.src, pos);
|
|
break;
|
|
}
|
|
};
|
|
C2AudioInstance.prototype.reconnect = function (toNode) {
|
|
if (this.myapi !== API_WEBAUDIO) return;
|
|
if (this.pannerEnabled) {
|
|
this.pannerNode["disconnect"]();
|
|
this.pannerNode["connect"](toNode);
|
|
} else {
|
|
this.gainNode["disconnect"]();
|
|
this.gainNode["connect"](toNode);
|
|
}
|
|
};
|
|
C2AudioInstance.prototype.getDuration = function (applyPlaybackRate) {
|
|
var ret = 0;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (typeof this.instanceObject.duration !== "undefined")
|
|
ret = this.instanceObject.duration;
|
|
break;
|
|
case API_WEBAUDIO:
|
|
ret = this.buffer.bufferObject["duration"];
|
|
break;
|
|
case API_CORDOVA:
|
|
ret = this.instanceObject["getDuration"]();
|
|
break;
|
|
case API_APPMOBI:
|
|
if (audRuntime.isDirectCanvas)
|
|
ret = AppMobi["context"]["getDurationSound"](this.src);
|
|
break;
|
|
}
|
|
if (applyPlaybackRate) ret /= this.playbackRate || 0.001; // avoid divide-by-zero
|
|
return ret;
|
|
};
|
|
C2AudioInstance.prototype.getPlaybackTime = function (applyPlaybackRate) {
|
|
var duration = this.getDuration();
|
|
var ret = 0;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (typeof this.instanceObject.currentTime !== "undefined")
|
|
ret = this.instanceObject.currentTime;
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
if (this.is_paused) return this.resume_position;
|
|
else
|
|
ret =
|
|
(this.isTimescaled
|
|
? audRuntime.kahanTime.sum
|
|
: audRuntime.wallTime.sum) - this.startTime;
|
|
} else if (typeof this.instanceObject.currentTime !== "undefined")
|
|
ret = this.instanceObject.currentTime;
|
|
break;
|
|
case API_CORDOVA:
|
|
break;
|
|
case API_APPMOBI:
|
|
if (audRuntime.isDirectCanvas)
|
|
ret = AppMobi["context"]["getPlaybackTimeSound"](this.src);
|
|
break;
|
|
}
|
|
if (applyPlaybackRate) ret *= this.playbackRate;
|
|
if (!this.looping && ret > duration) ret = duration;
|
|
return ret;
|
|
};
|
|
C2AudioInstance.prototype.isPlaying = function () {
|
|
return !this.is_paused && !this.fresh && !this.stopped && !this.hasEnded();
|
|
};
|
|
C2AudioInstance.prototype.shouldSave = function () {
|
|
return !this.fresh && !this.stopped && !this.hasEnded();
|
|
};
|
|
C2AudioInstance.prototype.setVolume = function (v) {
|
|
this.volume = v;
|
|
this.updateVolume();
|
|
};
|
|
C2AudioInstance.prototype.updateVolume = function () {
|
|
var volToSet = this.volume * masterVolume;
|
|
if (!isFinite(volToSet)) volToSet = 0; // HTMLMediaElement throws if setting non-finite volume
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (
|
|
typeof this.instanceObject.volume !== "undefined" &&
|
|
this.instanceObject.volume !== volToSet
|
|
)
|
|
this.instanceObject.volume = volToSet;
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
this.gainNode["gain"]["value"] = volToSet * this.mutevol;
|
|
} else {
|
|
if (
|
|
typeof this.instanceObject.volume !== "undefined" &&
|
|
this.instanceObject.volume !== volToSet
|
|
)
|
|
this.instanceObject.volume = volToSet;
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
break;
|
|
case API_APPMOBI:
|
|
break;
|
|
}
|
|
};
|
|
C2AudioInstance.prototype.getVolume = function () {
|
|
return this.volume;
|
|
};
|
|
C2AudioInstance.prototype.doSetMuted = function (m) {
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (this.instanceObject.muted !== !!m) this.instanceObject.muted = !!m;
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
this.mutevol = m ? 0 : 1;
|
|
this.gainNode["gain"]["value"] =
|
|
masterVolume * this.volume * this.mutevol;
|
|
} else {
|
|
if (this.instanceObject.muted !== !!m)
|
|
this.instanceObject.muted = !!m;
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
break;
|
|
case API_APPMOBI:
|
|
break;
|
|
}
|
|
};
|
|
C2AudioInstance.prototype.setMuted = function (m) {
|
|
this.is_muted = !!m;
|
|
this.doSetMuted(this.is_muted || this.is_silent);
|
|
};
|
|
C2AudioInstance.prototype.setSilent = function (m) {
|
|
this.is_silent = !!m;
|
|
this.doSetMuted(this.is_muted || this.is_silent);
|
|
};
|
|
C2AudioInstance.prototype.setLooping = function (l) {
|
|
this.looping = l;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (this.instanceObject.loop !== !!l) this.instanceObject.loop = !!l;
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (this.instanceObject.loop !== !!l) this.instanceObject.loop = !!l;
|
|
break;
|
|
case API_CORDOVA:
|
|
break;
|
|
case API_APPMOBI:
|
|
if (audRuntime.isDirectCanvas)
|
|
AppMobi["context"]["setLoopingSound"](this.src, l);
|
|
break;
|
|
}
|
|
};
|
|
C2AudioInstance.prototype.setPlaybackRate = function (r) {
|
|
this.playbackRate = r;
|
|
this.updatePlaybackRate();
|
|
};
|
|
C2AudioInstance.prototype.updatePlaybackRate = function () {
|
|
var r = this.playbackRate;
|
|
if (this.isTimescaled) r *= audRuntime.timescale;
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (this.instanceObject.playbackRate !== r)
|
|
this.instanceObject.playbackRate = r;
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
if (this.instanceObject["playbackRate"]["value"] !== r)
|
|
this.instanceObject["playbackRate"]["value"] = r;
|
|
} else {
|
|
if (this.instanceObject.playbackRate !== r)
|
|
this.instanceObject.playbackRate = r;
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
break;
|
|
case API_APPMOBI:
|
|
break;
|
|
}
|
|
};
|
|
C2AudioInstance.prototype.setSuspended = function (s) {
|
|
switch (this.myapi) {
|
|
case API_HTML5:
|
|
if (s) {
|
|
if (this.isPlaying()) {
|
|
this.resume_me = true;
|
|
this.instanceObject["pause"]();
|
|
} else this.resume_me = false;
|
|
} else {
|
|
if (this.resume_me) {
|
|
this.instanceObject["play"]();
|
|
this.resume_me = false;
|
|
}
|
|
}
|
|
break;
|
|
case API_WEBAUDIO:
|
|
if (s) {
|
|
if (this.isPlaying()) {
|
|
this.resume_me = true;
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
this.resume_position = this.getPlaybackTime(true);
|
|
if (this.looping)
|
|
this.resume_position =
|
|
this.resume_position % this.getDuration();
|
|
stopSource(this.instanceObject);
|
|
} else this.instanceObject["pause"]();
|
|
} else this.resume_me = false;
|
|
} else {
|
|
if (this.resume_me) {
|
|
if (this.buffer.myapi === API_WEBAUDIO) {
|
|
this.instanceObject = context["createBufferSource"]();
|
|
this.instanceObject["buffer"] = this.buffer.bufferObject;
|
|
this.instanceObject["connect"](this.gainNode);
|
|
this.instanceObject["onended"] = this.onended_handler;
|
|
this.active_buffer = this.instanceObject;
|
|
this.instanceObject.loop = this.looping;
|
|
this.gainNode["gain"]["value"] =
|
|
masterVolume * this.volume * this.mutevol;
|
|
this.updatePlaybackRate();
|
|
this.startTime =
|
|
(this.isTimescaled
|
|
? audRuntime.kahanTime.sum
|
|
: audRuntime.wallTime.sum) -
|
|
this.resume_position / (this.playbackRate || 0.001);
|
|
startSourceAt(
|
|
this.instanceObject,
|
|
this.resume_position,
|
|
this.getDuration()
|
|
);
|
|
} else {
|
|
this.instanceObject["play"]();
|
|
}
|
|
this.resume_me = false;
|
|
}
|
|
}
|
|
break;
|
|
case API_CORDOVA:
|
|
if (s) {
|
|
if (this.isPlaying()) {
|
|
this.instanceObject["pause"]();
|
|
this.resume_me = true;
|
|
} else this.resume_me = false;
|
|
} else {
|
|
if (this.resume_me) {
|
|
this.resume_me = false;
|
|
this.instanceObject["play"]();
|
|
}
|
|
}
|
|
break;
|
|
case API_APPMOBI:
|
|
break;
|
|
}
|
|
};
|
|
pluginProto.Instance = function (type) {
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
audRuntime = this.runtime;
|
|
audInst = this;
|
|
this.listenerTracker = null;
|
|
this.listenerZ = -600;
|
|
if (this.runtime.isWKWebView) playMusicAsSoundWorkaround = true;
|
|
if (
|
|
(this.runtime.isiOS ||
|
|
(this.runtime.isAndroid &&
|
|
(this.runtime.isChrome || this.runtime.isAndroidStockBrowser))) &&
|
|
!this.runtime.isCrosswalk &&
|
|
!this.runtime.isDomFree &&
|
|
!this.runtime.isAmazonWebApp &&
|
|
!playMusicAsSoundWorkaround
|
|
) {
|
|
useNextTouchWorkaround = true;
|
|
}
|
|
context = null;
|
|
if (typeof AudioContext !== "undefined") {
|
|
api = API_WEBAUDIO;
|
|
context = new AudioContext();
|
|
} else if (typeof webkitAudioContext !== "undefined") {
|
|
api = API_WEBAUDIO;
|
|
context = new webkitAudioContext();
|
|
}
|
|
if (this.runtime.isiOS && context) {
|
|
if (context.close) context.close();
|
|
if (typeof AudioContext !== "undefined") context = new AudioContext();
|
|
else if (typeof webkitAudioContext !== "undefined")
|
|
context = new webkitAudioContext();
|
|
}
|
|
if (api !== API_WEBAUDIO) {
|
|
if (this.runtime.isCordova && typeof window["Media"] !== "undefined")
|
|
api = API_CORDOVA;
|
|
else if (this.runtime.isAppMobi) api = API_APPMOBI;
|
|
}
|
|
if (api === API_CORDOVA) {
|
|
appPath = location.href;
|
|
var i = appPath.lastIndexOf("/");
|
|
if (i > -1) appPath = appPath.substr(0, i + 1);
|
|
appPath = appPath.replace("file://", "");
|
|
}
|
|
if (
|
|
this.runtime.isSafari &&
|
|
this.runtime.isWindows &&
|
|
typeof Audio === "undefined"
|
|
) {
|
|
alert(
|
|
"It looks like you're using Safari for Windows without Quicktime. Audio cannot be played until Quicktime is installed."
|
|
);
|
|
this.runtime.DestroyInstance(this);
|
|
} else {
|
|
if (this.runtime.isDirectCanvas) useOgg = this.runtime.isAndroid;
|
|
else {
|
|
try {
|
|
useOgg =
|
|
!!new Audio().canPlayType('audio/ogg; codecs="vorbis"') &&
|
|
!this.runtime.isWindows10;
|
|
} catch (e) {
|
|
useOgg = false;
|
|
}
|
|
}
|
|
switch (api) {
|
|
case API_HTML5:
|
|
;
|
|
break;
|
|
case API_WEBAUDIO:
|
|
;
|
|
break;
|
|
case API_CORDOVA:
|
|
;
|
|
break;
|
|
case API_APPMOBI:
|
|
;
|
|
break;
|
|
default:
|
|
;
|
|
}
|
|
this.runtime.tickMe(this);
|
|
}
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function () {
|
|
this.runtime.audioInstance = this;
|
|
timescale_mode = this.properties[0]; // 0 = off, 1 = sounds only, 2 = all
|
|
this.saveload = this.properties[1]; // 0 = all, 1 = sounds only, 2 = music only, 3 = none
|
|
this.playinbackground = this.properties[2] !== 0;
|
|
this.nextPlayTime = 0;
|
|
panningModel = this.properties[3]; // 0 = equalpower, 1 = hrtf, 3 = soundfield
|
|
distanceModel = this.properties[4]; // 0 = linear, 1 = inverse, 2 = exponential
|
|
this.listenerZ = -this.properties[5];
|
|
refDistance = this.properties[6];
|
|
maxDistance = this.properties[7];
|
|
rolloffFactor = this.properties[8];
|
|
this.listenerTracker = new ObjectTracker();
|
|
var draw_width = this.runtime.draw_width || this.runtime.width;
|
|
var draw_height = this.runtime.draw_height || this.runtime.height;
|
|
if (api === API_WEBAUDIO) {
|
|
context["listener"]["setPosition"](
|
|
draw_width / 2,
|
|
draw_height / 2,
|
|
this.listenerZ
|
|
);
|
|
context["listener"]["setOrientation"](0, 0, 1, 0, -1, 0);
|
|
window["c2OnAudioMicStream"] = function (localMediaStream, tag) {
|
|
if (micSource) micSource["disconnect"]();
|
|
micTag = tag.toLowerCase();
|
|
micSource = context["createMediaStreamSource"](localMediaStream);
|
|
micSource["connect"](getDestinationForTag(micTag));
|
|
};
|
|
}
|
|
this.runtime.addSuspendCallback(function (s) {
|
|
audInst.onSuspend(s);
|
|
});
|
|
var self = this;
|
|
this.runtime.addDestroyCallback(function (inst) {
|
|
self.onInstanceDestroyed(inst);
|
|
});
|
|
};
|
|
instanceProto.onInstanceDestroyed = function (inst) {
|
|
var i, len, a;
|
|
for (i = 0, len = audioInstances.length; i < len; i++) {
|
|
a = audioInstances[i];
|
|
if (a.objectTracker) {
|
|
if (a.objectTracker.obj === inst) {
|
|
a.objectTracker.obj = null;
|
|
if (a.pannerEnabled && a.isPlaying() && a.looping) a.stop();
|
|
}
|
|
}
|
|
}
|
|
if (this.listenerTracker.obj === inst) this.listenerTracker.obj = null;
|
|
};
|
|
instanceProto.saveToJSON = function () {
|
|
var o = {
|
|
silent: silent,
|
|
masterVolume: masterVolume,
|
|
listenerZ: this.listenerZ,
|
|
listenerUid: this.listenerTracker.hasObject()
|
|
? this.listenerTracker.obj.uid
|
|
: -1,
|
|
playing: [],
|
|
effects: {},
|
|
};
|
|
var playingarr = o["playing"];
|
|
var i, len, a, d, p, panobj, playbackTime;
|
|
for (i = 0, len = audioInstances.length; i < len; i++) {
|
|
a = audioInstances[i];
|
|
if (!a.shouldSave()) continue; // no need to save stopped sounds
|
|
if (this.saveload === 3)
|
|
continue;
|
|
if (a.is_music && this.saveload === 1)
|
|
continue;
|
|
if (!a.is_music && this.saveload === 2)
|
|
continue;
|
|
playbackTime = a.getPlaybackTime();
|
|
if (a.looping) playbackTime = playbackTime % a.getDuration();
|
|
d = {
|
|
tag: a.tag,
|
|
buffersrc: a.buffer.src,
|
|
is_music: a.is_music,
|
|
playbackTime: playbackTime,
|
|
volume: a.volume,
|
|
looping: a.looping,
|
|
muted: a.is_muted,
|
|
playbackRate: a.playbackRate,
|
|
paused: a.is_paused,
|
|
resume_position: a.resume_position,
|
|
};
|
|
if (a.pannerEnabled) {
|
|
d["pan"] = {};
|
|
panobj = d["pan"];
|
|
if (a.objectTracker && a.objectTracker.hasObject()) {
|
|
panobj["objUid"] = a.objectTracker.obj.uid;
|
|
} else {
|
|
panobj["x"] = a.panX;
|
|
panobj["y"] = a.panY;
|
|
panobj["a"] = a.panAngle;
|
|
}
|
|
panobj["ia"] = a.panConeInner;
|
|
panobj["oa"] = a.panConeOuter;
|
|
panobj["og"] = a.panConeOuterGain;
|
|
}
|
|
playingarr.push(d);
|
|
}
|
|
var fxobj = o["effects"];
|
|
var fxarr;
|
|
for (p in effects) {
|
|
if (effects.hasOwnProperty(p)) {
|
|
fxarr = [];
|
|
for (i = 0, len = effects[p].length; i < len; i++) {
|
|
fxarr.push({
|
|
type: effects[p][i].type,
|
|
params: effects[p][i].params,
|
|
});
|
|
}
|
|
fxobj[p] = fxarr;
|
|
}
|
|
}
|
|
return o;
|
|
};
|
|
var objectTrackerUidsToLoad = [];
|
|
instanceProto.loadFromJSON = function (o) {
|
|
var setSilent = o["silent"];
|
|
masterVolume = o["masterVolume"];
|
|
this.listenerZ = o["listenerZ"];
|
|
this.listenerTracker.setObject(null);
|
|
var listenerUid = o["listenerUid"];
|
|
if (listenerUid !== -1) {
|
|
this.listenerTracker.loadUid = listenerUid;
|
|
objectTrackerUidsToLoad.push(this.listenerTracker);
|
|
}
|
|
var playingarr = o["playing"];
|
|
var i,
|
|
len,
|
|
d,
|
|
src,
|
|
is_music,
|
|
tag,
|
|
playbackTime,
|
|
looping,
|
|
vol,
|
|
b,
|
|
a,
|
|
p,
|
|
pan,
|
|
panObjUid;
|
|
if (this.saveload !== 3) {
|
|
for (i = 0, len = audioInstances.length; i < len; i++) {
|
|
a = audioInstances[i];
|
|
if (a.is_music && this.saveload === 1) continue; // only saving/loading sound: leave music playing
|
|
if (!a.is_music && this.saveload === 2) continue; // only saving/loading music: leave sound playing
|
|
a.stop();
|
|
}
|
|
}
|
|
var fxarr, fxtype, fxparams, fx;
|
|
for (p in effects) {
|
|
if (effects.hasOwnProperty(p)) {
|
|
for (i = 0, len = effects[p].length; i < len; i++)
|
|
effects[p][i].remove();
|
|
}
|
|
}
|
|
cr.wipe(effects);
|
|
for (p in o["effects"]) {
|
|
if (o["effects"].hasOwnProperty(p)) {
|
|
fxarr = o["effects"][p];
|
|
for (i = 0, len = fxarr.length; i < len; i++) {
|
|
fxtype = fxarr[i]["type"];
|
|
fxparams = fxarr[i]["params"];
|
|
switch (fxtype) {
|
|
case "filter":
|
|
addEffectForTag(
|
|
p,
|
|
new FilterEffect(
|
|
fxparams[0],
|
|
fxparams[1],
|
|
fxparams[2],
|
|
fxparams[3],
|
|
fxparams[4],
|
|
fxparams[5]
|
|
)
|
|
);
|
|
break;
|
|
case "delay":
|
|
addEffectForTag(
|
|
p,
|
|
new DelayEffect(fxparams[0], fxparams[1], fxparams[2])
|
|
);
|
|
break;
|
|
case "convolve":
|
|
src = fxparams[2];
|
|
b = this.getAudioBuffer(src, false);
|
|
if (b.bufferObject) {
|
|
fx = new ConvolveEffect(
|
|
b.bufferObject,
|
|
fxparams[0],
|
|
fxparams[1],
|
|
src
|
|
);
|
|
}
|
|
else {
|
|
fx = new ConvolveEffect(null, fxparams[0], fxparams[1], src);
|
|
b.normalizeWhenReady = fxparams[0];
|
|
b.convolveWhenReady = fx;
|
|
}
|
|
addEffectForTag(p, fx);
|
|
break;
|
|
case "flanger":
|
|
addEffectForTag(
|
|
p,
|
|
new FlangerEffect(
|
|
fxparams[0],
|
|
fxparams[1],
|
|
fxparams[2],
|
|
fxparams[3],
|
|
fxparams[4]
|
|
)
|
|
);
|
|
break;
|
|
case "phaser":
|
|
addEffectForTag(
|
|
p,
|
|
new PhaserEffect(
|
|
fxparams[0],
|
|
fxparams[1],
|
|
fxparams[2],
|
|
fxparams[3],
|
|
fxparams[4],
|
|
fxparams[5]
|
|
)
|
|
);
|
|
break;
|
|
case "gain":
|
|
addEffectForTag(p, new GainEffect(fxparams[0]));
|
|
break;
|
|
case "tremolo":
|
|
addEffectForTag(p, new TremoloEffect(fxparams[0], fxparams[1]));
|
|
break;
|
|
case "ringmod":
|
|
addEffectForTag(
|
|
p,
|
|
new RingModulatorEffect(fxparams[0], fxparams[1])
|
|
);
|
|
break;
|
|
case "distortion":
|
|
addEffectForTag(
|
|
p,
|
|
new DistortionEffect(
|
|
fxparams[0],
|
|
fxparams[1],
|
|
fxparams[2],
|
|
fxparams[3],
|
|
fxparams[4]
|
|
)
|
|
);
|
|
break;
|
|
case "compressor":
|
|
addEffectForTag(
|
|
p,
|
|
new CompressorEffect(
|
|
fxparams[0],
|
|
fxparams[1],
|
|
fxparams[2],
|
|
fxparams[3],
|
|
fxparams[4]
|
|
)
|
|
);
|
|
break;
|
|
case "analyser":
|
|
addEffectForTag(p, new AnalyserEffect(fxparams[0], fxparams[1]));
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
for (i = 0, len = playingarr.length; i < len; i++) {
|
|
if (this.saveload === 3)
|
|
continue;
|
|
d = playingarr[i];
|
|
src = d["buffersrc"];
|
|
is_music = d["is_music"];
|
|
tag = d["tag"];
|
|
playbackTime = d["playbackTime"];
|
|
looping = d["looping"];
|
|
vol = d["volume"];
|
|
pan = d["pan"];
|
|
panObjUid = pan && pan.hasOwnProperty("objUid") ? pan["objUid"] : -1;
|
|
if (is_music && this.saveload === 1)
|
|
continue;
|
|
if (!is_music && this.saveload === 2)
|
|
continue;
|
|
a = this.getAudioInstance(src, tag, is_music, looping, vol);
|
|
if (!a) {
|
|
b = this.getAudioBuffer(src, is_music);
|
|
b.seekWhenReady = playbackTime;
|
|
b.pauseWhenReady = d["paused"];
|
|
if (pan) {
|
|
if (panObjUid !== -1) {
|
|
b.panWhenReady.push({
|
|
objUid: panObjUid,
|
|
ia: pan["ia"],
|
|
oa: pan["oa"],
|
|
og: pan["og"],
|
|
thistag: tag,
|
|
});
|
|
} else {
|
|
b.panWhenReady.push({
|
|
x: pan["x"],
|
|
y: pan["y"],
|
|
a: pan["a"],
|
|
ia: pan["ia"],
|
|
oa: pan["oa"],
|
|
og: pan["og"],
|
|
thistag: tag,
|
|
});
|
|
}
|
|
}
|
|
continue;
|
|
}
|
|
a.resume_position = d["resume_position"];
|
|
a.setPannerEnabled(!!pan);
|
|
a.play(looping, vol, playbackTime);
|
|
a.updatePlaybackRate();
|
|
a.updateVolume();
|
|
a.doSetMuted(a.is_muted || a.is_silent);
|
|
if (d["paused"]) a.pause();
|
|
if (d["muted"]) a.setMuted(true);
|
|
a.doSetMuted(a.is_muted || a.is_silent);
|
|
if (pan) {
|
|
if (panObjUid !== -1) {
|
|
a.objectTracker = a.objectTracker || new ObjectTracker();
|
|
a.objectTracker.loadUid = panObjUid;
|
|
objectTrackerUidsToLoad.push(a.objectTracker);
|
|
} else {
|
|
a.setPan(
|
|
pan["x"],
|
|
pan["y"],
|
|
pan["a"],
|
|
pan["ia"],
|
|
pan["oa"],
|
|
pan["og"]
|
|
);
|
|
}
|
|
}
|
|
}
|
|
if (setSilent && !silent) {
|
|
for (i = 0, len = audioInstances.length; i < len; i++)
|
|
audioInstances[i].setSilent(true);
|
|
silent = true;
|
|
} else if (!setSilent && silent) {
|
|
for (i = 0, len = audioInstances.length; i < len; i++)
|
|
audioInstances[i].setSilent(false);
|
|
silent = false;
|
|
}
|
|
};
|
|
instanceProto.afterLoad = function () {
|
|
var i, len, ot, inst;
|
|
for (i = 0, len = objectTrackerUidsToLoad.length; i < len; i++) {
|
|
ot = objectTrackerUidsToLoad[i];
|
|
inst = this.runtime.getObjectByUID(ot.loadUid);
|
|
ot.setObject(inst);
|
|
ot.loadUid = -1;
|
|
if (inst) {
|
|
listenerX = inst.x;
|
|
listenerY = inst.y;
|
|
}
|
|
}
|
|
cr.clearArray(objectTrackerUidsToLoad);
|
|
};
|
|
instanceProto.onSuspend = function (s) {
|
|
if (this.playinbackground) return;
|
|
if (!s && context && context["resume"]) {
|
|
context["resume"]();
|
|
isContextSuspended = false;
|
|
}
|
|
var i, len;
|
|
for (i = 0, len = audioInstances.length; i < len; i++)
|
|
audioInstances[i].setSuspended(s);
|
|
if (s && context && context["suspend"]) {
|
|
context["suspend"]();
|
|
isContextSuspended = true;
|
|
}
|
|
};
|
|
instanceProto.tick = function () {
|
|
var dt = this.runtime.dt;
|
|
var i, len, a;
|
|
for (i = 0, len = audioInstances.length; i < len; i++) {
|
|
a = audioInstances[i];
|
|
a.tick(dt);
|
|
if (timescale_mode !== 0) a.updatePlaybackRate();
|
|
}
|
|
var p, arr, f;
|
|
for (p in effects) {
|
|
if (effects.hasOwnProperty(p)) {
|
|
arr = effects[p];
|
|
for (i = 0, len = arr.length; i < len; i++) {
|
|
f = arr[i];
|
|
if (f.tick) f.tick();
|
|
}
|
|
}
|
|
}
|
|
if (api === API_WEBAUDIO && this.listenerTracker.hasObject()) {
|
|
this.listenerTracker.tick(dt);
|
|
listenerX = this.listenerTracker.obj.x;
|
|
listenerY = this.listenerTracker.obj.y;
|
|
context["listener"]["setPosition"](
|
|
this.listenerTracker.obj.x,
|
|
this.listenerTracker.obj.y,
|
|
this.listenerZ
|
|
);
|
|
}
|
|
};
|
|
var preload_list = [];
|
|
instanceProto.setPreloadList = function (arr) {
|
|
var i, len, p, filename, size, isOgg;
|
|
var total_size = 0;
|
|
for (i = 0, len = arr.length; i < len; ++i) {
|
|
p = arr[i];
|
|
filename = p[0];
|
|
size = p[1] * 2;
|
|
isOgg =
|
|
filename.length > 4 && filename.substr(filename.length - 4) === ".ogg";
|
|
if ((isOgg && useOgg) || (!isOgg && !useOgg)) {
|
|
preload_list.push({
|
|
filename: filename,
|
|
size: size,
|
|
obj: null,
|
|
});
|
|
total_size += size;
|
|
}
|
|
}
|
|
return total_size;
|
|
};
|
|
instanceProto.startPreloads = function () {
|
|
var i, len, p, src;
|
|
for (i = 0, len = preload_list.length; i < len; ++i) {
|
|
p = preload_list[i];
|
|
src = this.runtime.files_subfolder + p.filename;
|
|
p.obj = this.getAudioBuffer(src, false);
|
|
}
|
|
};
|
|
instanceProto.getPreloadedSize = function () {
|
|
var completed = 0;
|
|
var i, len, p;
|
|
for (i = 0, len = preload_list.length; i < len; ++i) {
|
|
p = preload_list[i];
|
|
if (
|
|
p.obj.isLoadedAndDecoded() ||
|
|
p.obj.hasFailedToLoad() ||
|
|
this.runtime.isDomFree ||
|
|
this.runtime.isAndroidStockBrowser
|
|
) {
|
|
completed += p.size;
|
|
} else if (p.obj.isLoaded()) {
|
|
completed += Math.floor(p.size / 2);
|
|
}
|
|
}
|
|
return completed;
|
|
};
|
|
instanceProto.releaseAllMusicBuffers = function () {
|
|
var i, len, j, b;
|
|
for (i = 0, j = 0, len = audioBuffers.length; i < len; ++i) {
|
|
b = audioBuffers[i];
|
|
audioBuffers[j] = b;
|
|
if (b.is_music) b.release();
|
|
else ++j; // keep
|
|
}
|
|
audioBuffers.length = j;
|
|
};
|
|
instanceProto.getAudioBuffer = function (src_, is_music, dont_create) {
|
|
var i,
|
|
len,
|
|
a,
|
|
ret = null,
|
|
j,
|
|
k,
|
|
lenj,
|
|
ai;
|
|
for (i = 0, len = audioBuffers.length; i < len; i++) {
|
|
a = audioBuffers[i];
|
|
if (a.src === src_) {
|
|
ret = a;
|
|
break;
|
|
}
|
|
}
|
|
if (!ret && !dont_create) {
|
|
if (playMusicAsSoundWorkaround && is_music) this.releaseAllMusicBuffers();
|
|
ret = new C2AudioBuffer(src_, is_music);
|
|
audioBuffers.push(ret);
|
|
}
|
|
return ret;
|
|
};
|
|
instanceProto.getAudioInstance = function (
|
|
src_,
|
|
tag,
|
|
is_music,
|
|
looping,
|
|
vol
|
|
) {
|
|
var i, len, a;
|
|
for (i = 0, len = audioInstances.length; i < len; i++) {
|
|
a = audioInstances[i];
|
|
if (a.src === src_ && (a.canBeRecycled() || is_music)) {
|
|
a.tag = tag;
|
|
return a;
|
|
}
|
|
}
|
|
var b = this.getAudioBuffer(src_, is_music);
|
|
if (!b.bufferObject) {
|
|
if (tag !== "<preload>") {
|
|
b.playTagWhenReady = tag;
|
|
b.loopWhenReady = looping;
|
|
b.volumeWhenReady = vol;
|
|
}
|
|
return null;
|
|
}
|
|
a = new C2AudioInstance(b, tag);
|
|
audioInstances.push(a);
|
|
return a;
|
|
};
|
|
var taggedAudio = [];
|
|
function SortByIsPlaying(a, b) {
|
|
var an = a.isPlaying() ? 1 : 0;
|
|
var bn = b.isPlaying() ? 1 : 0;
|
|
if (an === bn) return 0;
|
|
else if (an < bn) return 1;
|
|
else return -1;
|
|
}
|
|
function getAudioByTag(tag, sort_by_playing) {
|
|
cr.clearArray(taggedAudio);
|
|
if (!tag.length) {
|
|
if (!lastAudio || lastAudio.hasEnded()) return;
|
|
else {
|
|
cr.clearArray(taggedAudio);
|
|
taggedAudio[0] = lastAudio;
|
|
return;
|
|
}
|
|
}
|
|
var i, len, a;
|
|
for (i = 0, len = audioInstances.length; i < len; i++) {
|
|
a = audioInstances[i];
|
|
if (cr.equals_nocase(tag, a.tag)) taggedAudio.push(a);
|
|
}
|
|
if (sort_by_playing) taggedAudio.sort(SortByIsPlaying);
|
|
}
|
|
function reconnectEffects(tag) {
|
|
var i,
|
|
len,
|
|
arr,
|
|
n,
|
|
toNode = context["destination"];
|
|
if (effects.hasOwnProperty(tag)) {
|
|
arr = effects[tag];
|
|
if (arr.length) {
|
|
toNode = arr[0].getInputNode();
|
|
for (i = 0, len = arr.length; i < len; i++) {
|
|
n = arr[i];
|
|
if (i + 1 === len) n.connectTo(context["destination"]);
|
|
else n.connectTo(arr[i + 1].getInputNode());
|
|
}
|
|
}
|
|
}
|
|
getAudioByTag(tag);
|
|
for (i = 0, len = taggedAudio.length; i < len; i++)
|
|
taggedAudio[i].reconnect(toNode);
|
|
if (micSource && micTag === tag) {
|
|
micSource["disconnect"]();
|
|
micSource["connect"](toNode);
|
|
}
|
|
}
|
|
function addEffectForTag(tag, fx) {
|
|
if (!effects.hasOwnProperty(tag)) effects[tag] = [fx];
|
|
else effects[tag].push(fx);
|
|
reconnectEffects(tag);
|
|
}
|
|
function Cnds() {}
|
|
Cnds.prototype.OnEnded = function (t) {
|
|
return cr.equals_nocase(audTag, t);
|
|
};
|
|
Cnds.prototype.PreloadsComplete = function () {
|
|
var i, len;
|
|
for (i = 0, len = audioBuffers.length; i < len; i++) {
|
|
if (
|
|
!audioBuffers[i].isLoadedAndDecoded() &&
|
|
!audioBuffers[i].hasFailedToLoad()
|
|
)
|
|
return false;
|
|
}
|
|
return true;
|
|
};
|
|
Cnds.prototype.AdvancedAudioSupported = function () {
|
|
return api === API_WEBAUDIO;
|
|
};
|
|
Cnds.prototype.IsSilent = function () {
|
|
return silent;
|
|
};
|
|
Cnds.prototype.IsAnyPlaying = function () {
|
|
var i, len;
|
|
for (i = 0, len = audioInstances.length; i < len; i++) {
|
|
if (audioInstances[i].isPlaying()) return true;
|
|
}
|
|
return false;
|
|
};
|
|
Cnds.prototype.IsTagPlaying = function (tag) {
|
|
getAudioByTag(tag);
|
|
var i, len;
|
|
for (i = 0, len = taggedAudio.length; i < len; i++) {
|
|
if (taggedAudio[i].isPlaying()) return true;
|
|
}
|
|
return false;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {}
|
|
Acts.prototype.Play = function (file, looping, vol, tag) {
|
|
if (silent) return;
|
|
var v = dbToLinear(vol);
|
|
var is_music = file[1];
|
|
var src =
|
|
this.runtime.files_subfolder + file[0] + (useOgg ? ".ogg" : ".m4a");
|
|
lastAudio = this.getAudioInstance(src, tag, is_music, looping !== 0, v);
|
|
if (!lastAudio) return;
|
|
lastAudio.setPannerEnabled(false);
|
|
lastAudio.play(looping !== 0, v, 0, this.nextPlayTime);
|
|
this.nextPlayTime = 0;
|
|
};
|
|
Acts.prototype.PlayAtPosition = function (
|
|
file,
|
|
looping,
|
|
vol,
|
|
x_,
|
|
y_,
|
|
angle_,
|
|
innerangle_,
|
|
outerangle_,
|
|
outergain_,
|
|
tag
|
|
) {
|
|
if (silent) return;
|
|
var v = dbToLinear(vol);
|
|
var is_music = file[1];
|
|
var src =
|
|
this.runtime.files_subfolder + file[0] + (useOgg ? ".ogg" : ".m4a");
|
|
lastAudio = this.getAudioInstance(src, tag, is_music, looping !== 0, v);
|
|
if (!lastAudio) {
|
|
var b = this.getAudioBuffer(src, is_music);
|
|
b.panWhenReady.push({
|
|
x: x_,
|
|
y: y_,
|
|
a: angle_,
|
|
ia: innerangle_,
|
|
oa: outerangle_,
|
|
og: dbToLinear(outergain_),
|
|
thistag: tag,
|
|
});
|
|
return;
|
|
}
|
|
lastAudio.setPannerEnabled(true);
|
|
lastAudio.setPan(
|
|
x_,
|
|
y_,
|
|
angle_,
|
|
innerangle_,
|
|
outerangle_,
|
|
dbToLinear(outergain_)
|
|
);
|
|
lastAudio.play(looping !== 0, v, 0, this.nextPlayTime);
|
|
this.nextPlayTime = 0;
|
|
};
|
|
Acts.prototype.PlayAtObject = function (
|
|
file,
|
|
looping,
|
|
vol,
|
|
obj,
|
|
innerangle,
|
|
outerangle,
|
|
outergain,
|
|
tag
|
|
) {
|
|
if (silent || !obj) return;
|
|
var inst = obj.getFirstPicked();
|
|
if (!inst) return;
|
|
var v = dbToLinear(vol);
|
|
var is_music = file[1];
|
|
var src =
|
|
this.runtime.files_subfolder + file[0] + (useOgg ? ".ogg" : ".m4a");
|
|
lastAudio = this.getAudioInstance(src, tag, is_music, looping !== 0, v);
|
|
if (!lastAudio) {
|
|
var b = this.getAudioBuffer(src, is_music);
|
|
b.panWhenReady.push({
|
|
obj: inst,
|
|
ia: innerangle,
|
|
oa: outerangle,
|
|
og: dbToLinear(outergain),
|
|
thistag: tag,
|
|
});
|
|
return;
|
|
}
|
|
lastAudio.setPannerEnabled(true);
|
|
var px = cr.rotatePtAround(
|
|
inst.x,
|
|
inst.y,
|
|
-inst.layer.getAngle(),
|
|
listenerX,
|
|
listenerY,
|
|
true
|
|
);
|
|
var py = cr.rotatePtAround(
|
|
inst.x,
|
|
inst.y,
|
|
-inst.layer.getAngle(),
|
|
listenerX,
|
|
listenerY,
|
|
false
|
|
);
|
|
lastAudio.setPan(
|
|
px,
|
|
py,
|
|
cr.to_degrees(inst.angle - inst.layer.getAngle()),
|
|
innerangle,
|
|
outerangle,
|
|
dbToLinear(outergain)
|
|
);
|
|
lastAudio.setObject(inst);
|
|
lastAudio.play(looping !== 0, v, 0, this.nextPlayTime);
|
|
this.nextPlayTime = 0;
|
|
};
|
|
Acts.prototype.PlayByName = function (folder, filename, looping, vol, tag) {
|
|
if (silent) return;
|
|
var v = dbToLinear(vol);
|
|
var is_music = folder === 1;
|
|
var src =
|
|
this.runtime.files_subfolder +
|
|
filename.toLowerCase() +
|
|
(useOgg ? ".ogg" : ".m4a");
|
|
lastAudio = this.getAudioInstance(src, tag, is_music, looping !== 0, v);
|
|
if (!lastAudio) return;
|
|
lastAudio.setPannerEnabled(false);
|
|
lastAudio.play(looping !== 0, v, 0, this.nextPlayTime);
|
|
this.nextPlayTime = 0;
|
|
};
|
|
Acts.prototype.PlayAtPositionByName = function (
|
|
folder,
|
|
filename,
|
|
looping,
|
|
vol,
|
|
x_,
|
|
y_,
|
|
angle_,
|
|
innerangle_,
|
|
outerangle_,
|
|
outergain_,
|
|
tag
|
|
) {
|
|
if (silent) return;
|
|
var v = dbToLinear(vol);
|
|
var is_music = folder === 1;
|
|
var src =
|
|
this.runtime.files_subfolder +
|
|
filename.toLowerCase() +
|
|
(useOgg ? ".ogg" : ".m4a");
|
|
lastAudio = this.getAudioInstance(src, tag, is_music, looping !== 0, v);
|
|
if (!lastAudio) {
|
|
var b = this.getAudioBuffer(src, is_music);
|
|
b.panWhenReady.push({
|
|
x: x_,
|
|
y: y_,
|
|
a: angle_,
|
|
ia: innerangle_,
|
|
oa: outerangle_,
|
|
og: dbToLinear(outergain_),
|
|
thistag: tag,
|
|
});
|
|
return;
|
|
}
|
|
lastAudio.setPannerEnabled(true);
|
|
lastAudio.setPan(
|
|
x_,
|
|
y_,
|
|
angle_,
|
|
innerangle_,
|
|
outerangle_,
|
|
dbToLinear(outergain_)
|
|
);
|
|
lastAudio.play(looping !== 0, v, 0, this.nextPlayTime);
|
|
this.nextPlayTime = 0;
|
|
};
|
|
Acts.prototype.PlayAtObjectByName = function (
|
|
folder,
|
|
filename,
|
|
looping,
|
|
vol,
|
|
obj,
|
|
innerangle,
|
|
outerangle,
|
|
outergain,
|
|
tag
|
|
) {
|
|
if (silent || !obj) return;
|
|
var inst = obj.getFirstPicked();
|
|
if (!inst) return;
|
|
var v = dbToLinear(vol);
|
|
var is_music = folder === 1;
|
|
var src =
|
|
this.runtime.files_subfolder +
|
|
filename.toLowerCase() +
|
|
(useOgg ? ".ogg" : ".m4a");
|
|
lastAudio = this.getAudioInstance(src, tag, is_music, looping !== 0, v);
|
|
if (!lastAudio) {
|
|
var b = this.getAudioBuffer(src, is_music);
|
|
b.panWhenReady.push({
|
|
obj: inst,
|
|
ia: innerangle,
|
|
oa: outerangle,
|
|
og: dbToLinear(outergain),
|
|
thistag: tag,
|
|
});
|
|
return;
|
|
}
|
|
lastAudio.setPannerEnabled(true);
|
|
var px = cr.rotatePtAround(
|
|
inst.x,
|
|
inst.y,
|
|
-inst.layer.getAngle(),
|
|
listenerX,
|
|
listenerY,
|
|
true
|
|
);
|
|
var py = cr.rotatePtAround(
|
|
inst.x,
|
|
inst.y,
|
|
-inst.layer.getAngle(),
|
|
listenerX,
|
|
listenerY,
|
|
false
|
|
);
|
|
lastAudio.setPan(
|
|
px,
|
|
py,
|
|
cr.to_degrees(inst.angle - inst.layer.getAngle()),
|
|
innerangle,
|
|
outerangle,
|
|
dbToLinear(outergain)
|
|
);
|
|
lastAudio.setObject(inst);
|
|
lastAudio.play(looping !== 0, v, 0, this.nextPlayTime);
|
|
this.nextPlayTime = 0;
|
|
};
|
|
Acts.prototype.SetLooping = function (tag, looping) {
|
|
getAudioByTag(tag);
|
|
var i, len;
|
|
for (i = 0, len = taggedAudio.length; i < len; i++)
|
|
taggedAudio[i].setLooping(looping === 0);
|
|
};
|
|
Acts.prototype.SetMuted = function (tag, muted) {
|
|
getAudioByTag(tag);
|
|
var i, len;
|
|
for (i = 0, len = taggedAudio.length; i < len; i++)
|
|
taggedAudio[i].setMuted(muted === 0);
|
|
};
|
|
Acts.prototype.SetVolume = function (tag, vol) {
|
|
getAudioByTag(tag);
|
|
var v = dbToLinear(vol);
|
|
var i, len;
|
|
for (i = 0, len = taggedAudio.length; i < len; i++)
|
|
taggedAudio[i].setVolume(v);
|
|
};
|
|
Acts.prototype.Preload = function (file) {
|
|
if (silent) return;
|
|
var is_music = file[1];
|
|
var src =
|
|
this.runtime.files_subfolder + file[0] + (useOgg ? ".ogg" : ".m4a");
|
|
if (api === API_APPMOBI) {
|
|
if (this.runtime.isDirectCanvas) AppMobi["context"]["loadSound"](src);
|
|
else AppMobi["player"]["loadSound"](src);
|
|
return;
|
|
} else if (api === API_CORDOVA) {
|
|
return;
|
|
}
|
|
this.getAudioInstance(src, "<preload>", is_music, false);
|
|
};
|
|
Acts.prototype.PreloadByName = function (folder, filename) {
|
|
if (silent) return;
|
|
var is_music = folder === 1;
|
|
var src =
|
|
this.runtime.files_subfolder +
|
|
filename.toLowerCase() +
|
|
(useOgg ? ".ogg" : ".m4a");
|
|
if (api === API_APPMOBI) {
|
|
if (this.runtime.isDirectCanvas) AppMobi["context"]["loadSound"](src);
|
|
else AppMobi["player"]["loadSound"](src);
|
|
return;
|
|
} else if (api === API_CORDOVA) {
|
|
return;
|
|
}
|
|
this.getAudioInstance(src, "<preload>", is_music, false);
|
|
};
|
|
Acts.prototype.SetPlaybackRate = function (tag, rate) {
|
|
getAudioByTag(tag);
|
|
if (rate < 0.0) rate = 0;
|
|
var i, len;
|
|
for (i = 0, len = taggedAudio.length; i < len; i++)
|
|
taggedAudio[i].setPlaybackRate(rate);
|
|
};
|
|
Acts.prototype.Stop = function (tag) {
|
|
getAudioByTag(tag);
|
|
var i, len;
|
|
for (i = 0, len = taggedAudio.length; i < len; i++) taggedAudio[i].stop();
|
|
};
|
|
Acts.prototype.StopAll = function () {
|
|
var i, len;
|
|
for (i = 0, len = audioInstances.length; i < len; i++)
|
|
audioInstances[i].stop();
|
|
};
|
|
Acts.prototype.SetPaused = function (tag, state) {
|
|
getAudioByTag(tag);
|
|
var i, len;
|
|
for (i = 0, len = taggedAudio.length; i < len; i++) {
|
|
if (state === 0) taggedAudio[i].pause();
|
|
else taggedAudio[i].resume();
|
|
}
|
|
};
|
|
Acts.prototype.Seek = function (tag, pos) {
|
|
getAudioByTag(tag);
|
|
var i, len;
|
|
for (i = 0, len = taggedAudio.length; i < len; i++) {
|
|
taggedAudio[i].seek(pos);
|
|
}
|
|
};
|
|
Acts.prototype.SetSilent = function (s) {
|
|
var i, len;
|
|
if (s === 2)
|
|
s = silent ? 1 : 0; // choose opposite state
|
|
if (s === 0 && !silent) {
|
|
for (i = 0, len = audioInstances.length; i < len; i++)
|
|
audioInstances[i].setSilent(true);
|
|
silent = true;
|
|
} else if (s === 1 && silent) {
|
|
for (i = 0, len = audioInstances.length; i < len; i++)
|
|
audioInstances[i].setSilent(false);
|
|
silent = false;
|
|
}
|
|
};
|
|
Acts.prototype.SetMasterVolume = function (vol) {
|
|
masterVolume = dbToLinear(vol);
|
|
var i, len;
|
|
for (i = 0, len = audioInstances.length; i < len; i++)
|
|
audioInstances[i].updateVolume();
|
|
};
|
|
Acts.prototype.AddFilterEffect = function (
|
|
tag,
|
|
type,
|
|
freq,
|
|
detune,
|
|
q,
|
|
gain,
|
|
mix
|
|
) {
|
|
if (
|
|
api !== API_WEBAUDIO ||
|
|
type < 0 ||
|
|
type >= filterTypes.length ||
|
|
!context["createBiquadFilter"]
|
|
)
|
|
return;
|
|
tag = tag.toLowerCase();
|
|
mix = mix / 100;
|
|
if (mix < 0) mix = 0;
|
|
if (mix > 1) mix = 1;
|
|
addEffectForTag(tag, new FilterEffect(type, freq, detune, q, gain, mix));
|
|
};
|
|
Acts.prototype.AddDelayEffect = function (tag, delay, gain, mix) {
|
|
if (api !== API_WEBAUDIO) return;
|
|
tag = tag.toLowerCase();
|
|
mix = mix / 100;
|
|
if (mix < 0) mix = 0;
|
|
if (mix > 1) mix = 1;
|
|
addEffectForTag(tag, new DelayEffect(delay, dbToLinear(gain), mix));
|
|
};
|
|
Acts.prototype.AddFlangerEffect = function (
|
|
tag,
|
|
delay,
|
|
modulation,
|
|
freq,
|
|
feedback,
|
|
mix
|
|
) {
|
|
if (api !== API_WEBAUDIO || !context["createOscillator"]) return;
|
|
tag = tag.toLowerCase();
|
|
mix = mix / 100;
|
|
if (mix < 0) mix = 0;
|
|
if (mix > 1) mix = 1;
|
|
addEffectForTag(
|
|
tag,
|
|
new FlangerEffect(
|
|
delay / 1000,
|
|
modulation / 1000,
|
|
freq,
|
|
feedback / 100,
|
|
mix
|
|
)
|
|
);
|
|
};
|
|
Acts.prototype.AddPhaserEffect = function (
|
|
tag,
|
|
freq,
|
|
detune,
|
|
q,
|
|
mod,
|
|
modfreq,
|
|
mix
|
|
) {
|
|
if (api !== API_WEBAUDIO || !context["createOscillator"]) return;
|
|
tag = tag.toLowerCase();
|
|
mix = mix / 100;
|
|
if (mix < 0) mix = 0;
|
|
if (mix > 1) mix = 1;
|
|
addEffectForTag(tag, new PhaserEffect(freq, detune, q, mod, modfreq, mix));
|
|
};
|
|
Acts.prototype.AddConvolutionEffect = function (tag, file, norm, mix) {
|
|
if (api !== API_WEBAUDIO || !context["createConvolver"]) return;
|
|
var doNormalize = norm === 0;
|
|
var src =
|
|
this.runtime.files_subfolder + file[0] + (useOgg ? ".ogg" : ".m4a");
|
|
var b = this.getAudioBuffer(src, false);
|
|
tag = tag.toLowerCase();
|
|
mix = mix / 100;
|
|
if (mix < 0) mix = 0;
|
|
if (mix > 1) mix = 1;
|
|
var fx;
|
|
if (b.bufferObject) {
|
|
fx = new ConvolveEffect(b.bufferObject, doNormalize, mix, src);
|
|
}
|
|
else {
|
|
fx = new ConvolveEffect(null, doNormalize, mix, src);
|
|
b.normalizeWhenReady = doNormalize;
|
|
b.convolveWhenReady = fx;
|
|
}
|
|
addEffectForTag(tag, fx);
|
|
};
|
|
Acts.prototype.AddGainEffect = function (tag, g) {
|
|
if (api !== API_WEBAUDIO) return;
|
|
tag = tag.toLowerCase();
|
|
addEffectForTag(tag, new GainEffect(dbToLinear(g)));
|
|
};
|
|
Acts.prototype.AddMuteEffect = function (tag) {
|
|
if (api !== API_WEBAUDIO) return;
|
|
tag = tag.toLowerCase();
|
|
addEffectForTag(tag, new GainEffect(0)); // re-use gain effect with 0 gain
|
|
};
|
|
Acts.prototype.AddTremoloEffect = function (tag, freq, mix) {
|
|
if (api !== API_WEBAUDIO || !context["createOscillator"]) return;
|
|
tag = tag.toLowerCase();
|
|
mix = mix / 100;
|
|
if (mix < 0) mix = 0;
|
|
if (mix > 1) mix = 1;
|
|
addEffectForTag(tag, new TremoloEffect(freq, mix));
|
|
};
|
|
Acts.prototype.AddRingModEffect = function (tag, freq, mix) {
|
|
if (api !== API_WEBAUDIO || !context["createOscillator"]) return;
|
|
tag = tag.toLowerCase();
|
|
mix = mix / 100;
|
|
if (mix < 0) mix = 0;
|
|
if (mix > 1) mix = 1;
|
|
addEffectForTag(tag, new RingModulatorEffect(freq, mix));
|
|
};
|
|
Acts.prototype.AddDistortionEffect = function (
|
|
tag,
|
|
threshold,
|
|
headroom,
|
|
drive,
|
|
makeupgain,
|
|
mix
|
|
) {
|
|
if (api !== API_WEBAUDIO || !context["createWaveShaper"]) return;
|
|
tag = tag.toLowerCase();
|
|
mix = mix / 100;
|
|
if (mix < 0) mix = 0;
|
|
if (mix > 1) mix = 1;
|
|
addEffectForTag(
|
|
tag,
|
|
new DistortionEffect(threshold, headroom, drive, makeupgain, mix)
|
|
);
|
|
};
|
|
Acts.prototype.AddCompressorEffect = function (
|
|
tag,
|
|
threshold,
|
|
knee,
|
|
ratio,
|
|
attack,
|
|
release
|
|
) {
|
|
if (api !== API_WEBAUDIO || !context["createDynamicsCompressor"]) return;
|
|
tag = tag.toLowerCase();
|
|
addEffectForTag(
|
|
tag,
|
|
new CompressorEffect(
|
|
threshold,
|
|
knee,
|
|
ratio,
|
|
attack / 1000,
|
|
release / 1000
|
|
)
|
|
);
|
|
};
|
|
Acts.prototype.AddAnalyserEffect = function (tag, fftSize, smoothing) {
|
|
if (api !== API_WEBAUDIO) return;
|
|
tag = tag.toLowerCase();
|
|
addEffectForTag(tag, new AnalyserEffect(fftSize, smoothing));
|
|
};
|
|
Acts.prototype.RemoveEffects = function (tag) {
|
|
if (api !== API_WEBAUDIO) return;
|
|
tag = tag.toLowerCase();
|
|
var i, len, arr;
|
|
if (effects.hasOwnProperty(tag)) {
|
|
arr = effects[tag];
|
|
if (arr.length) {
|
|
for (i = 0, len = arr.length; i < len; i++) arr[i].remove();
|
|
cr.clearArray(arr);
|
|
reconnectEffects(tag);
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.SetEffectParameter = function (
|
|
tag,
|
|
index,
|
|
param,
|
|
value,
|
|
ramp,
|
|
time
|
|
) {
|
|
if (api !== API_WEBAUDIO) return;
|
|
tag = tag.toLowerCase();
|
|
index = Math.floor(index);
|
|
var arr;
|
|
if (!effects.hasOwnProperty(tag)) return;
|
|
arr = effects[tag];
|
|
if (index < 0 || index >= arr.length) return;
|
|
arr[index].setParam(param, value, ramp, time);
|
|
};
|
|
Acts.prototype.SetListenerObject = function (obj_) {
|
|
if (!obj_ || api !== API_WEBAUDIO) return;
|
|
var inst = obj_.getFirstPicked();
|
|
if (!inst) return;
|
|
this.listenerTracker.setObject(inst);
|
|
listenerX = inst.x;
|
|
listenerY = inst.y;
|
|
};
|
|
Acts.prototype.SetListenerZ = function (z) {
|
|
this.listenerZ = z;
|
|
};
|
|
Acts.prototype.ScheduleNextPlay = function (t) {
|
|
if (!context) return; // needs Web Audio API
|
|
this.nextPlayTime = t;
|
|
};
|
|
Acts.prototype.UnloadAudio = function (file) {
|
|
var is_music = file[1];
|
|
var src =
|
|
this.runtime.files_subfolder + file[0] + (useOgg ? ".ogg" : ".m4a");
|
|
var b = this.getAudioBuffer(
|
|
src,
|
|
is_music,
|
|
true /* don't create if missing */
|
|
);
|
|
if (!b) return; // not loaded
|
|
b.release();
|
|
cr.arrayFindRemove(audioBuffers, b);
|
|
};
|
|
Acts.prototype.UnloadAudioByName = function (folder, filename) {
|
|
var is_music = folder === 1;
|
|
var src =
|
|
this.runtime.files_subfolder +
|
|
filename.toLowerCase() +
|
|
(useOgg ? ".ogg" : ".m4a");
|
|
var b = this.getAudioBuffer(
|
|
src,
|
|
is_music,
|
|
true /* don't create if missing */
|
|
);
|
|
if (!b) return; // not loaded
|
|
b.release();
|
|
cr.arrayFindRemove(audioBuffers, b);
|
|
};
|
|
Acts.prototype.UnloadAll = function () {
|
|
var i, len;
|
|
for (i = 0, len = audioBuffers.length; i < len; ++i) {
|
|
audioBuffers[i].release();
|
|
}
|
|
cr.clearArray(audioBuffers);
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {}
|
|
Exps.prototype.Duration = function (ret, tag) {
|
|
getAudioByTag(tag, true);
|
|
if (taggedAudio.length) ret.set_float(taggedAudio[0].getDuration());
|
|
else ret.set_float(0);
|
|
};
|
|
Exps.prototype.PlaybackTime = function (ret, tag) {
|
|
getAudioByTag(tag, true);
|
|
if (taggedAudio.length) ret.set_float(taggedAudio[0].getPlaybackTime(true));
|
|
else ret.set_float(0);
|
|
};
|
|
Exps.prototype.Volume = function (ret, tag) {
|
|
getAudioByTag(tag, true);
|
|
if (taggedAudio.length) {
|
|
var v = taggedAudio[0].getVolume();
|
|
ret.set_float(linearToDb(v));
|
|
} else ret.set_float(0);
|
|
};
|
|
Exps.prototype.MasterVolume = function (ret) {
|
|
ret.set_float(linearToDb(masterVolume));
|
|
};
|
|
Exps.prototype.EffectCount = function (ret, tag) {
|
|
tag = tag.toLowerCase();
|
|
var arr = null;
|
|
if (effects.hasOwnProperty(tag)) arr = effects[tag];
|
|
ret.set_int(arr ? arr.length : 0);
|
|
};
|
|
function getAnalyser(tag, index) {
|
|
var arr = null;
|
|
if (effects.hasOwnProperty(tag)) arr = effects[tag];
|
|
if (arr && index >= 0 && index < arr.length && arr[index].freqBins)
|
|
return arr[index];
|
|
else return null;
|
|
}
|
|
Exps.prototype.AnalyserFreqBinCount = function (ret, tag, index) {
|
|
tag = tag.toLowerCase();
|
|
index = Math.floor(index);
|
|
var analyser = getAnalyser(tag, index);
|
|
ret.set_int(analyser ? analyser.node["frequencyBinCount"] : 0);
|
|
};
|
|
Exps.prototype.AnalyserFreqBinAt = function (ret, tag, index, bin) {
|
|
tag = tag.toLowerCase();
|
|
index = Math.floor(index);
|
|
bin = Math.floor(bin);
|
|
var analyser = getAnalyser(tag, index);
|
|
if (!analyser) ret.set_float(0);
|
|
else if (bin < 0 || bin >= analyser.node["frequencyBinCount"])
|
|
ret.set_float(0);
|
|
else ret.set_float(analyser.freqBins[bin]);
|
|
};
|
|
Exps.prototype.AnalyserPeakLevel = function (ret, tag, index) {
|
|
tag = tag.toLowerCase();
|
|
index = Math.floor(index);
|
|
var analyser = getAnalyser(tag, index);
|
|
if (analyser) ret.set_float(analyser.peak);
|
|
else ret.set_float(0);
|
|
};
|
|
Exps.prototype.AnalyserRMSLevel = function (ret, tag, index) {
|
|
tag = tag.toLowerCase();
|
|
index = Math.floor(index);
|
|
var analyser = getAnalyser(tag, index);
|
|
if (analyser) ret.set_float(analyser.rms);
|
|
else ret.set_float(0);
|
|
};
|
|
Exps.prototype.SampleRate = function (ret) {
|
|
ret.set_int(context ? context.sampleRate : 0);
|
|
};
|
|
Exps.prototype.CurrentTime = function (ret) {
|
|
ret.set_float(context ? context.currentTime : cr.performance_now());
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
})();
|
|
;
|
|
;
|
|
cr.plugins_.Browser = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Browser.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
var offlineScriptReady = false;
|
|
var browserPluginReady = false;
|
|
document.addEventListener("DOMContentLoaded", function ()
|
|
{
|
|
if (window["C2_RegisterSW"] && navigator["serviceWorker"])
|
|
{
|
|
var offlineClientScript = document.createElement("script");
|
|
offlineClientScript.onload = function ()
|
|
{
|
|
offlineScriptReady = true;
|
|
checkReady()
|
|
};
|
|
offlineClientScript.src = "offlineClient.js";
|
|
document.head.appendChild(offlineClientScript);
|
|
}
|
|
});
|
|
var browserInstance = null;
|
|
typeProto.onAppBegin = function ()
|
|
{
|
|
browserPluginReady = true;
|
|
checkReady();
|
|
};
|
|
function checkReady()
|
|
{
|
|
if (offlineScriptReady && browserPluginReady && window["OfflineClientInfo"])
|
|
{
|
|
window["OfflineClientInfo"]["SetMessageCallback"](function (e)
|
|
{
|
|
browserInstance.onSWMessage(e);
|
|
});
|
|
}
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
var self = this;
|
|
window.addEventListener("resize", function () {
|
|
self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnResize, self);
|
|
});
|
|
browserInstance = this;
|
|
if (typeof navigator.onLine !== "undefined")
|
|
{
|
|
window.addEventListener("online", function() {
|
|
self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnOnline, self);
|
|
});
|
|
window.addEventListener("offline", function() {
|
|
self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnOffline, self);
|
|
});
|
|
}
|
|
if (!this.runtime.isDirectCanvas)
|
|
{
|
|
document.addEventListener("appMobi.device.update.available", function() {
|
|
self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnUpdateReady, self);
|
|
});
|
|
document.addEventListener("backbutton", function() {
|
|
self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnBackButton, self);
|
|
});
|
|
document.addEventListener("menubutton", function() {
|
|
self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnMenuButton, self);
|
|
});
|
|
document.addEventListener("searchbutton", function() {
|
|
self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnSearchButton, self);
|
|
});
|
|
document.addEventListener("tizenhwkey", function (e) {
|
|
var ret;
|
|
switch (e["keyName"]) {
|
|
case "back":
|
|
ret = self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnBackButton, self);
|
|
if (!ret)
|
|
{
|
|
if (window["tizen"])
|
|
window["tizen"]["application"]["getCurrentApplication"]()["exit"]();
|
|
}
|
|
break;
|
|
case "menu":
|
|
ret = self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnMenuButton, self);
|
|
if (!ret)
|
|
e.preventDefault();
|
|
break;
|
|
}
|
|
});
|
|
}
|
|
if (this.runtime.isWindows10 && typeof Windows !== "undefined")
|
|
{
|
|
Windows["UI"]["Core"]["SystemNavigationManager"]["getForCurrentView"]().addEventListener("backrequested", function (e)
|
|
{
|
|
var ret = self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnBackButton, self);
|
|
if (ret)
|
|
e["handled"] = true;
|
|
});
|
|
}
|
|
else if (this.runtime.isWinJS && WinJS["Application"])
|
|
{
|
|
WinJS["Application"]["onbackclick"] = function (e)
|
|
{
|
|
return !!self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnBackButton, self);
|
|
};
|
|
}
|
|
this.runtime.addSuspendCallback(function(s) {
|
|
if (s)
|
|
{
|
|
self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnPageHidden, self);
|
|
}
|
|
else
|
|
{
|
|
self.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnPageVisible, self);
|
|
}
|
|
});
|
|
this.is_arcade = (typeof window["is_scirra_arcade"] !== "undefined");
|
|
};
|
|
instanceProto.onSWMessage = function (e)
|
|
{
|
|
var messageType = e["data"]["type"];
|
|
if (messageType === "downloading-update")
|
|
this.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnUpdateFound, this);
|
|
else if (messageType === "update-ready" || messageType === "update-pending")
|
|
this.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnUpdateReady, this);
|
|
else if (messageType === "offline-ready")
|
|
this.runtime.trigger(cr.plugins_.Browser.prototype.cnds.OnOfflineReady, this);
|
|
};
|
|
var batteryManager = null;
|
|
var loadedBatteryManager = false;
|
|
function maybeLoadBatteryManager()
|
|
{
|
|
if (loadedBatteryManager)
|
|
return;
|
|
if (!navigator["getBattery"])
|
|
return;
|
|
var promise = navigator["getBattery"]();
|
|
loadedBatteryManager = true;
|
|
if (promise)
|
|
{
|
|
promise.then(function (manager) {
|
|
batteryManager = manager;
|
|
});
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.CookiesEnabled = function()
|
|
{
|
|
return navigator ? navigator.cookieEnabled : false;
|
|
};
|
|
Cnds.prototype.IsOnline = function()
|
|
{
|
|
return navigator ? navigator.onLine : false;
|
|
};
|
|
Cnds.prototype.HasJava = function()
|
|
{
|
|
return navigator ? navigator.javaEnabled() : false;
|
|
};
|
|
Cnds.prototype.OnOnline = function()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnOffline = function()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsDownloadingUpdate = function ()
|
|
{
|
|
return false; // deprecated
|
|
};
|
|
Cnds.prototype.OnUpdateReady = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.PageVisible = function ()
|
|
{
|
|
return !this.runtime.isSuspended;
|
|
};
|
|
Cnds.prototype.OnPageVisible = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnPageHidden = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnResize = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsFullscreen = function ()
|
|
{
|
|
return !!(document["mozFullScreen"] || document["webkitIsFullScreen"] || document["fullScreen"] || this.runtime.isNodeFullscreen);
|
|
};
|
|
Cnds.prototype.OnBackButton = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnMenuButton = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnSearchButton = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsMetered = function ()
|
|
{
|
|
var connection = navigator["connection"] || navigator["mozConnection"] || navigator["webkitConnection"];
|
|
if (!connection)
|
|
return false;
|
|
return !!connection["metered"];
|
|
};
|
|
Cnds.prototype.IsCharging = function ()
|
|
{
|
|
var battery = navigator["battery"] || navigator["mozBattery"] || navigator["webkitBattery"];
|
|
if (battery)
|
|
{
|
|
return !!battery["charging"]
|
|
}
|
|
else
|
|
{
|
|
maybeLoadBatteryManager();
|
|
if (batteryManager)
|
|
{
|
|
return !!batteryManager["charging"];
|
|
}
|
|
else
|
|
{
|
|
return true; // if unknown, default to charging (powered)
|
|
}
|
|
}
|
|
};
|
|
Cnds.prototype.IsPortraitLandscape = function (p)
|
|
{
|
|
var current = (window.innerWidth <= window.innerHeight ? 0 : 1);
|
|
return current === p;
|
|
};
|
|
Cnds.prototype.SupportsFullscreen = function ()
|
|
{
|
|
if (this.runtime.isNodeWebkit)
|
|
return true;
|
|
var elem = this.runtime.canvasdiv || this.runtime.canvas;
|
|
return !!(elem["requestFullscreen"] || elem["mozRequestFullScreen"] || elem["msRequestFullscreen"] || elem["webkitRequestFullScreen"]);
|
|
};
|
|
Cnds.prototype.OnUpdateFound = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnUpdateReady = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnOfflineReady = function ()
|
|
{
|
|
return true;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.Alert = function (msg)
|
|
{
|
|
if (!this.runtime.isDomFree)
|
|
alert(msg.toString());
|
|
};
|
|
Acts.prototype.Close = function ()
|
|
{
|
|
if (this.runtime.isCocoonJs)
|
|
CocoonJS["App"]["forceToFinish"]();
|
|
else if (window["tizen"])
|
|
window["tizen"]["application"]["getCurrentApplication"]()["exit"]();
|
|
else if (navigator["app"] && navigator["app"]["exitApp"])
|
|
navigator["app"]["exitApp"]();
|
|
else if (navigator["device"] && navigator["device"]["exitApp"])
|
|
navigator["device"]["exitApp"]();
|
|
else if (!this.is_arcade && !this.runtime.isDomFree)
|
|
window.close();
|
|
};
|
|
Acts.prototype.Focus = function ()
|
|
{
|
|
if (this.runtime.isNodeWebkit)
|
|
{
|
|
var win = window["nwgui"]["Window"]["get"]();
|
|
win["focus"]();
|
|
}
|
|
else if (!this.is_arcade && !this.runtime.isDomFree)
|
|
window.focus();
|
|
};
|
|
Acts.prototype.Blur = function ()
|
|
{
|
|
if (this.runtime.isNodeWebkit)
|
|
{
|
|
var win = window["nwgui"]["Window"]["get"]();
|
|
win["blur"]();
|
|
}
|
|
else if (!this.is_arcade && !this.runtime.isDomFree)
|
|
window.blur();
|
|
};
|
|
Acts.prototype.GoBack = function ()
|
|
{
|
|
if (navigator["app"] && navigator["app"]["backHistory"])
|
|
navigator["app"]["backHistory"]();
|
|
else if (!this.is_arcade && !this.runtime.isDomFree && window.back)
|
|
window.back();
|
|
};
|
|
Acts.prototype.GoForward = function ()
|
|
{
|
|
if (!this.is_arcade && !this.runtime.isDomFree && window.forward)
|
|
window.forward();
|
|
};
|
|
Acts.prototype.GoHome = function ()
|
|
{
|
|
if (!this.is_arcade && !this.runtime.isDomFree && window.home)
|
|
window.home();
|
|
};
|
|
Acts.prototype.GoToURL = function (url, target)
|
|
{
|
|
if (this.runtime.isCocoonJs)
|
|
CocoonJS["App"]["openURL"](url);
|
|
else if (this.runtime.isEjecta)
|
|
ejecta["openURL"](url);
|
|
else if (this.runtime.isWinJS)
|
|
Windows["System"]["Launcher"]["launchUriAsync"](new Windows["Foundation"]["Uri"](url));
|
|
else if (navigator["app"] && navigator["app"]["loadUrl"])
|
|
navigator["app"]["loadUrl"](url, { "openExternal": true });
|
|
else if (self["cordova"] && self["cordova"]["InAppBrowser"])
|
|
self["cordova"]["InAppBrowser"]["open"](url, "_system");
|
|
else if (!this.is_arcade && !this.runtime.isDomFree)
|
|
{
|
|
if (target === 2 && !this.is_arcade) // top
|
|
window.top.location = url;
|
|
else if (target === 1 && !this.is_arcade) // parent
|
|
window.parent.location = url;
|
|
else // self
|
|
window.location = url;
|
|
}
|
|
};
|
|
Acts.prototype.GoToURLWindow = function (url, tag)
|
|
{
|
|
if (this.runtime.isCocoonJs)
|
|
CocoonJS["App"]["openURL"](url);
|
|
else if (this.runtime.isEjecta)
|
|
ejecta["openURL"](url);
|
|
else if (this.runtime.isWinJS)
|
|
Windows["System"]["Launcher"]["launchUriAsync"](new Windows["Foundation"]["Uri"](url));
|
|
else if (navigator["app"] && navigator["app"]["loadUrl"])
|
|
navigator["app"]["loadUrl"](url, { "openExternal": true });
|
|
else if (self["cordova"] && self["cordova"]["InAppBrowser"])
|
|
self["cordova"]["InAppBrowser"]["open"](url, "_system");
|
|
else if (!this.is_arcade && !this.runtime.isDomFree)
|
|
window.open(url, tag);
|
|
};
|
|
Acts.prototype.Reload = function ()
|
|
{
|
|
if (!this.is_arcade && !this.runtime.isDomFree)
|
|
window.location.reload();
|
|
};
|
|
var firstRequestFullscreen = true;
|
|
var crruntime = null;
|
|
function onFullscreenError(e)
|
|
{
|
|
if (console && console.warn)
|
|
console.warn("Fullscreen request failed: ", e);
|
|
crruntime["setSize"](window.innerWidth, window.innerHeight);
|
|
};
|
|
Acts.prototype.RequestFullScreen = function (stretchmode)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
{
|
|
cr.logexport("[Construct 2] Requesting fullscreen is not supported on this platform - the request has been ignored");
|
|
return;
|
|
}
|
|
if (stretchmode >= 2)
|
|
stretchmode += 1;
|
|
if (stretchmode === 6)
|
|
stretchmode = 2;
|
|
if (this.runtime.isNodeWebkit)
|
|
{
|
|
if (this.runtime.isDebug)
|
|
{
|
|
debuggerFullscreen(true);
|
|
}
|
|
else if (!this.runtime.isNodeFullscreen && window["nwgui"])
|
|
{
|
|
window["nwgui"]["Window"]["get"]()["enterFullscreen"]();
|
|
this.runtime.isNodeFullscreen = true;
|
|
this.runtime.fullscreen_scaling = (stretchmode >= 2 ? stretchmode : 0);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (document["mozFullScreen"] || document["webkitIsFullScreen"] || !!document["msFullscreenElement"] || document["fullScreen"] || document["fullScreenElement"])
|
|
{
|
|
return;
|
|
}
|
|
this.runtime.fullscreen_scaling = (stretchmode >= 2 ? stretchmode : 0);
|
|
var elem = document.documentElement;
|
|
if (firstRequestFullscreen)
|
|
{
|
|
firstRequestFullscreen = false;
|
|
crruntime = this.runtime;
|
|
elem.addEventListener("mozfullscreenerror", onFullscreenError);
|
|
elem.addEventListener("webkitfullscreenerror", onFullscreenError);
|
|
elem.addEventListener("MSFullscreenError", onFullscreenError);
|
|
elem.addEventListener("fullscreenerror", onFullscreenError);
|
|
}
|
|
if (elem["requestFullscreen"])
|
|
elem["requestFullscreen"]();
|
|
else if (elem["mozRequestFullScreen"])
|
|
elem["mozRequestFullScreen"]();
|
|
else if (elem["msRequestFullscreen"])
|
|
elem["msRequestFullscreen"]();
|
|
else if (elem["webkitRequestFullScreen"])
|
|
{
|
|
if (typeof Element !== "undefined" && typeof Element["ALLOW_KEYBOARD_INPUT"] !== "undefined")
|
|
elem["webkitRequestFullScreen"](Element["ALLOW_KEYBOARD_INPUT"]);
|
|
else
|
|
elem["webkitRequestFullScreen"]();
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.CancelFullScreen = function ()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
{
|
|
cr.logexport("[Construct 2] Exiting fullscreen is not supported on this platform - the request has been ignored");
|
|
return;
|
|
}
|
|
if (this.runtime.isNodeWebkit)
|
|
{
|
|
if (this.runtime.isDebug)
|
|
{
|
|
debuggerFullscreen(false);
|
|
}
|
|
else if (this.runtime.isNodeFullscreen && window["nwgui"])
|
|
{
|
|
window["nwgui"]["Window"]["get"]()["leaveFullscreen"]();
|
|
this.runtime.isNodeFullscreen = false;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (document["exitFullscreen"])
|
|
document["exitFullscreen"]();
|
|
else if (document["mozCancelFullScreen"])
|
|
document["mozCancelFullScreen"]();
|
|
else if (document["msExitFullscreen"])
|
|
document["msExitFullscreen"]();
|
|
else if (document["webkitCancelFullScreen"])
|
|
document["webkitCancelFullScreen"]();
|
|
}
|
|
};
|
|
Acts.prototype.Vibrate = function (pattern_)
|
|
{
|
|
try {
|
|
var arr = pattern_.split(",");
|
|
var i, len;
|
|
for (i = 0, len = arr.length; i < len; i++)
|
|
{
|
|
arr[i] = parseInt(arr[i], 10);
|
|
}
|
|
if (navigator["vibrate"])
|
|
navigator["vibrate"](arr);
|
|
else if (navigator["mozVibrate"])
|
|
navigator["mozVibrate"](arr);
|
|
else if (navigator["webkitVibrate"])
|
|
navigator["webkitVibrate"](arr);
|
|
else if (navigator["msVibrate"])
|
|
navigator["msVibrate"](arr);
|
|
}
|
|
catch (e) {}
|
|
};
|
|
Acts.prototype.InvokeDownload = function (url_, filename_)
|
|
{
|
|
var a = document.createElement("a");
|
|
if (typeof a["download"] === "undefined")
|
|
{
|
|
window.open(url_);
|
|
}
|
|
else
|
|
{
|
|
var body = document.getElementsByTagName("body")[0];
|
|
a.textContent = filename_;
|
|
a.href = url_;
|
|
a["download"] = filename_;
|
|
body.appendChild(a);
|
|
var clickEvent = new MouseEvent("click");
|
|
a.dispatchEvent(clickEvent);
|
|
body.removeChild(a);
|
|
}
|
|
};
|
|
Acts.prototype.InvokeDownloadString = function (str_, mimetype_, filename_)
|
|
{
|
|
var datauri = "data:" + mimetype_ + "," + encodeURIComponent(str_);
|
|
var a = document.createElement("a");
|
|
if (typeof a["download"] === "undefined")
|
|
{
|
|
window.open(datauri);
|
|
}
|
|
else
|
|
{
|
|
var body = document.getElementsByTagName("body")[0];
|
|
a.textContent = filename_;
|
|
a.href = datauri;
|
|
a["download"] = filename_;
|
|
body.appendChild(a);
|
|
var clickEvent = new MouseEvent("click");
|
|
a.dispatchEvent(clickEvent);
|
|
body.removeChild(a);
|
|
}
|
|
};
|
|
Acts.prototype.ConsoleLog = function (type_, msg_)
|
|
{
|
|
if (typeof console === "undefined")
|
|
return;
|
|
if (type_ === 0 && console.log)
|
|
console.log(msg_.toString());
|
|
if (type_ === 1 && console.warn)
|
|
console.warn(msg_.toString());
|
|
if (type_ === 2 && console.error)
|
|
console.error(msg_.toString());
|
|
};
|
|
Acts.prototype.ConsoleGroup = function (name_)
|
|
{
|
|
if (console && console.group)
|
|
console.group(name_);
|
|
};
|
|
Acts.prototype.ConsoleGroupEnd = function ()
|
|
{
|
|
if (console && console.groupEnd)
|
|
console.groupEnd();
|
|
};
|
|
Acts.prototype.ExecJs = function (js_)
|
|
{
|
|
try {
|
|
if (eval)
|
|
eval(js_);
|
|
}
|
|
catch (e)
|
|
{
|
|
if (console && console.error)
|
|
console.error("Error executing Javascript: ", e);
|
|
}
|
|
};
|
|
var orientations = [
|
|
"portrait",
|
|
"landscape",
|
|
"portrait-primary",
|
|
"portrait-secondary",
|
|
"landscape-primary",
|
|
"landscape-secondary"
|
|
];
|
|
Acts.prototype.LockOrientation = function (o)
|
|
{
|
|
o = Math.floor(o);
|
|
if (o < 0 || o >= orientations.length)
|
|
return;
|
|
this.runtime.autoLockOrientation = false;
|
|
var orientation = orientations[o];
|
|
if (screen["orientation"] && screen["orientation"]["lock"])
|
|
screen["orientation"]["lock"](orientation);
|
|
else if (screen["lockOrientation"])
|
|
screen["lockOrientation"](orientation);
|
|
else if (screen["webkitLockOrientation"])
|
|
screen["webkitLockOrientation"](orientation);
|
|
else if (screen["mozLockOrientation"])
|
|
screen["mozLockOrientation"](orientation);
|
|
else if (screen["msLockOrientation"])
|
|
screen["msLockOrientation"](orientation);
|
|
};
|
|
Acts.prototype.UnlockOrientation = function ()
|
|
{
|
|
this.runtime.autoLockOrientation = false;
|
|
if (screen["orientation"] && screen["orientation"]["unlock"])
|
|
screen["orientation"]["unlock"]();
|
|
else if (screen["unlockOrientation"])
|
|
screen["unlockOrientation"]();
|
|
else if (screen["webkitUnlockOrientation"])
|
|
screen["webkitUnlockOrientation"]();
|
|
else if (screen["mozUnlockOrientation"])
|
|
screen["mozUnlockOrientation"]();
|
|
else if (screen["msUnlockOrientation"])
|
|
screen["msUnlockOrientation"]();
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.URL = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : window.location.toString());
|
|
};
|
|
Exps.prototype.Protocol = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : window.location.protocol);
|
|
};
|
|
Exps.prototype.Domain = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : window.location.hostname);
|
|
};
|
|
Exps.prototype.PathName = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : window.location.pathname);
|
|
};
|
|
Exps.prototype.Hash = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : window.location.hash);
|
|
};
|
|
Exps.prototype.Referrer = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : document.referrer);
|
|
};
|
|
Exps.prototype.Title = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : document.title);
|
|
};
|
|
Exps.prototype.Name = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : navigator.appName);
|
|
};
|
|
Exps.prototype.Version = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : navigator.appVersion);
|
|
};
|
|
Exps.prototype.Language = function (ret)
|
|
{
|
|
if (navigator && navigator.language)
|
|
ret.set_string(navigator.language);
|
|
else
|
|
ret.set_string("");
|
|
};
|
|
Exps.prototype.Platform = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : navigator.platform);
|
|
};
|
|
Exps.prototype.Product = function (ret)
|
|
{
|
|
if (navigator && navigator.product)
|
|
ret.set_string(navigator.product);
|
|
else
|
|
ret.set_string("");
|
|
};
|
|
Exps.prototype.Vendor = function (ret)
|
|
{
|
|
if (navigator && navigator.vendor)
|
|
ret.set_string(navigator.vendor);
|
|
else
|
|
ret.set_string("");
|
|
};
|
|
Exps.prototype.UserAgent = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : navigator.userAgent);
|
|
};
|
|
Exps.prototype.QueryString = function (ret)
|
|
{
|
|
ret.set_string(this.runtime.isDomFree ? "" : window.location.search);
|
|
};
|
|
Exps.prototype.QueryParam = function (ret, paramname)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
{
|
|
ret.set_string("");
|
|
return;
|
|
}
|
|
var match = RegExp('[?&]' + paramname + '=([^&]*)').exec(window.location.search);
|
|
if (match)
|
|
ret.set_string(decodeURIComponent(match[1].replace(/\+/g, ' ')));
|
|
else
|
|
ret.set_string("");
|
|
};
|
|
Exps.prototype.Bandwidth = function (ret)
|
|
{
|
|
var connection = navigator["connection"] || navigator["mozConnection"] || navigator["webkitConnection"];
|
|
if (!connection)
|
|
ret.set_float(Number.POSITIVE_INFINITY);
|
|
else
|
|
{
|
|
if (typeof connection["bandwidth"] !== "undefined")
|
|
ret.set_float(connection["bandwidth"]);
|
|
else if (typeof connection["downlinkMax"] !== "undefined")
|
|
ret.set_float(connection["downlinkMax"]);
|
|
else
|
|
ret.set_float(Number.POSITIVE_INFINITY);
|
|
}
|
|
};
|
|
Exps.prototype.ConnectionType = function (ret)
|
|
{
|
|
var connection = navigator["connection"] || navigator["mozConnection"] || navigator["webkitConnection"];
|
|
if (!connection)
|
|
ret.set_string("unknown");
|
|
else
|
|
{
|
|
ret.set_string(connection["type"] || "unknown");
|
|
}
|
|
};
|
|
Exps.prototype.BatteryLevel = function (ret)
|
|
{
|
|
var battery = navigator["battery"] || navigator["mozBattery"] || navigator["webkitBattery"];
|
|
if (battery)
|
|
{
|
|
ret.set_float(battery["level"]);
|
|
}
|
|
else
|
|
{
|
|
maybeLoadBatteryManager();
|
|
if (batteryManager)
|
|
{
|
|
ret.set_float(batteryManager["level"]);
|
|
}
|
|
else
|
|
{
|
|
ret.set_float(1); // not supported/unknown: assume charged
|
|
}
|
|
}
|
|
};
|
|
Exps.prototype.BatteryTimeLeft = function (ret)
|
|
{
|
|
var battery = navigator["battery"] || navigator["mozBattery"] || navigator["webkitBattery"];
|
|
if (battery)
|
|
{
|
|
ret.set_float(battery["dischargingTime"]);
|
|
}
|
|
else
|
|
{
|
|
maybeLoadBatteryManager();
|
|
if (batteryManager)
|
|
{
|
|
ret.set_float(batteryManager["dischargingTime"]);
|
|
}
|
|
else
|
|
{
|
|
ret.set_float(Number.POSITIVE_INFINITY); // not supported/unknown: assume infinite time left
|
|
}
|
|
}
|
|
};
|
|
Exps.prototype.ExecJS = function (ret, js_)
|
|
{
|
|
if (!eval)
|
|
{
|
|
ret.set_any(0);
|
|
return;
|
|
}
|
|
var result = 0;
|
|
try {
|
|
result = eval(js_);
|
|
}
|
|
catch (e)
|
|
{
|
|
if (console && console.error)
|
|
console.error("Error executing Javascript: ", e);
|
|
}
|
|
if (typeof result === "number")
|
|
ret.set_any(result);
|
|
else if (typeof result === "string")
|
|
ret.set_any(result);
|
|
else if (typeof result === "boolean")
|
|
ret.set_any(result ? 1 : 0);
|
|
else
|
|
ret.set_any(0);
|
|
};
|
|
Exps.prototype.ScreenWidth = function (ret)
|
|
{
|
|
ret.set_int(screen.width);
|
|
};
|
|
Exps.prototype.ScreenHeight = function (ret)
|
|
{
|
|
ret.set_int(screen.height);
|
|
};
|
|
Exps.prototype.DevicePixelRatio = function (ret)
|
|
{
|
|
ret.set_float(this.runtime.devicePixelRatio);
|
|
};
|
|
Exps.prototype.WindowInnerWidth = function (ret)
|
|
{
|
|
ret.set_int(window.innerWidth);
|
|
};
|
|
Exps.prototype.WindowInnerHeight = function (ret)
|
|
{
|
|
ret.set_int(window.innerHeight);
|
|
};
|
|
Exps.prototype.WindowOuterWidth = function (ret)
|
|
{
|
|
ret.set_int(window.outerWidth);
|
|
};
|
|
Exps.prototype.WindowOuterHeight = function (ret)
|
|
{
|
|
ret.set_int(window.outerHeight);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Button = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Button.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
{
|
|
cr.logexport("[Construct 2] Button plugin not supported on this platform - the object will not be created");
|
|
return;
|
|
}
|
|
this.isCheckbox = (this.properties[0] === 1);
|
|
this.inputElem = document.createElement("input");
|
|
if (this.isCheckbox)
|
|
this.elem = document.createElement("label");
|
|
else
|
|
this.elem = this.inputElem;
|
|
this.labelText = null;
|
|
this.inputElem.type = (this.isCheckbox ? "checkbox" : "button");
|
|
this.inputElem.id = this.properties[6];
|
|
jQuery(this.elem).appendTo(this.runtime.canvasdiv ? this.runtime.canvasdiv : "body");
|
|
if (this.isCheckbox)
|
|
{
|
|
jQuery(this.inputElem).appendTo(this.elem);
|
|
this.labelText = document.createTextNode(this.properties[1]);
|
|
jQuery(this.elem).append(this.labelText);
|
|
this.inputElem.checked = (this.properties[7] !== 0);
|
|
jQuery(this.elem).css("font-family", "sans-serif");
|
|
jQuery(this.elem).css("display", "inline-block");
|
|
jQuery(this.elem).css("color", "black");
|
|
}
|
|
else
|
|
this.inputElem.value = this.properties[1];
|
|
this.elem.title = this.properties[2];
|
|
this.inputElem.disabled = (this.properties[4] === 0);
|
|
this.autoFontSize = (this.properties[5] !== 0);
|
|
this.element_hidden = false;
|
|
if (this.properties[3] === 0)
|
|
{
|
|
jQuery(this.elem).hide();
|
|
this.visible = false;
|
|
this.element_hidden = true;
|
|
}
|
|
this.inputElem.onclick = (function (self) {
|
|
return function(e) {
|
|
e.stopPropagation();
|
|
self.runtime.isInUserInputEvent = true;
|
|
self.runtime.trigger(cr.plugins_.Button.prototype.cnds.OnClicked, self);
|
|
self.runtime.isInUserInputEvent = false;
|
|
};
|
|
})(this);
|
|
this.elem.addEventListener("touchstart", function (e) {
|
|
e.stopPropagation();
|
|
}, false);
|
|
this.elem.addEventListener("touchmove", function (e) {
|
|
e.stopPropagation();
|
|
}, false);
|
|
this.elem.addEventListener("touchend", function (e) {
|
|
e.stopPropagation();
|
|
}, false);
|
|
jQuery(this.elem).mousedown(function (e) {
|
|
e.stopPropagation();
|
|
});
|
|
jQuery(this.elem).mouseup(function (e) {
|
|
e.stopPropagation();
|
|
});
|
|
jQuery(this.elem).keydown(function (e) {
|
|
e.stopPropagation();
|
|
});
|
|
jQuery(this.elem).keyup(function (e) {
|
|
e.stopPropagation();
|
|
});
|
|
this.lastLeft = 0;
|
|
this.lastTop = 0;
|
|
this.lastRight = 0;
|
|
this.lastBottom = 0;
|
|
this.lastWinWidth = 0;
|
|
this.lastWinHeight = 0;
|
|
this.updatePosition(true);
|
|
this.runtime.tickMe(this);
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
var o = {
|
|
"tooltip": this.elem.title,
|
|
"disabled": !!this.inputElem.disabled
|
|
};
|
|
if (this.isCheckbox)
|
|
{
|
|
o["checked"] = !!this.inputElem.checked;
|
|
o["text"] = this.labelText.nodeValue;
|
|
}
|
|
else
|
|
{
|
|
o["text"] = this.elem.value;
|
|
}
|
|
return o;
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.elem.title = o["tooltip"];
|
|
this.inputElem.disabled = o["disabled"];
|
|
if (this.isCheckbox)
|
|
{
|
|
this.inputElem.checked = o["checked"];
|
|
this.labelText.nodeValue = o["text"];
|
|
}
|
|
else
|
|
{
|
|
this.elem.value = o["text"];
|
|
}
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
jQuery(this.elem).remove();
|
|
this.elem = null;
|
|
};
|
|
instanceProto.tick = function ()
|
|
{
|
|
this.updatePosition();
|
|
};
|
|
var last_canvas_offset = null;
|
|
var last_checked_tick = -1;
|
|
instanceProto.updatePosition = function (first)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
var left = this.layer.layerToCanvas(this.x, this.y, true);
|
|
var top = this.layer.layerToCanvas(this.x, this.y, false);
|
|
var right = this.layer.layerToCanvas(this.x + this.width, this.y + this.height, true);
|
|
var bottom = this.layer.layerToCanvas(this.x + this.width, this.y + this.height, false);
|
|
var rightEdge = this.runtime.width / this.runtime.devicePixelRatio;
|
|
var bottomEdge = this.runtime.height / this.runtime.devicePixelRatio;
|
|
if (!this.visible || !this.layer.visible || right <= 0 || bottom <= 0 || left >= rightEdge || top >= bottomEdge)
|
|
{
|
|
if (!this.element_hidden)
|
|
jQuery(this.elem).hide();
|
|
this.element_hidden = true;
|
|
return;
|
|
}
|
|
if (left < 1)
|
|
left = 1;
|
|
if (top < 1)
|
|
top = 1;
|
|
if (right >= rightEdge)
|
|
right = rightEdge - 1;
|
|
if (bottom >= bottomEdge)
|
|
bottom = bottomEdge - 1;
|
|
var curWinWidth = window.innerWidth;
|
|
var curWinHeight = window.innerHeight;
|
|
if (!first && this.lastLeft === left && this.lastTop === top && this.lastRight === right && this.lastBottom === bottom && this.lastWinWidth === curWinWidth && this.lastWinHeight === curWinHeight)
|
|
{
|
|
if (this.element_hidden)
|
|
{
|
|
jQuery(this.elem).show();
|
|
this.element_hidden = false;
|
|
}
|
|
return;
|
|
}
|
|
this.lastLeft = left;
|
|
this.lastTop = top;
|
|
this.lastRight = right;
|
|
this.lastBottom = bottom;
|
|
this.lastWinWidth = curWinWidth;
|
|
this.lastWinHeight = curWinHeight;
|
|
if (this.element_hidden)
|
|
{
|
|
jQuery(this.elem).show();
|
|
this.element_hidden = false;
|
|
}
|
|
var offx = Math.round(left) + jQuery(this.runtime.canvas).offset().left;
|
|
var offy = Math.round(top) + jQuery(this.runtime.canvas).offset().top;
|
|
jQuery(this.elem).css("position", "absolute");
|
|
jQuery(this.elem).offset({left: offx, top: offy});
|
|
jQuery(this.elem).width(Math.round(right - left));
|
|
jQuery(this.elem).height(Math.round(bottom - top));
|
|
if (this.autoFontSize)
|
|
jQuery(this.elem).css("font-size", ((this.layer.getScale(true) / this.runtime.devicePixelRatio) - 0.2) + "em");
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnClicked = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsChecked = function ()
|
|
{
|
|
return this.isCheckbox && this.inputElem.checked;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetText = function (text)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
if (this.isCheckbox)
|
|
this.labelText.nodeValue = text;
|
|
else
|
|
this.elem.value = text;
|
|
};
|
|
Acts.prototype.SetTooltip = function (text)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.elem.title = text;
|
|
};
|
|
Acts.prototype.SetVisible = function (vis)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.visible = (vis !== 0);
|
|
};
|
|
Acts.prototype.SetEnabled = function (en)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.inputElem.disabled = (en === 0);
|
|
};
|
|
Acts.prototype.SetFocus = function ()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.inputElem.focus();
|
|
};
|
|
Acts.prototype.SetBlur = function ()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.inputElem.blur();
|
|
};
|
|
Acts.prototype.SetCSSStyle = function (p, v)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
jQuery(this.elem).css(p, v);
|
|
};
|
|
Acts.prototype.SetChecked = function (c)
|
|
{
|
|
if (this.runtime.isDomFree || !this.isCheckbox)
|
|
return;
|
|
this.inputElem.checked = (c === 1);
|
|
};
|
|
Acts.prototype.ToggleChecked = function ()
|
|
{
|
|
if (this.runtime.isDomFree || !this.isCheckbox)
|
|
return;
|
|
this.inputElem.checked = !this.inputElem.checked;
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
var lastCSS = "";
|
|
var importList = [];
|
|
function importcssfile(filename){
|
|
if (importList.indexOf(filename)==-1){ //Only imports if file of same name not already imported
|
|
var fileref=document.createElement("link")
|
|
fileref.setAttribute("rel", "stylesheet")
|
|
fileref.setAttribute("type", "text/css")
|
|
fileref.setAttribute("href", filename)
|
|
document.getElementsByTagName("head")[0].appendChild(fileref)
|
|
importList.push(filename)
|
|
}
|
|
};
|
|
if(!Array.prototype.indexOf) {
|
|
Array.prototype.indexOf = function(what, i) {
|
|
i = i || 0;
|
|
var L = this.length;
|
|
while (i < L) {
|
|
if(this[i] === what) return i;
|
|
++i;
|
|
}
|
|
return -1;
|
|
};
|
|
};
|
|
function removecssfile(filename){
|
|
var removeList=document.getElementsByTagName("link")
|
|
for (var i=removeList.length; i>=0; i--){ //search backwards within nodelist for matching elements to remove
|
|
if (removeList[i] && removeList[i].getAttribute("href")!=null && removeList[i].getAttribute("href").indexOf(filename)!=-1)
|
|
removeList[i].parentNode.removeChild(removeList[i]) //remove element by calling parentNode.removeChild()
|
|
}
|
|
importList.splice(importList.indexOf(filename), 1);
|
|
};
|
|
cr.plugins_.CSS_import = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.CSS_import.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
if (this.properties[0] != ""){
|
|
importcssfile(this.properties[0]);
|
|
lastCSS = this.properties[0];
|
|
}
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
};
|
|
pluginProto.cnds = {};
|
|
var cnds = pluginProto.cnds;
|
|
cnds.CompareCSS = function (text, case_)
|
|
{
|
|
return this.properties[0] === text;
|
|
};
|
|
pluginProto.acts = {};
|
|
var acts = pluginProto.acts;
|
|
acts.SetCSS = function (setName)
|
|
{
|
|
importcssfile(setName);
|
|
lastCSS = setName;
|
|
};
|
|
acts.RemCSS = function (remName)
|
|
{
|
|
removecssfile(remName);
|
|
};
|
|
pluginProto.exps = {};
|
|
var exps = pluginProto.exps;
|
|
exps.GetCSS = function (ret)
|
|
{
|
|
if (lastCSS != ""){
|
|
ret.set_string(lastCSS);
|
|
} else if (this.properties[0] != ""){
|
|
ret.set_string(this.properties[0]);
|
|
} else {
|
|
ret.set_string("");
|
|
}
|
|
};
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Function = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Function.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var funcStack = [];
|
|
var funcStackPtr = -1;
|
|
var isInPreview = false; // set in onCreate
|
|
function FuncStackEntry()
|
|
{
|
|
this.name = "";
|
|
this.retVal = 0;
|
|
this.params = [];
|
|
};
|
|
function pushFuncStack()
|
|
{
|
|
funcStackPtr++;
|
|
if (funcStackPtr === funcStack.length)
|
|
funcStack.push(new FuncStackEntry());
|
|
return funcStack[funcStackPtr];
|
|
};
|
|
function getCurrentFuncStack()
|
|
{
|
|
if (funcStackPtr < 0)
|
|
return null;
|
|
return funcStack[funcStackPtr];
|
|
};
|
|
function getOneAboveFuncStack()
|
|
{
|
|
if (!funcStack.length)
|
|
return null;
|
|
var i = funcStackPtr + 1;
|
|
if (i >= funcStack.length)
|
|
i = funcStack.length - 1;
|
|
return funcStack[i];
|
|
};
|
|
function popFuncStack()
|
|
{
|
|
;
|
|
funcStackPtr--;
|
|
};
|
|
instanceProto.onCreate = function()
|
|
{
|
|
isInPreview = (typeof cr_is_preview !== "undefined");
|
|
var self = this;
|
|
window["c2_callFunction"] = function (name_, params_)
|
|
{
|
|
var i, len, v;
|
|
var fs = pushFuncStack();
|
|
fs.name = name_.toLowerCase();
|
|
fs.retVal = 0;
|
|
if (params_)
|
|
{
|
|
fs.params.length = params_.length;
|
|
for (i = 0, len = params_.length; i < len; ++i)
|
|
{
|
|
v = params_[i];
|
|
if (typeof v === "number" || typeof v === "string")
|
|
fs.params[i] = v;
|
|
else if (typeof v === "boolean")
|
|
fs.params[i] = (v ? 1 : 0);
|
|
else
|
|
fs.params[i] = 0;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
cr.clearArray(fs.params);
|
|
}
|
|
self.runtime.trigger(cr.plugins_.Function.prototype.cnds.OnFunction, self, fs.name);
|
|
popFuncStack();
|
|
return fs.retVal;
|
|
};
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnFunction = function (name_)
|
|
{
|
|
var fs = getCurrentFuncStack();
|
|
if (!fs)
|
|
return false;
|
|
return cr.equals_nocase(name_, fs.name);
|
|
};
|
|
Cnds.prototype.CompareParam = function (index_, cmp_, value_)
|
|
{
|
|
var fs = getCurrentFuncStack();
|
|
if (!fs)
|
|
return false;
|
|
index_ = cr.floor(index_);
|
|
if (index_ < 0 || index_ >= fs.params.length)
|
|
return false;
|
|
return cr.do_cmp(fs.params[index_], cmp_, value_);
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.CallFunction = function (name_, params_)
|
|
{
|
|
var fs = pushFuncStack();
|
|
fs.name = name_.toLowerCase();
|
|
fs.retVal = 0;
|
|
cr.shallowAssignArray(fs.params, params_);
|
|
var ran = this.runtime.trigger(cr.plugins_.Function.prototype.cnds.OnFunction, this, fs.name);
|
|
if (isInPreview && !ran)
|
|
{
|
|
;
|
|
}
|
|
popFuncStack();
|
|
};
|
|
Acts.prototype.SetReturnValue = function (value_)
|
|
{
|
|
var fs = getCurrentFuncStack();
|
|
if (fs)
|
|
fs.retVal = value_;
|
|
else
|
|
;
|
|
};
|
|
Acts.prototype.CallExpression = function (unused)
|
|
{
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.ReturnValue = function (ret)
|
|
{
|
|
var fs = getOneAboveFuncStack();
|
|
if (fs)
|
|
ret.set_any(fs.retVal);
|
|
else
|
|
ret.set_int(0);
|
|
};
|
|
Exps.prototype.ParamCount = function (ret)
|
|
{
|
|
var fs = getCurrentFuncStack();
|
|
if (fs)
|
|
ret.set_int(fs.params.length);
|
|
else
|
|
{
|
|
;
|
|
ret.set_int(0);
|
|
}
|
|
};
|
|
Exps.prototype.Param = function (ret, index_)
|
|
{
|
|
index_ = cr.floor(index_);
|
|
var fs = getCurrentFuncStack();
|
|
if (fs)
|
|
{
|
|
if (index_ >= 0 && index_ < fs.params.length)
|
|
{
|
|
ret.set_any(fs.params[index_]);
|
|
}
|
|
else
|
|
{
|
|
;
|
|
ret.set_int(0);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
;
|
|
ret.set_int(0);
|
|
}
|
|
};
|
|
Exps.prototype.Call = function (ret, name_)
|
|
{
|
|
var fs = pushFuncStack();
|
|
fs.name = name_.toLowerCase();
|
|
fs.retVal = 0;
|
|
cr.clearArray(fs.params);
|
|
var i, len;
|
|
for (i = 2, len = arguments.length; i < len; i++)
|
|
fs.params.push(arguments[i]);
|
|
var ran = this.runtime.trigger(cr.plugins_.Function.prototype.cnds.OnFunction, this, fs.name);
|
|
if (isInPreview && !ran)
|
|
{
|
|
;
|
|
}
|
|
popFuncStack();
|
|
ret.set_any(fs.retVal);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.GameAnalytics = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.GameAnalytics.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.build = this.properties[0];
|
|
this.customUserId = this.properties[1];
|
|
this.enableManualSessionHandling = this.properties[2];
|
|
this.enableInfoLog = this.properties[3];
|
|
this.enableVerboseLog = this.properties[4];
|
|
this.gameKeyBrowser = this.properties[5];
|
|
this.secretKeyBrowser = this.properties[6];
|
|
this.gameKeyAndroid = this.properties[7];
|
|
this.secretKeyAndroid = this.properties[8];
|
|
this.gameKeyIOS = this.properties[9];
|
|
this.secretKeyIOS = this.properties[10];
|
|
this.customDimensions01 = [];
|
|
this.customDimensions02 = [];
|
|
this.customDimensions03 = [];
|
|
this.resourceCurrencies = [];
|
|
this.resourceItemTypes = [];
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function (glw)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.addAvailableCustomDimension01 = function (dimension)
|
|
{
|
|
this.customDimensions01.push(dimension);
|
|
};
|
|
Acts.prototype.addAvailableCustomDimension02 = function (dimension)
|
|
{
|
|
this.customDimensions02.push(dimension);
|
|
};
|
|
Acts.prototype.addAvailableCustomDimension03 = function (dimension)
|
|
{
|
|
this.customDimensions03.push(dimension);
|
|
};
|
|
Acts.prototype.addAvailableResourceCurrency = function (currency)
|
|
{
|
|
this.resourceCurrencies.push(currency);
|
|
};
|
|
Acts.prototype.addAvailableResourceItemType = function (itemType)
|
|
{
|
|
this.resourceItemTypes.push(itemType);
|
|
};
|
|
Acts.prototype.initialize = function ()
|
|
{
|
|
var VERSION = "1.1.1";
|
|
if(typeof window["GameAnalytics"]["initialize"] == "function")
|
|
{
|
|
if(this.enableInfoLog)
|
|
{
|
|
GameAnalytics.setEnabledInfoLog(true);
|
|
}
|
|
if(this.enableVerboseLog)
|
|
{
|
|
GameAnalytics.setEnabledVerboseLog(true);
|
|
}
|
|
if(this.enableManualSessionHandling)
|
|
{
|
|
GameAnalytics.setEnabledManualSessionHandling(true);
|
|
}
|
|
if(this.customDimensions01.length > 0)
|
|
{
|
|
GameAnalytics.configureAvailableCustomDimensions01(this.customDimensions01);
|
|
}
|
|
if(this.customDimensions02.length > 0)
|
|
{
|
|
GameAnalytics.configureAvailableCustomDimensions02(this.customDimensions02);
|
|
}
|
|
if(this.customDimensions03.length > 0)
|
|
{
|
|
GameAnalytics.configureAvailableCustomDimensions03(this.customDimensions03);
|
|
}
|
|
if(this.resourceCurrencies.length > 0)
|
|
{
|
|
GameAnalytics.configureAvailableResourceCurrencies(this.resourceCurrencies);
|
|
}
|
|
if(this.resourceItemTypes.length > 0)
|
|
{
|
|
GameAnalytics.configureAvailableResourceItemTypes(this.resourceItemTypes);
|
|
}
|
|
GameAnalytics.configureBuild(this.build);
|
|
var sdkVersion = "construct " + VERSION;
|
|
var gameKey = device.platform === "Android" ? this.gameKeyAndroid : this.gameKeyIOS;
|
|
var secretKey = device.platform === "Android" ? this.secretKeyAndroid : this.secretKeyIOS;
|
|
GameAnalytics.initialize({
|
|
gameKey: gameKey,
|
|
secretKey: secretKey,
|
|
sdkVersion: sdkVersion
|
|
});
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
var ga = window["gameanalytics"]["GameAnalytics"];
|
|
if(this.enableInfoLog)
|
|
{
|
|
ga["setEnabledInfoLog"](true);
|
|
}
|
|
if(this.enableVerboseLog)
|
|
{
|
|
ga["setEnabledVerboseLog"](true);
|
|
}
|
|
if(this.enableManualSessionHandling)
|
|
{
|
|
ga["setEnabledManualSessionHandling"](true);
|
|
}
|
|
if(this.customDimensions01.length > 0)
|
|
{
|
|
ga["configureAvailableCustomDimensions01"](this.customDimensions01);
|
|
}
|
|
if(this.customDimensions02.length > 0)
|
|
{
|
|
ga["configureAvailableCustomDimensions02"](this.customDimensions02);
|
|
}
|
|
if(this.customDimensions03.length > 0)
|
|
{
|
|
ga["configureAvailableCustomDimensions03"](this.customDimensions03);
|
|
}
|
|
if(this.resourceCurrencies.length > 0)
|
|
{
|
|
ga["configureAvailableResourceCurrencies"](this.resourceCurrencies);
|
|
}
|
|
if(this.resourceItemTypes.length > 0)
|
|
{
|
|
ga["configureAvailableResourceItemTypes"](this.resourceItemTypes);
|
|
}
|
|
ga["configureBuild"](this.build);
|
|
ga["configureSdkGameEngineVersion"]("construct " + VERSION);
|
|
ga["initialize"](this.gameKeyBrowser, this.secretKeyBrowser);
|
|
}
|
|
else
|
|
{
|
|
console.log("initialize: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.addBusinessEvent = function (currency, amount, itemType, itemId, cartType)
|
|
{
|
|
if(typeof window["GameAnalytics"]["addBusinessEvent"] == "function")
|
|
{
|
|
GameAnalytics.addBusinessEvent({
|
|
currency: currency,
|
|
amount: amount,
|
|
itemType: itemType,
|
|
itemId: itemId,
|
|
cartType: cartType
|
|
});
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["addBusinessEvent"](currency, amount, itemType, itemId, cartType);
|
|
}
|
|
else
|
|
{
|
|
console.log("addBusinessEvent: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.addResourceEvent = function (flowType, currency, amount, itemType, itemId)
|
|
{
|
|
if(typeof window["GameAnalytics"]["addResourceEvent"] == "function")
|
|
{
|
|
GameAnalytics.addResourceEvent({
|
|
flowType: flowType,
|
|
currency: currency,
|
|
amount: amount,
|
|
itemType: itemType,
|
|
itemId: itemId
|
|
});
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["addResourceEvent"](flowType, currency, amount, itemType, itemId);
|
|
}
|
|
else
|
|
{
|
|
console.log("addResourceEvent: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.addProgressionEvent = function (progressionStatus, progression01, progression02, progression03)
|
|
{
|
|
if(typeof window["GameAnalytics"]["addProgressionEvent"] == "function")
|
|
{
|
|
GameAnalytics.addProgressionEvent({
|
|
progressionStatus: progressionStatus,
|
|
progression01: progression01,
|
|
progression02: progression02,
|
|
progression03: progression03
|
|
});
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["addProgressionEvent"](progressionStatus, progression01, progression02, progression03);
|
|
}
|
|
else
|
|
{
|
|
console.log("addProgressionEvent: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.addProgressionEventWithScore = function (progressionStatus, progression01, progression02, progression03, score)
|
|
{
|
|
if(typeof window["GameAnalytics"]["addProgressionEvent"] == "function")
|
|
{
|
|
GameAnalytics.addProgressionEvent({
|
|
progressionStatus: progressionStatus,
|
|
progression01: progression01,
|
|
progression02: progression02,
|
|
progression03: progression03,
|
|
score: score
|
|
});
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["addProgressionEvent"](progressionStatus, progression01, progression02, progression03, score);
|
|
}
|
|
else
|
|
{
|
|
console.log("addProgressionEventWithScore: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.addDesignEvent = function (eventId)
|
|
{
|
|
if(typeof window["GameAnalytics"]["addDesignEvent"] == "function")
|
|
{
|
|
GameAnalytics.addDesignEvent({
|
|
eventId: eventId
|
|
});
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["addDesignEvent"](eventId);
|
|
}
|
|
else
|
|
{
|
|
console.log("addDesignEvent: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.addDesignEventWithValue = function (eventId, value)
|
|
{
|
|
if(typeof window["GameAnalytics"]["addDesignEvent"] == "function")
|
|
{
|
|
GameAnalytics.addDesignEvent({
|
|
eventId: eventId,
|
|
value: value
|
|
});
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["addDesignEvent"](eventId, value);
|
|
}
|
|
else
|
|
{
|
|
console.log("addDesignEventWithValue: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.addErrorEvent = function (severity, message)
|
|
{
|
|
if(typeof window["GameAnalytics"]["addErrorEvent"] == "function")
|
|
{
|
|
GameAnalytics.addErrorEvent({
|
|
severity: severity,
|
|
message: message
|
|
});
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["addErrorEvent"](severity, message);
|
|
}
|
|
else
|
|
{
|
|
console.log("addErrorEvent: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.setEnabledManualSessionHandling = function (flag)
|
|
{
|
|
if(typeof window["GameAnalytics"]["setEnabledManualSessionHandling"] == "function")
|
|
{
|
|
GameAnalytics.setEnabledManualSessionHandling(flag ? true : false);
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["setEnabledManualSessionHandling"](flag ? true : false);
|
|
}
|
|
else
|
|
{
|
|
console.log("setEnabledManualSessionHandling: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.setCustomDimension01 = function (dimension)
|
|
{
|
|
if(typeof window["GameAnalytics"]["setCustomDimension01"] == "function")
|
|
{
|
|
GameAnalytics.setCustomDimension01(dimension);
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["setCustomDimension01"](dimension);
|
|
}
|
|
else
|
|
{
|
|
console.log("setCustomDimension01: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.setCustomDimension02 = function (dimension)
|
|
{
|
|
if(typeof window["GameAnalytics"]["setCustomDimension02"] == "function")
|
|
{
|
|
GameAnalytics.setCustomDimension02(dimension);
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["setCustomDimension02"](dimension);
|
|
}
|
|
else
|
|
{
|
|
console.log("setCustomDimension02: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.setCustomDimension03 = function (dimension)
|
|
{
|
|
if(typeof window["GameAnalytics"]["setCustomDimension03"] == "function")
|
|
{
|
|
GameAnalytics.setCustomDimension03(dimension);
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["setCustomDimension03"](dimension);
|
|
}
|
|
else
|
|
{
|
|
console.log("setCustomDimension03: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.setFacebookId = function (facebookId)
|
|
{
|
|
if(typeof window["GameAnalytics"]["setFacebookId"] == "function")
|
|
{
|
|
GameAnalytics.setFacebookId(facebookId);
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["setFacebookId"](facebookId);
|
|
}
|
|
else
|
|
{
|
|
console.log("setFacebookId: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.setGender = function (gender)
|
|
{
|
|
if(typeof window["GameAnalytics"]["setGender"] == "function")
|
|
{
|
|
GameAnalytics.setGender(gender);
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["setGender"](gender);
|
|
}
|
|
else
|
|
{
|
|
console.log("setGender: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.setBirthYear = function (birthYear)
|
|
{
|
|
if(typeof window["GameAnalytics"]["setBirthYear"] == "function")
|
|
{
|
|
GameAnalytics.setBirthYear(birthYear);
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["setBirthYear"](birthYear);
|
|
}
|
|
else
|
|
{
|
|
console.log("setBirthYear: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.startSession = function ()
|
|
{
|
|
if(typeof window["GameAnalytics"]["startSession"] == "function")
|
|
{
|
|
GameAnalytics.startSession();
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["startSession"]();
|
|
}
|
|
else
|
|
{
|
|
console.log("startSession: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
Acts.prototype.endSession = function ()
|
|
{
|
|
if(typeof window["GameAnalytics"]["endSession"] == "function")
|
|
{
|
|
GameAnalytics.endSession();
|
|
}
|
|
else if(typeof window["gameanalytics"]["GameAnalytics"] != "undefined")
|
|
{
|
|
window["gameanalytics"]["GameAnalytics"]["endSession"]();
|
|
}
|
|
else
|
|
{
|
|
console.log("endSession: GameAnalytics object not found");
|
|
return;
|
|
}
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Globals = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Globals.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.defaultVarsValues = JSON.stringify(this.instance_vars);
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"v": JSON.stringify(this.instance_vars)
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.instance_vars = JSON.parse(o["v"]);
|
|
};
|
|
function Cnds() {};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.ResetVariables = function()
|
|
{
|
|
this.instance_vars = JSON.parse(this.defaultVarsValues);
|
|
};
|
|
Acts.prototype.LoadVariables = function(varsJSON_)
|
|
{
|
|
this.instance_vars = JSON.parse(varsJSON_);
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.GetVariablesAsJSON = function(ret)
|
|
{
|
|
ret.set_string(JSON.stringify(this.instance_vars));
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.HTML_Div_Pode = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.HTML_Div_Pode.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
this.divloaded=0;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.elem = document.createElement("div");
|
|
this.elem.innerHTML=this.properties[1];
|
|
this.elem.style.cssText=this.properties[2];
|
|
this.CSSstyle = this.properties[2];
|
|
var widthfactor = this.width > 0 ? 1 : -1;
|
|
var heightfactor = this.height > 0 ? 1 : -1;
|
|
this.elem.setAttribute("id",this.properties[3]);
|
|
this.angle2D = this.angle;
|
|
/*this.angle3DX = 0;
|
|
this.angle3DY = 0;
|
|
this.angle3DZ = 0;
|
|
if(this.properties[5] == 1){
|
|
this.angle3DX = this.properties[8];
|
|
}
|
|
if(this.properties[6] == 1){
|
|
this.angle3DY = this.properties[8];
|
|
}
|
|
if(this.properties[7] == 1){
|
|
this.angle3DZ = this.properties[8];
|
|
}*/
|
|
this.rotation2D = "-webkit-transform:rotate("+ this.angle * widthfactor * heightfactor*180/3.1416
|
|
+"deg);"+
|
|
"-moz-transform:rotate("+ this.angle * widthfactor * heightfactor*180/3.1416
|
|
+"deg);"+
|
|
"-o-transform:rotate("+ this.angle * widthfactor * heightfactor*180/3.1416
|
|
+"deg);";
|
|
/*this.perspectiveValue = "-webkit-perspective:"+ this.properties[4]
|
|
+";"+
|
|
"-moz-perspective:"+ this.properties[4]
|
|
+";"+
|
|
"-o-perspective:"+ this.properties[4]
|
|
+";";
|
|
this.rotation3D = "-webkit-transform:rotate3d("+ this.properties[5] + "," + this.properties[6] + "," + this.properties[7] + "," + this.properties[8] + "deg);" +
|
|
"-moz-transform:rotate3d("+ this.properties[5] + "," + this.properties[6] + "," + this.properties[7] + "," + this.properties[8] + "deg);" +
|
|
"-o-transform:rotate3d("+ this.properties[5] + "," + this.properties[6] + "," + this.properties[7] + "," + this.properties[8] + "deg);" +
|
|
"-ms-transform:rotate3d("+ this.properties[5] + "," + this.properties[6] + "," + this.properties[7] + "," + this.properties[8] + "deg);" +
|
|
"transform:rotate3d("+ this.properties[5] + "," + this.properties[6] + "," + this.properties[7] + "," + this.properties[8] + "deg);";
|
|
*/
|
|
this.elem.style.cssText += ";"+/*this.CSSstyle +";"+*/ this.rotation2D/* + this.perspectiveValue + this.rotation3D*/;
|
|
this.elem.width = Math.round(this.elem.width);
|
|
this.elem.height = Math.round(this.elem.height);
|
|
this.elem.x = Math.round(this.elem.x);
|
|
this.elem.y = Math.round(this.elem.y);
|
|
jQuery(this.elem).appendTo("body");
|
|
if (this.properties[0] === 0)
|
|
{
|
|
jQuery(this.elem).hide();
|
|
this.visible = false;
|
|
}
|
|
this.updatePosition();
|
|
this.runtime.tickMe(this);
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
jQuery(this.elem).remove();
|
|
this.elem = null;
|
|
};
|
|
instanceProto.tick = function ()
|
|
{
|
|
this.updatePosition();
|
|
};
|
|
instanceProto.updatePosition = function ()
|
|
{
|
|
var left = this.layer.layerToCanvas(this.x, this.y, true);
|
|
var top = this.layer.layerToCanvas(this.x, this.y, false);
|
|
var right = this.layer.layerToCanvas(this.x + this.width, this.y + this.height, true);
|
|
var bottom = this.layer.layerToCanvas(this.x + this.width, this.y + this.height, false);
|
|
if (!this.visible || !this.layer.visible || right <= 0 || bottom <= 0 || left >= this.runtime.width || top >= this.runtime.height)
|
|
{
|
|
jQuery(this.elem).hide();
|
|
return;
|
|
}
|
|
if (left < 1)
|
|
left = 1;
|
|
if (top < 1)
|
|
top = 1;
|
|
if (right >= this.runtime.width)
|
|
right = this.runtime.width - 1;
|
|
if (bottom >= this.runtime.height)
|
|
bottom = this.runtime.height - 1;
|
|
jQuery(this.elem).show();
|
|
var offx = left + jQuery(this.runtime.canvas).offset().left;
|
|
var offy = top + jQuery(this.runtime.canvas).offset().top;
|
|
jQuery(this.elem).offset({left: offx, top: offy});
|
|
jQuery(this.elem).width(right - left);
|
|
jQuery(this.elem).height(bottom - top);
|
|
this.elem.width = Math.round(this.elem.width);
|
|
this.elem.height = Math.round(this.elem.height);
|
|
this.elem.x = Math.round(this.elem.x);
|
|
this.elem.y = Math.round(this.elem.y);
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
};
|
|
pluginProto.cnds = {};
|
|
var cnds = pluginProto.cnds;
|
|
cnds.CompareinnerHTML = function (text, case_)
|
|
{
|
|
return this.elem.innerHTML === text;
|
|
};
|
|
cnds.CompareStyle = function (text, case_)
|
|
{
|
|
return this.elem.style.cssText === text;
|
|
};
|
|
cnds.OnComplete = function (hmm)
|
|
{
|
|
return true;
|
|
};
|
|
cnds.OnError = function ()
|
|
{
|
|
return true;
|
|
};
|
|
cnds.isFocused = function ()
|
|
{
|
|
if(this.elem == document.activeElement) return true;
|
|
else return false;
|
|
};
|
|
pluginProto.acts = {};
|
|
var acts = pluginProto.acts;
|
|
acts.SetInnerHTML = function (text)
|
|
{
|
|
this.elem.innerHTML = text;
|
|
};
|
|
acts.rotate3d = function (x,y,z,deg)
|
|
{
|
|
var rotationTemp = "";
|
|
if(x == 1){
|
|
this.angle3DX = this.angle3DX+deg;
|
|
rotationTemp = "-webkit-transform:rotateX("+this.angle3DX + "deg);" +
|
|
"-moz-transform:rotateX("+this.angle3DX + "deg);" +
|
|
"-o-transform:rotateX("+this.angle3DX + "deg);" +
|
|
"-ms-transform:rotateX("+this.angle3DX + "deg);" +
|
|
"transform:rotateX("+this.angle3DX + "deg);";
|
|
}
|
|
if(y == 1){
|
|
this.angle3DY = this.angle3DY+deg;
|
|
rotationTemp = rotationTemp + "-webkit-transform:rotateY("+this.angle3DY + "deg);" +
|
|
"-moz-transform:rotateY("+this.angle3DY + "deg);" +
|
|
"-o-transform:rotateY("+this.angle3DY + "deg);" +
|
|
"-ms-transform:rotateY("+this.angle3DY + "deg);" +
|
|
"transform:rotateY("+this.angle3DY + "deg);";
|
|
}
|
|
if(z == 1){
|
|
this.angle3DZ = this.angle3DZ+deg;
|
|
rotationTemp = rotationTemp + "-webkit-transform:rotateZ("+this.angle3DZ + "deg);" +
|
|
"-moz-transform:rotateZ("+this.angle3DZ + "deg);" +
|
|
"-o-transform:rotateZ("+this.angle3DZ + "deg);" +
|
|
"-ms-transform:rotateZ("+this.angle3DZ + "deg);" +
|
|
"transform:rotateZ("+this.angle3DZ + "deg);";
|
|
}
|
|
this.rotation3D = rotationTemp;
|
|
this.elem.style.cssText= this.CSSstyle + this.rotation2D + this.perspectiveValue + this.rotation3D
|
|
/*+"position: absolute;"
|
|
+"left"+this.x+"px;"
|
|
+"top"+this.y+"px;"
|
|
+"-webkit-backface-visibility:visible;"
|
|
+"-webkit-transform-style: flat;";*/
|
|
this.updatePosition();
|
|
};
|
|
acts.rotate2d = function (deg)
|
|
{
|
|
var widthfactor = this.width > 0 ? 1 : -1;
|
|
var heightfactor = this.height > 0 ? 1 : -1;
|
|
this.rotation2D = "-webkit-transform:rotate("+ deg * widthfactor * heightfactor*180/3.1416
|
|
+"deg);"+
|
|
"-moz-transform:rotate("+ deg * widthfactor * heightfactor*180/3.1416
|
|
+"deg);"+
|
|
"-o-transform:rotate("+ deg * widthfactor * heightfactor*180/3.1416
|
|
+"deg);";
|
|
this.elem.style.cssText= this.CSSstyle + this.rotation2D + this.perspectiveValue + this.rotation3D;
|
|
this.angle = this.angle2D+deg*180/3.1416;
|
|
};
|
|
acts.setPerspective = function (perspective)
|
|
{
|
|
this.perspectiveValue = "-webkit-perspective:" + perspective +";" +
|
|
"-moz-perspective:" + perspective +";" +
|
|
"-o-perspective:" + perspective +";" +
|
|
"-ms-perspective:" + perspective +";" +
|
|
"perspective:" + perspective +";"
|
|
this.elem.style.cssText= this.CSSstyle + this.rotation2D + this.perspectiveValue + this.rotation3D;
|
|
};
|
|
acts.LoadDiv = function (url_,postdata_)
|
|
{
|
|
if(postdata_.length){
|
|
jQuery.ajax({
|
|
context: this,
|
|
dataType: "text",
|
|
type: "POST",
|
|
url: url_,
|
|
data: postdata_,
|
|
success: function(data) {
|
|
this.elem.innerHTML=data;
|
|
this.runtime.trigger(cr.plugins_.HTML_Div.prototype.cnds.OnComplete, this);
|
|
},
|
|
error: function() {
|
|
this.runtime.trigger(cr.plugins_.HTML_Div.prototype.cnds.OnError, this);
|
|
}
|
|
});
|
|
} else {
|
|
jQuery.ajax({
|
|
context: this,
|
|
dataType: "text",
|
|
type: "GET",
|
|
url: url_,
|
|
success: function(data) {
|
|
this.elem.innerHTML=data;
|
|
this.runtime.trigger(cr.plugins_.HTML_Div.prototype.cnds.OnComplete, this);
|
|
},
|
|
error: function() {
|
|
this.runtime.trigger(cr.plugins_.HTML_Div.prototype.cnds.OnError, this);
|
|
}
|
|
});
|
|
};
|
|
};
|
|
acts.SetStyle = function (text)
|
|
{
|
|
this.CSSstyle = text;
|
|
this.elem.style.cssText= this.CSSstyle + this.rotation2D + this.perspectiveValue + this.rotation3D;
|
|
};
|
|
acts.SetVisible = function (vis)
|
|
{
|
|
this.visible = (vis !== 0);
|
|
};
|
|
acts.setFocus = function ()
|
|
{
|
|
this.elem.focus();
|
|
};
|
|
pluginProto.exps = {};
|
|
var exps = pluginProto.exps;
|
|
exps.GetInnerHTML = function (ret)
|
|
{
|
|
ret.set_string(this.elem.innerHTML);
|
|
};
|
|
exps.GetStyle = function (ret)
|
|
{
|
|
ret.set_string(this.elem.style.cssText);
|
|
};
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.JSON = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
this.references = {};
|
|
};
|
|
(function ()
|
|
{
|
|
/*! (C) WebReflection Mit Style License */
|
|
var CircularJSON=function(e,t){function l(e,t,o){var u=[],f=[e],l=[e],c=[o?n:"[Circular]"],h=e,p=1,d;return function(e,v){return t&&(v=t.call(this,e,v)),e!==""&&(h!==this&&(d=p-a.call(f,this)-1,p-=d,f.splice(p,f.length),u.splice(p-1,u.length),h=this),typeof v=="object"&&v?(a.call(f,v)<0&&f.push(h=v),p=f.length,d=a.call(l,v),d<0?(d=l.push(v)-1,o?(u.push((""+e).replace(s,r)),c[d]=n+u.join(n)):c[d]=c[0]):v=c[d]):typeof v=="string"&&o&&(v=v.replace(r,i).replace(n,r))),v}}function c(e,t){for(var r=0,i=t.length;r<i;e=e[t[r++].replace(o,n)]);return e}function h(e){return function(t,s){var o=typeof s=="string";return o&&s.charAt(0)===n?new f(s.slice(1)):(t===""&&(s=v(s,s,{})),o&&(s=s.replace(u,"$1"+n).replace(i,r)),e?e.call(this,t,s):s)}}function p(e,t,n){for(var r=0,i=t.length;r<i;r++)t[r]=v(e,t[r],n);return t}function d(e,t,n){for(var r in t)t.hasOwnProperty(r)&&(t[r]=v(e,t[r],n));return t}function v(e,t,r){return t instanceof Array?p(e,t,r):t instanceof f?t.length?r.hasOwnProperty(t)?r[t]:r[t]=c(e,t.split(n)):e:t instanceof Object?d(e,t,r):t}function m(t,n,r,i){return e.stringify(t,l(t,n,!i),r)}function g(t,n){return e.parse(t,h(n))}var n="~",r="\\x"+("0"+n.charCodeAt(0).toString(16)).slice(-2),i="\\"+r,s=new t(r,"g"),o=new t(i,"g"),u=new t("(?:^|([^\\\\]))"+i),a=[].indexOf||function(e){for(var t=this.length;t--&&this[t]!==e;);return t},f=String;return{stringify:m,parse:g}}(JSON,RegExp);
|
|
var pluginProto = cr.plugins_.JSON.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var ROOT_KEY = "root";
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.data = {};
|
|
this.curKey = "";
|
|
this.curValue = undefined;
|
|
this.curPath = [];
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
this.data = null;
|
|
this.curKey = null;
|
|
this.curPath = null;
|
|
this.curValue = null;
|
|
var ref = this.type.plugin.references;
|
|
for (var name in ref) {
|
|
if (Object.prototype.hasOwnProperty.call(ref,name) &&
|
|
ref[name].origin === this) {
|
|
delete ref[name];
|
|
}
|
|
}
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return this.data[ROOT_KEY];
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.data[ROOT_KEY] = o;
|
|
};
|
|
/**helper functions**/
|
|
instanceProto.getValueFromPath = function(from_current, path) {
|
|
if (from_current) {
|
|
return this.getValueFromPath(
|
|
false,
|
|
this.curPath.concat(path)
|
|
);
|
|
} else {
|
|
var path_ = [ROOT_KEY].concat(path);
|
|
var value = this.data;
|
|
for (var i = 0; i < path_.length; i++) {
|
|
if (value === undefined) {
|
|
logInvalidPath(path);
|
|
break;
|
|
} else if (value === null) {
|
|
if (i < path_.length - 1) {
|
|
logInvalidPath(path);
|
|
value = undefined;
|
|
}
|
|
break;
|
|
} else {
|
|
value = value[path_[i]];
|
|
}
|
|
}
|
|
return value;
|
|
}
|
|
};
|
|
instanceProto.setValueFromPath = function(from_current, path, value) {
|
|
if (from_current) {
|
|
value = this.setValueFromPath(
|
|
false,
|
|
this.curPath.concat(path),
|
|
value
|
|
);
|
|
} else {
|
|
var path_ = [ROOT_KEY].concat(path);
|
|
var obj = this.data;
|
|
for (var i = 0; i < path_.length; i++) {
|
|
if (isCollection(obj)) {
|
|
if(i < path_.length-1) {
|
|
obj = obj[path_[i]]; // moving along
|
|
} else {
|
|
obj[path_[i]] = value; // silently create a new property if doesn't exist yet
|
|
}
|
|
} else {
|
|
logInvalidPath(path);
|
|
return;
|
|
}
|
|
}
|
|
}
|
|
};
|
|
function isCollection(obj) {
|
|
return type(obj) === "array" || type(obj) === "object";
|
|
}
|
|
function type(value) {
|
|
if (value === undefined) {
|
|
return "undefined";
|
|
} else if (value === null) {
|
|
return "null";
|
|
} else if (value === !!value) {
|
|
return "boolean";
|
|
} else if (Object.prototype.toString.call(value) === "[object Number]") {
|
|
return "number";
|
|
} else if (Object.prototype.toString.call(value) === "[object String]") {
|
|
return "string";
|
|
} else if (Object.prototype.toString.call(value) === "[object Array]") {
|
|
return "array";
|
|
} else if (Object.prototype.toString.call(value) === "[object Object]") {
|
|
return "object";
|
|
}
|
|
}
|
|
function Cnds() {}
|
|
Cnds.prototype.OnJSONParseError = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsObject = function (from_current,path)
|
|
{
|
|
var value = this.getValueFromPath(from_current === 1, path);
|
|
return type(value) === "object";
|
|
};
|
|
Cnds.prototype.IsArray = function (from_current,path)
|
|
{
|
|
var value = this.getValueFromPath(from_current === 1, path);
|
|
return type(value) === "array";
|
|
};
|
|
Cnds.prototype.IsBoolean = function (from_current,path)
|
|
{
|
|
var value = this.getValueFromPath(from_current === 1, path);
|
|
return type(value) === "boolean";
|
|
};
|
|
Cnds.prototype.IsNumber = function (from_current,path)
|
|
{
|
|
var value = this.getValueFromPath(from_current === 1, path);
|
|
return type(value) === "number";
|
|
};
|
|
Cnds.prototype.IsString = function (from_current,path)
|
|
{
|
|
var value = this.getValueFromPath(from_current === 1, path);
|
|
return type(value) === "string";
|
|
};
|
|
Cnds.prototype.IsNull = function (from_current,path)
|
|
{
|
|
var value = this.getValueFromPath(from_current === 1, path);
|
|
return type(value) === "null";
|
|
};
|
|
Cnds.prototype.IsUndefined = function (from_current,path)
|
|
{
|
|
var value = this.getValueFromPath(from_current === 1, path);
|
|
return value === undefined;
|
|
};
|
|
Cnds.prototype.IsEmpty = function (from_current,path)
|
|
{
|
|
var value = this.getValueFromPath(from_current === 1, path);
|
|
var t = type(value);
|
|
if (t === "array") {
|
|
return value.length === 0;
|
|
} else if (t === "object") {
|
|
for (var p in value){
|
|
if (Object.prototype.hasOwnProperty.call(value,p)) {
|
|
return false;
|
|
}
|
|
}
|
|
return true;
|
|
} else {
|
|
return value === undefined; // any value other than undefined is considered not empty
|
|
}
|
|
};
|
|
Cnds.prototype.ForEachProperty = function (from_current,path)
|
|
{
|
|
var current_frame = this.runtime.getCurrentEventStack();
|
|
var current_event = current_frame.current_event;
|
|
var solModifierAfterCnds = current_frame.isModifierAfterCnds();
|
|
var current_loop = this.runtime.pushLoopStack();
|
|
var lastPath = this.curPath; // keep a reference to the original Current Path
|
|
var path_;
|
|
if(from_current === 1 ) {
|
|
path_ = this.curPath.concat(path);
|
|
} else {
|
|
path_ = path;
|
|
}
|
|
var obj = this.getValueFromPath(false,path_);
|
|
var p;
|
|
if (solModifierAfterCnds) {
|
|
for (p in obj) {
|
|
if (Object.prototype.hasOwnProperty.call(obj,p)) {
|
|
this.curPath = path_.concat(p);
|
|
this.curKey = p;
|
|
this.curValue = obj[p];
|
|
this.runtime.pushCopySol(current_event.solModifiers);
|
|
current_event.retrigger();
|
|
this.runtime.popSol(current_event.solModifiers);
|
|
if (current_loop.stopped) {
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
} else {
|
|
for (p in obj) {
|
|
if (Object.prototype.hasOwnProperty.call(obj,p)) {
|
|
this.curPath = path_.concat(p);
|
|
this.curKey = p;
|
|
this.curValue = obj[p];
|
|
current_event.retrigger();
|
|
if (current_loop.stopped) {
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
this.curPath = lastPath;
|
|
this.curKey = "";
|
|
this.curValue = undefined;
|
|
this.runtime.popLoopStack();
|
|
return false;
|
|
};
|
|
Cnds.prototype.ReferenceExists = function (name)
|
|
{
|
|
return name in this.type.plugin.references;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {}
|
|
Acts.prototype.NewObject = function (from_current,path)
|
|
{
|
|
this.setValueFromPath(from_current,path,{});
|
|
};
|
|
Acts.prototype.NewArray = function (from_current,path)
|
|
{
|
|
this.setValueFromPath(from_current,path,[]);
|
|
};
|
|
Acts.prototype.SetValue = function (value,from_current,path)
|
|
{
|
|
this.setValueFromPath(from_current,path,value);
|
|
};
|
|
Acts.prototype.SetBoolean = function (value,from_current,path)
|
|
{
|
|
this.setValueFromPath(from_current,path,value === 0);
|
|
};
|
|
Acts.prototype.SetNull = function (from_current,path)
|
|
{
|
|
this.setValueFromPath(from_current,path,null);
|
|
};
|
|
Acts.prototype.Delete = function (from_current,path)
|
|
{
|
|
var path_;
|
|
if(from_current) {
|
|
path_ = this.curPath.concat(path);
|
|
} else {
|
|
path_ = path;
|
|
}
|
|
function deleteIfValid(obj,prop) {
|
|
if ( obj !== undefined && obj !== null) {
|
|
if (type(obj) === "object" && obj[prop] !== undefined){
|
|
delete obj[prop];
|
|
} else if (type(obj) === "array" && type(prop) === "number") {
|
|
obj.splice(Math.floor(prop),1);
|
|
}
|
|
} else {
|
|
logInvalidPath(path_);
|
|
}
|
|
}
|
|
if (path_.length === 0) {
|
|
deleteIfValid(this.data,ROOT_KEY);
|
|
} else {
|
|
deleteIfValid(
|
|
this.getValueFromPath(
|
|
false,
|
|
path_.slice(0,path_.length-1) // go through all property but the last one
|
|
),
|
|
path_[path_.length-1]
|
|
);
|
|
}
|
|
};
|
|
Acts.prototype.Clear = function (from_current,path)
|
|
{
|
|
var path_;
|
|
if(from_current) {
|
|
path_ = this.curPath.concat(path);
|
|
} else {
|
|
path_ = path;
|
|
}
|
|
function clearIfValid(obj,prop) {
|
|
if ( obj !== undefined && obj !== null &&
|
|
(typeof obj === "object")){
|
|
var t = type(obj[prop]);
|
|
if(t === "array") {
|
|
obj[prop].length = 0;
|
|
} else if (t === "object") {
|
|
for (var p in obj[prop]){
|
|
if (Object.prototype.hasOwnProperty.call(obj[prop],p)) {
|
|
delete obj[prop][p];
|
|
}
|
|
}
|
|
} else {
|
|
delete obj[prop]; // in this case it's working like Delete
|
|
}
|
|
} else {
|
|
logInvalidPath(path_);
|
|
}
|
|
}
|
|
if (path_.length === 0) {
|
|
clearIfValid(this.data,ROOT_KEY);
|
|
} else {
|
|
clearIfValid(
|
|
this.getValueFromPath(
|
|
false,
|
|
path_.slice(0,path_.length-1) // go through all property but the last one
|
|
),
|
|
path_[path_.length-1]
|
|
);
|
|
}
|
|
};
|
|
instanceProto.LoadJSON = function(json,from_current,path) {
|
|
try {
|
|
this.setValueFromPath(from_current,path,CircularJSON.parse(json));
|
|
} catch (e) {
|
|
console.warn("LoadJSON error:",e);
|
|
this.runtime.trigger(cr.plugins_.JSON.prototype.cnds.OnJSONParseError, this);
|
|
}
|
|
};
|
|
Acts.prototype.LoadJSON = function (json,from_current,path)
|
|
{
|
|
this.LoadJSON(json,from_current,path);
|
|
};
|
|
Acts.prototype.LogData = function ()
|
|
{
|
|
var grouping = console.groupCollapsed !== undefined && console.groupEnd !== undefined;
|
|
if(grouping) {
|
|
console.groupCollapsed(ROOT_KEY+":");
|
|
console.log(CircularJSON.stringify(this.data[ROOT_KEY],null,2));
|
|
console.groupEnd();
|
|
} else {
|
|
console.log(ROOT_KEY+":",CircularJSON.stringify(this.data[ROOT_KEY],null,2));
|
|
}
|
|
console.log("Current Path:", CircularJSON.stringify(this.curPath));
|
|
if (grouping) {
|
|
console.group("References:");
|
|
} else {
|
|
console.log("References:");
|
|
}
|
|
var ref = this.type.plugin.references;
|
|
for (var name in ref) {
|
|
if (Object.prototype.hasOwnProperty.call(ref,name)) {
|
|
if(grouping) {
|
|
console.groupCollapsed(name);
|
|
console.log(CircularJSON.stringify(ref[name].value,null,2));
|
|
console.groupEnd();
|
|
} else {
|
|
console.log("["+name+"]",CircularJSON.stringify(ref[name].value,null,2));
|
|
}
|
|
}
|
|
}
|
|
if (grouping) {
|
|
console.groupEnd();
|
|
}
|
|
console.log(""); // just a blank line for clarity
|
|
};
|
|
Acts.prototype.SetCurrentPath = function(from_current,path) {
|
|
if(from_current) {
|
|
this.curPath = this.curPath.concat(path);
|
|
} else {
|
|
this.curPath = path.slice();
|
|
}
|
|
};
|
|
Acts.prototype.PushPathNode = function(node) {
|
|
this.curPath.push(node);
|
|
};
|
|
Acts.prototype.PopPathNode = function() {
|
|
this.curPath.pop();
|
|
};
|
|
Acts.prototype.SaveReference = function(name,from_current,path) {
|
|
this.type.plugin.references[name] = {
|
|
value: this.getValueFromPath(from_current===1, path),
|
|
origin: this
|
|
};
|
|
};
|
|
Acts.prototype.LoadReference = function(name,from_current,path) {
|
|
this.setValueFromPath(from_current===1,path,this.type.plugin.references[name].value);
|
|
};
|
|
Acts.prototype.DeleteReference = function(name) {
|
|
delete this.type.plugin.references[name];
|
|
};
|
|
Acts.prototype.DeleteAllReferences = function(name) {
|
|
this.type.plugin.references = {};
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {}
|
|
Exps.prototype.Size = function (ret)
|
|
{
|
|
var path = Array.prototype.slice.call(arguments);
|
|
path.shift(); // ret
|
|
var from_current = path.shift();
|
|
var value = this.getValueFromPath(from_current===1,path);
|
|
var t = type(value);
|
|
if (t === "array") {
|
|
ret.set_int(value.length);
|
|
} else if (t === "object") {
|
|
var size = 0;
|
|
for (var p in value)
|
|
{
|
|
if (Object.prototype.hasOwnProperty.call(value,p)) {
|
|
size++;
|
|
}
|
|
}
|
|
ret.set_int(size);
|
|
} else {
|
|
ret.set_int(-1);
|
|
}
|
|
};
|
|
Exps.prototype.Value = function (ret)
|
|
{
|
|
var path = Array.prototype.slice.call(arguments);
|
|
path.shift();
|
|
var from_current = path.shift();
|
|
var value = this.getValueFromPath(from_current===1,path);
|
|
var t = type(value);
|
|
if (t === "number" || t === "string") {
|
|
ret.set_any(value);
|
|
} else if (t === "boolean") {
|
|
ret.set_any((value) ? 1 : 0);
|
|
} else {
|
|
ret.set_any(t);
|
|
}
|
|
};
|
|
Exps.prototype.AsJson = function (ret)
|
|
{
|
|
var path = Array.prototype.slice.call(arguments);
|
|
path.shift();
|
|
var from_current = path.shift();
|
|
var value = this.getValueFromPath(from_current===1,path);
|
|
var t = type(value);
|
|
if(t === "undefined") {
|
|
ret.set_string(t);
|
|
} else {
|
|
ret.set_string(CircularJSON.stringify(value));
|
|
}
|
|
};
|
|
Exps.prototype.TypeOf = function (ret)
|
|
{
|
|
var path = Array.prototype.slice.call(arguments);
|
|
path.shift();
|
|
var from_current = path.shift();
|
|
var value = this.getValueFromPath(from_current===1,path);
|
|
ret.set_string(type(value));
|
|
};
|
|
Exps.prototype.CurrentKey = function (ret)
|
|
{
|
|
ret.set_string(this.curKey);
|
|
};
|
|
Exps.prototype.CurrentValue = function (ret)
|
|
{
|
|
var value = this.curValue;
|
|
var t = type(value);
|
|
if (t === "number" || t === "string") {
|
|
ret.set_any(value);
|
|
} else if (t === "boolean") {
|
|
ret.set_any((value) ? 1 : 0);
|
|
} else {
|
|
ret.set_any(t);
|
|
}
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Keyboard = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Keyboard.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
this.keyMap = new Array(256); // stores key up/down state
|
|
this.usedKeys = new Array(256);
|
|
this.triggerKey = 0;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
var self = this;
|
|
if (!this.runtime.isDomFree)
|
|
{
|
|
jQuery(document).keydown(
|
|
function(info) {
|
|
self.onKeyDown(info);
|
|
}
|
|
);
|
|
jQuery(document).keyup(
|
|
function(info) {
|
|
self.onKeyUp(info);
|
|
}
|
|
);
|
|
}
|
|
};
|
|
var keysToBlockWhenFramed = [32, 33, 34, 35, 36, 37, 38, 39, 40, 44];
|
|
instanceProto.onKeyDown = function (info)
|
|
{
|
|
var alreadyPreventedDefault = false;
|
|
if (window != window.top && keysToBlockWhenFramed.indexOf(info.which) > -1)
|
|
{
|
|
info.preventDefault();
|
|
alreadyPreventedDefault = true;
|
|
info.stopPropagation();
|
|
}
|
|
if (this.keyMap[info.which])
|
|
{
|
|
if (this.usedKeys[info.which] && !alreadyPreventedDefault)
|
|
info.preventDefault();
|
|
return;
|
|
}
|
|
this.keyMap[info.which] = true;
|
|
this.triggerKey = info.which;
|
|
this.runtime.isInUserInputEvent = true;
|
|
this.runtime.trigger(cr.plugins_.Keyboard.prototype.cnds.OnAnyKey, this);
|
|
var eventRan = this.runtime.trigger(cr.plugins_.Keyboard.prototype.cnds.OnKey, this);
|
|
var eventRan2 = this.runtime.trigger(cr.plugins_.Keyboard.prototype.cnds.OnKeyCode, this);
|
|
this.runtime.isInUserInputEvent = false;
|
|
if (eventRan || eventRan2)
|
|
{
|
|
this.usedKeys[info.which] = true;
|
|
if (!alreadyPreventedDefault)
|
|
info.preventDefault();
|
|
}
|
|
};
|
|
instanceProto.onKeyUp = function (info)
|
|
{
|
|
this.keyMap[info.which] = false;
|
|
this.triggerKey = info.which;
|
|
this.runtime.isInUserInputEvent = true;
|
|
this.runtime.trigger(cr.plugins_.Keyboard.prototype.cnds.OnAnyKeyReleased, this);
|
|
var eventRan = this.runtime.trigger(cr.plugins_.Keyboard.prototype.cnds.OnKeyReleased, this);
|
|
var eventRan2 = this.runtime.trigger(cr.plugins_.Keyboard.prototype.cnds.OnKeyCodeReleased, this);
|
|
this.runtime.isInUserInputEvent = false;
|
|
if (eventRan || eventRan2 || this.usedKeys[info.which])
|
|
{
|
|
this.usedKeys[info.which] = true;
|
|
info.preventDefault();
|
|
}
|
|
};
|
|
instanceProto.onWindowBlur = function ()
|
|
{
|
|
var i;
|
|
for (i = 0; i < 256; ++i)
|
|
{
|
|
if (!this.keyMap[i])
|
|
continue; // key already up
|
|
this.keyMap[i] = false;
|
|
this.triggerKey = i;
|
|
this.runtime.trigger(cr.plugins_.Keyboard.prototype.cnds.OnAnyKeyReleased, this);
|
|
var eventRan = this.runtime.trigger(cr.plugins_.Keyboard.prototype.cnds.OnKeyReleased, this);
|
|
var eventRan2 = this.runtime.trigger(cr.plugins_.Keyboard.prototype.cnds.OnKeyCodeReleased, this);
|
|
if (eventRan || eventRan2)
|
|
this.usedKeys[i] = true;
|
|
}
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return { "triggerKey": this.triggerKey };
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.triggerKey = o["triggerKey"];
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsKeyDown = function(key)
|
|
{
|
|
return this.keyMap[key];
|
|
};
|
|
Cnds.prototype.OnKey = function(key)
|
|
{
|
|
return (key === this.triggerKey);
|
|
};
|
|
Cnds.prototype.OnAnyKey = function(key)
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnAnyKeyReleased = function(key)
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnKeyReleased = function(key)
|
|
{
|
|
return (key === this.triggerKey);
|
|
};
|
|
Cnds.prototype.IsKeyCodeDown = function(key)
|
|
{
|
|
key = Math.floor(key);
|
|
if (key < 0 || key >= this.keyMap.length)
|
|
return false;
|
|
return this.keyMap[key];
|
|
};
|
|
Cnds.prototype.OnKeyCode = function(key)
|
|
{
|
|
return (key === this.triggerKey);
|
|
};
|
|
Cnds.prototype.OnKeyCodeReleased = function(key)
|
|
{
|
|
return (key === this.triggerKey);
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.LastKeyCode = function (ret)
|
|
{
|
|
ret.set_int(this.triggerKey);
|
|
};
|
|
function fixedStringFromCharCode(kc)
|
|
{
|
|
kc = Math.floor(kc);
|
|
switch (kc) {
|
|
case 8: return "backspace";
|
|
case 9: return "tab";
|
|
case 13: return "enter";
|
|
case 16: return "shift";
|
|
case 17: return "control";
|
|
case 18: return "alt";
|
|
case 19: return "pause";
|
|
case 20: return "capslock";
|
|
case 27: return "esc";
|
|
case 33: return "pageup";
|
|
case 34: return "pagedown";
|
|
case 35: return "end";
|
|
case 36: return "home";
|
|
case 37: return "←";
|
|
case 38: return "↑";
|
|
case 39: return "→";
|
|
case 40: return "↓";
|
|
case 45: return "insert";
|
|
case 46: return "del";
|
|
case 91: return "left window key";
|
|
case 92: return "right window key";
|
|
case 93: return "select";
|
|
case 96: return "numpad 0";
|
|
case 97: return "numpad 1";
|
|
case 98: return "numpad 2";
|
|
case 99: return "numpad 3";
|
|
case 100: return "numpad 4";
|
|
case 101: return "numpad 5";
|
|
case 102: return "numpad 6";
|
|
case 103: return "numpad 7";
|
|
case 104: return "numpad 8";
|
|
case 105: return "numpad 9";
|
|
case 106: return "numpad *";
|
|
case 107: return "numpad +";
|
|
case 109: return "numpad -";
|
|
case 110: return "numpad .";
|
|
case 111: return "numpad /";
|
|
case 112: return "F1";
|
|
case 113: return "F2";
|
|
case 114: return "F3";
|
|
case 115: return "F4";
|
|
case 116: return "F5";
|
|
case 117: return "F6";
|
|
case 118: return "F7";
|
|
case 119: return "F8";
|
|
case 120: return "F9";
|
|
case 121: return "F10";
|
|
case 122: return "F11";
|
|
case 123: return "F12";
|
|
case 144: return "numlock";
|
|
case 145: return "scroll lock";
|
|
case 186: return ";";
|
|
case 187: return "=";
|
|
case 188: return ",";
|
|
case 189: return "-";
|
|
case 190: return ".";
|
|
case 191: return "/";
|
|
case 192: return "'";
|
|
case 219: return "[";
|
|
case 220: return "\\";
|
|
case 221: return "]";
|
|
case 222: return "#";
|
|
case 223: return "`";
|
|
default: return String.fromCharCode(kc);
|
|
}
|
|
};
|
|
Exps.prototype.StringFromKeyCode = function (ret, kc)
|
|
{
|
|
ret.set_string(fixedStringFromCharCode(kc));
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
var localForageInitFailed = false;
|
|
try {
|
|
/*!
|
|
localForage -- Offline Storage, Improved
|
|
Version 1.4.0
|
|
https://mozilla.github.io/localForage
|
|
(c) 2013-2015 Mozilla, Apache License 2.0
|
|
*/
|
|
!function(){var a,b,c,d;!function(){var e={},f={};a=function(a,b,c){e[a]={deps:b,callback:c}},d=c=b=function(a){function c(b){if("."!==b.charAt(0))return b;for(var c=b.split("/"),d=a.split("/").slice(0,-1),e=0,f=c.length;f>e;e++){var g=c[e];if(".."===g)d.pop();else{if("."===g)continue;d.push(g)}}return d.join("/")}if(d._eak_seen=e,f[a])return f[a];if(f[a]={},!e[a])throw new Error("Could not find module "+a);for(var g,h=e[a],i=h.deps,j=h.callback,k=[],l=0,m=i.length;m>l;l++)"exports"===i[l]?k.push(g={}):k.push(b(c(i[l])));var n=j.apply(this,k);return f[a]=g||n}}(),a("promise/all",["./utils","exports"],function(a,b){"use strict";function c(a){var b=this;if(!d(a))throw new TypeError("You must pass an array to all.");return new b(function(b,c){function d(a){return function(b){f(a,b)}}function f(a,c){h[a]=c,0===--i&&b(h)}var g,h=[],i=a.length;0===i&&b([]);for(var j=0;j<a.length;j++)g=a[j],g&&e(g.then)?g.then(d(j),c):f(j,g)})}var d=a.isArray,e=a.isFunction;b.all=c}),a("promise/asap",["exports"],function(a){"use strict";function b(){return function(){process.nextTick(e)}}function c(){var a=0,b=new i(e),c=document.createTextNode("");return b.observe(c,{characterData:!0}),function(){c.data=a=++a%2}}function d(){return function(){j.setTimeout(e,1)}}function e(){for(var a=0;a<k.length;a++){var b=k[a],c=b[0],d=b[1];c(d)}k=[]}function f(a,b){var c=k.push([a,b]);1===c&&g()}var g,h="undefined"!=typeof window?window:{},i=h.MutationObserver||h.WebKitMutationObserver,j="undefined"!=typeof global?global:void 0===this?window:this,k=[];g="undefined"!=typeof process&&"[object process]"==={}.toString.call(process)?b():i?c():d(),a.asap=f}),a("promise/config",["exports"],function(a){"use strict";function b(a,b){return 2!==arguments.length?c[a]:void(c[a]=b)}var c={instrument:!1};a.config=c,a.configure=b}),a("promise/polyfill",["./promise","./utils","exports"],function(a,b,c){"use strict";function d(){var a;a="undefined"!=typeof global?global:"undefined"!=typeof window&&window.document?window:self;var b="Promise"in a&&"resolve"in a.Promise&&"reject"in a.Promise&&"all"in a.Promise&&"race"in a.Promise&&function(){var b;return new a.Promise(function(a){b=a}),f(b)}();b||(a.Promise=e)}var e=a.Promise,f=b.isFunction;c.polyfill=d}),a("promise/promise",["./config","./utils","./all","./race","./resolve","./reject","./asap","exports"],function(a,b,c,d,e,f,g,h){"use strict";function i(a){if(!v(a))throw new TypeError("You must pass a resolver function as the first argument to the promise constructor");if(!(this instanceof i))throw new TypeError("Failed to construct 'Promise': Please use the 'new' operator, this object constructor cannot be called as a function.");this._subscribers=[],j(a,this)}function j(a,b){function c(a){o(b,a)}function d(a){q(b,a)}try{a(c,d)}catch(e){d(e)}}function k(a,b,c,d){var e,f,g,h,i=v(c);if(i)try{e=c(d),g=!0}catch(j){h=!0,f=j}else e=d,g=!0;n(b,e)||(i&&g?o(b,e):h?q(b,f):a===D?o(b,e):a===E&&q(b,e))}function l(a,b,c,d){var e=a._subscribers,f=e.length;e[f]=b,e[f+D]=c,e[f+E]=d}function m(a,b){for(var c,d,e=a._subscribers,f=a._detail,g=0;g<e.length;g+=3)c=e[g],d=e[g+b],k(b,c,d,f);a._subscribers=null}function n(a,b){var c,d=null;try{if(a===b)throw new TypeError("A promises callback cannot return that same promise.");if(u(b)&&(d=b.then,v(d)))return d.call(b,function(d){return c?!0:(c=!0,void(b!==d?o(a,d):p(a,d)))},function(b){return c?!0:(c=!0,void q(a,b))}),!0}catch(e){return c?!0:(q(a,e),!0)}return!1}function o(a,b){a===b?p(a,b):n(a,b)||p(a,b)}function p(a,b){a._state===B&&(a._state=C,a._detail=b,t.async(r,a))}function q(a,b){a._state===B&&(a._state=C,a._detail=b,t.async(s,a))}function r(a){m(a,a._state=D)}function s(a){m(a,a._state=E)}var t=a.config,u=(a.configure,b.objectOrFunction),v=b.isFunction,w=(b.now,c.all),x=d.race,y=e.resolve,z=f.reject,A=g.asap;t.async=A;var B=void 0,C=0,D=1,E=2;i.prototype={constructor:i,_state:void 0,_detail:void 0,_subscribers:void 0,then:function(a,b){var c=this,d=new this.constructor(function(){});if(this._state){var e=arguments;t.async(function(){k(c._state,d,e[c._state-1],c._detail)})}else l(this,d,a,b);return d},"catch":function(a){return this.then(null,a)}},i.all=w,i.race=x,i.resolve=y,i.reject=z,h.Promise=i}),a("promise/race",["./utils","exports"],function(a,b){"use strict";function c(a){var b=this;if(!d(a))throw new TypeError("You must pass an array to race.");return new b(function(b,c){for(var d,e=0;e<a.length;e++)d=a[e],d&&"function"==typeof d.then?d.then(b,c):b(d)})}var d=a.isArray;b.race=c}),a("promise/reject",["exports"],function(a){"use strict";function b(a){var b=this;return new b(function(b,c){c(a)})}a.reject=b}),a("promise/resolve",["exports"],function(a){"use strict";function b(a){if(a&&"object"==typeof a&&a.constructor===this)return a;var b=this;return new b(function(b){b(a)})}a.resolve=b}),a("promise/utils",["exports"],function(a){"use strict";function b(a){return c(a)||"object"==typeof a&&null!==a}function c(a){return"function"==typeof a}function d(a){return"[object Array]"===Object.prototype.toString.call(a)}var e=Date.now||function(){return(new Date).getTime()};a.objectOrFunction=b,a.isFunction=c,a.isArray=d,a.now=e}),b("promise/polyfill").polyfill()}(),function(a,b){"object"==typeof exports&&"object"==typeof module?module.exports=b():"function"==typeof define&&define.amd?define([],b):"object"==typeof exports?exports.localforage=b():a.localforage=b()}(this,function(){return function(a){function b(d){if(c[d])return c[d].exports;var e=c[d]={exports:{},id:d,loaded:!1};return a[d].call(e.exports,e,e.exports,b),e.loaded=!0,e.exports}var c={};return b.m=a,b.c=c,b.p="",b(0)}([function(a,b,c){"use strict";function d(a,b){if(!(a instanceof b))throw new TypeError("Cannot call a class as a function")}b.__esModule=!0;var e=function(a){function b(a,b){a[b]=function(){var c=arguments;return a.ready().then(function(){return a[b].apply(a,c)})}}function e(){for(var a=1;a<arguments.length;a++){var b=arguments[a];if(b)for(var c in b)b.hasOwnProperty(c)&&(m(b[c])?arguments[0][c]=b[c].slice():arguments[0][c]=b[c])}return arguments[0]}function f(a){for(var b in h)if(h.hasOwnProperty(b)&&h[b]===a)return!0;return!1}var g={},h={INDEXEDDB:"asyncStorage",LOCALSTORAGE:"localStorageWrapper",WEBSQL:"webSQLStorage"},i=[h.INDEXEDDB,h.WEBSQL,h.LOCALSTORAGE],j=["clear","getItem","iterate","key","keys","length","removeItem","setItem"],k={description:"",driver:i.slice(),name:"localforage",size:4980736,storeName:"keyvaluepairs",version:1},l=function(a){var b={};return b[h.INDEXEDDB]=!!function(){try{var b=b||a.indexedDB||a.webkitIndexedDB||a.mozIndexedDB||a.OIndexedDB||a.msIndexedDB;return"undefined"!=typeof a.openDatabase&&a.navigator&&a.navigator.userAgent&&/Safari/.test(a.navigator.userAgent)&&!/Chrome/.test(a.navigator.userAgent)?!1:b&&"function"==typeof b.open&&"undefined"!=typeof a.IDBKeyRange}catch(c){return!1}}(),b[h.WEBSQL]=!!function(){try{return a.openDatabase}catch(b){return!1}}(),b[h.LOCALSTORAGE]=!!function(){try{return a.localStorage&&"setItem"in a.localStorage&&a.localStorage.setItem}catch(b){return!1}}(),b}(a),m=Array.isArray||function(a){return"[object Array]"===Object.prototype.toString.call(a)},n=function(){function a(b){d(this,a),this.INDEXEDDB=h.INDEXEDDB,this.LOCALSTORAGE=h.LOCALSTORAGE,this.WEBSQL=h.WEBSQL,this._defaultConfig=e({},k),this._config=e({},this._defaultConfig,b),this._driverSet=null,this._initDriver=null,this._ready=!1,this._dbInfo=null,this._wrapLibraryMethodsWithReady(),this.setDriver(this._config.driver)}return a.prototype.config=function(a){if("object"==typeof a){if(this._ready)return new Error("Can't call config() after localforage has been used.");for(var b in a)"storeName"===b&&(a[b]=a[b].replace(/\W/g,"_")),this._config[b]=a[b];return"driver"in a&&a.driver&&this.setDriver(this._config.driver),!0}return"string"==typeof a?this._config[a]:this._config},a.prototype.defineDriver=function(a,b,c){var d=new Promise(function(b,c){try{var d=a._driver,e=new Error("Custom driver not compliant; see https://mozilla.github.io/localForage/#definedriver"),h=new Error("Custom driver name already in use: "+a._driver);if(!a._driver)return void c(e);if(f(a._driver))return void c(h);for(var i=j.concat("_initStorage"),k=0;k<i.length;k++){var m=i[k];if(!m||!a[m]||"function"!=typeof a[m])return void c(e)}var n=Promise.resolve(!0);"_support"in a&&(n=a._support&&"function"==typeof a._support?a._support():Promise.resolve(!!a._support)),n.then(function(c){l[d]=c,g[d]=a,b()},c)}catch(o){c(o)}});return d.then(b,c),d},a.prototype.driver=function(){return this._driver||null},a.prototype.getDriver=function(a,b,d){var e=this,h=function(){if(f(a))switch(a){case e.INDEXEDDB:return new Promise(function(a,b){a(c(1))});case e.LOCALSTORAGE:return new Promise(function(a,b){a(c(2))});case e.WEBSQL:return new Promise(function(a,b){a(c(4))})}else if(g[a])return Promise.resolve(g[a]);return Promise.reject(new Error("Driver not found."))}();return h.then(b,d),h},a.prototype.getSerializer=function(a){var b=new Promise(function(a,b){a(c(3))});return a&&"function"==typeof a&&b.then(function(b){a(b)}),b},a.prototype.ready=function(a){var b=this,c=b._driverSet.then(function(){return null===b._ready&&(b._ready=b._initDriver()),b._ready});return c.then(a,a),c},a.prototype.setDriver=function(a,b,c){function d(){f._config.driver=f.driver()}function e(a){return function(){function b(){for(;c<a.length;){var e=a[c];return c++,f._dbInfo=null,f._ready=null,f.getDriver(e).then(function(a){return f._extend(a),d(),f._ready=f._initStorage(f._config),f._ready})["catch"](b)}d();var g=new Error("No available storage method found.");return f._driverSet=Promise.reject(g),f._driverSet}var c=0;return b()}}var f=this;m(a)||(a=[a]);var g=this._getSupportedDrivers(a),h=null!==this._driverSet?this._driverSet["catch"](function(){return Promise.resolve()}):Promise.resolve();return this._driverSet=h.then(function(){var a=g[0];return f._dbInfo=null,f._ready=null,f.getDriver(a).then(function(a){f._driver=a._driver,d(),f._wrapLibraryMethodsWithReady(),f._initDriver=e(g)})})["catch"](function(){d();var a=new Error("No available storage method found.");return f._driverSet=Promise.reject(a),f._driverSet}),this._driverSet.then(b,c),this._driverSet},a.prototype.supports=function(a){return!!l[a]},a.prototype._extend=function(a){e(this,a)},a.prototype._getSupportedDrivers=function(a){for(var b=[],c=0,d=a.length;d>c;c++){var e=a[c];this.supports(e)&&b.push(e)}return b},a.prototype._wrapLibraryMethodsWithReady=function(){for(var a=0;a<j.length;a++)b(this,j[a])},a.prototype.createInstance=function(b){return new a(b)},a}();return new n}("undefined"!=typeof window?window:self);b["default"]=e,a.exports=b["default"]},function(a,b){"use strict";b.__esModule=!0;var c=function(a){function b(b,c){b=b||[],c=c||{};try{return new Blob(b,c)}catch(d){if("TypeError"!==d.name)throw d;for(var e=a.BlobBuilder||a.MSBlobBuilder||a.MozBlobBuilder||a.WebKitBlobBuilder,f=new e,g=0;g<b.length;g+=1)f.append(b[g]);return f.getBlob(c.type)}}function c(a){for(var b=a.length,c=new ArrayBuffer(b),d=new Uint8Array(c),e=0;b>e;e++)d[e]=a.charCodeAt(e);return c}function d(a){return new Promise(function(b,c){var d=new XMLHttpRequest;d.open("GET",a),d.withCredentials=!0,d.responseType="arraybuffer",d.onreadystatechange=function(){return 4===d.readyState?200===d.status?b({response:d.response,type:d.getResponseHeader("Content-Type")}):void c({status:d.status,response:d.response}):void 0},d.send()})}function e(a){return new Promise(function(c,e){var f=b([""],{type:"image/png"}),g=a.transaction([D],"readwrite");g.objectStore(D).put(f,"key"),g.oncomplete=function(){var b=a.transaction([D],"readwrite"),f=b.objectStore(D).get("key");f.onerror=e,f.onsuccess=function(a){var b=a.target.result,e=URL.createObjectURL(b);d(e).then(function(a){c(!(!a||"image/png"!==a.type))},function(){c(!1)}).then(function(){URL.revokeObjectURL(e)})}},g.onerror=g.onabort=e})["catch"](function(){return!1})}function f(a){return"boolean"==typeof B?Promise.resolve(B):e(a).then(function(a){return B=a})}function g(a){return new Promise(function(b,c){var d=new FileReader;d.onerror=c,d.onloadend=function(c){var d=btoa(c.target.result||"");b({__local_forage_encoded_blob:!0,data:d,type:a.type})},d.readAsBinaryString(a)})}function h(a){var d=c(atob(a.data));return b([d],{type:a.type})}function i(a){return a&&a.__local_forage_encoded_blob}function j(a){var b=this,c=b._initReady().then(function(){var a=C[b._dbInfo.name];return a&&a.dbReady?a.dbReady:void 0});return c.then(a,a),c}function k(a){var b=C[a.name],c={};c.promise=new Promise(function(a){c.resolve=a}),b.deferredOperations.push(c),b.dbReady?b.dbReady=b.dbReady.then(function(){return c.promise}):b.dbReady=c.promise}function l(a){var b=C[a.name],c=b.deferredOperations.pop();c&&c.resolve()}function m(a){function b(){return Promise.resolve()}var c=this,d={db:null};if(a)for(var e in a)d[e]=a[e];C||(C={});var f=C[d.name];f||(f={forages:[],db:null,dbReady:null,deferredOperations:[]},C[d.name]=f),f.forages.push(c),c._initReady||(c._initReady=c.ready,c.ready=j);for(var g=[],h=0;h<f.forages.length;h++){var i=f.forages[h];i!==c&&g.push(i._initReady()["catch"](b))}var k=f.forages.slice(0);return Promise.all(g).then(function(){return d.db=f.db,n(d)}).then(function(a){return d.db=a,q(d,c._defaultConfig.version)?o(d):a}).then(function(a){d.db=f.db=a,c._dbInfo=d;for(var b=0;b<k.length;b++){var e=k[b];e!==c&&(e._dbInfo.db=d.db,e._dbInfo.version=d.version)}})}function n(a){return p(a,!1)}function o(a){return p(a,!0)}function p(b,c){return new Promise(function(d,e){if(b.db){if(!c)return d(b.db);k(b),b.db.close()}var f=[b.name];c&&f.push(b.version);var g=A.open.apply(A,f);c&&(g.onupgradeneeded=function(c){var d=g.result;try{d.createObjectStore(b.storeName),c.oldVersion<=1&&d.createObjectStore(D)}catch(e){if("ConstraintError"!==e.name)throw e;a.console.warn('The database "'+b.name+'" has been upgraded from version '+c.oldVersion+" to version "+c.newVersion+', but the storage "'+b.storeName+'" already exists.')}}),g.onerror=function(){e(g.error)},g.onsuccess=function(){d(g.result),l(b)}})}function q(b,c){if(!b.db)return!0;var d=!b.db.objectStoreNames.contains(b.storeName),e=b.version<b.db.version,f=b.version>b.db.version;if(e&&(b.version!==c&&a.console.warn('The database "'+b.name+"\" can't be downgraded from version "+b.db.version+" to version "+b.version+"."),b.version=b.db.version),f||d){if(d){var g=b.db.version+1;g>b.version&&(b.version=g)}return!0}return!1}function r(b,c){var d=this;"string"!=typeof b&&(a.console.warn(b+" used as a key, but it is not a string."),b=String(b));var e=new Promise(function(a,c){d.ready().then(function(){var e=d._dbInfo,f=e.db.transaction(e.storeName,"readonly").objectStore(e.storeName),g=f.get(b);g.onsuccess=function(){var b=g.result;void 0===b&&(b=null),i(b)&&(b=h(b)),a(b)},g.onerror=function(){c(g.error)}})["catch"](c)});return z(e,c),e}function s(a,b){var c=this,d=new Promise(function(b,d){c.ready().then(function(){var e=c._dbInfo,f=e.db.transaction(e.storeName,"readonly").objectStore(e.storeName),g=f.openCursor(),j=1;g.onsuccess=function(){var c=g.result;if(c){var d=c.value;i(d)&&(d=h(d));var e=a(d,c.key,j++);void 0!==e?b(e):c["continue"]()}else b()},g.onerror=function(){d(g.error)}})["catch"](d)});return z(d,b),d}function t(b,c,d){var e=this;"string"!=typeof b&&(a.console.warn(b+" used as a key, but it is not a string."),b=String(b));var h=new Promise(function(a,d){var h;e.ready().then(function(){return h=e._dbInfo,c instanceof Blob?f(h.db).then(function(a){return a?c:g(c)}):c}).then(function(c){var e=h.db.transaction(h.storeName,"readwrite"),f=e.objectStore(h.storeName);null===c&&(c=void 0),e.oncomplete=function(){void 0===c&&(c=null),a(c)},e.onabort=e.onerror=function(){var a=g.error?g.error:g.transaction.error;d(a)};var g=f.put(c,b)})["catch"](d)});return z(h,d),h}function u(b,c){var d=this;"string"!=typeof b&&(a.console.warn(b+" used as a key, but it is not a string."),b=String(b));var e=new Promise(function(a,c){d.ready().then(function(){var e=d._dbInfo,f=e.db.transaction(e.storeName,"readwrite"),g=f.objectStore(e.storeName),h=g["delete"](b);f.oncomplete=function(){a()},f.onerror=function(){c(h.error)},f.onabort=function(){var a=h.error?h.error:h.transaction.error;c(a)}})["catch"](c)});return z(e,c),e}function v(a){var b=this,c=new Promise(function(a,c){b.ready().then(function(){var d=b._dbInfo,e=d.db.transaction(d.storeName,"readwrite"),f=e.objectStore(d.storeName),g=f.clear();e.oncomplete=function(){a()},e.onabort=e.onerror=function(){var a=g.error?g.error:g.transaction.error;c(a)}})["catch"](c)});return z(c,a),c}function w(a){var b=this,c=new Promise(function(a,c){b.ready().then(function(){var d=b._dbInfo,e=d.db.transaction(d.storeName,"readonly").objectStore(d.storeName),f=e.count();f.onsuccess=function(){a(f.result)},f.onerror=function(){c(f.error)}})["catch"](c)});return z(c,a),c}function x(a,b){var c=this,d=new Promise(function(b,d){return 0>a?void b(null):void c.ready().then(function(){var e=c._dbInfo,f=e.db.transaction(e.storeName,"readonly").objectStore(e.storeName),g=!1,h=f.openCursor();h.onsuccess=function(){var c=h.result;return c?void(0===a?b(c.key):g?b(c.key):(g=!0,c.advance(a))):void b(null)},h.onerror=function(){d(h.error)}})["catch"](d)});return z(d,b),d}function y(a){var b=this,c=new Promise(function(a,c){b.ready().then(function(){var d=b._dbInfo,e=d.db.transaction(d.storeName,"readonly").objectStore(d.storeName),f=e.openCursor(),g=[];f.onsuccess=function(){var b=f.result;return b?(g.push(b.key),void b["continue"]()):void a(g)},f.onerror=function(){c(f.error)}})["catch"](c)});return z(c,a),c}function z(a,b){b&&a.then(function(a){b(null,a)},function(a){b(a)})}var A=A||a.indexedDB||a.webkitIndexedDB||a.mozIndexedDB||a.OIndexedDB||a.msIndexedDB;if(A){var B,C,D="local-forage-detect-blob-support",E={_driver:"asyncStorage",_initStorage:m,iterate:s,getItem:r,setItem:t,removeItem:u,clear:v,length:w,key:x,keys:y};return E}}("undefined"!=typeof window?window:self);b["default"]=c,a.exports=b["default"]},function(a,b,c){"use strict";b.__esModule=!0;var d=function(a){function b(a){var b=this,d={};if(a)for(var e in a)d[e]=a[e];return d.keyPrefix=d.name+"/",d.storeName!==b._defaultConfig.storeName&&(d.keyPrefix+=d.storeName+"/"),b._dbInfo=d,new Promise(function(a,b){a(c(3))}).then(function(a){return d.serializer=a,Promise.resolve()})}function d(a){var b=this,c=b.ready().then(function(){for(var a=b._dbInfo.keyPrefix,c=m.length-1;c>=0;c--){var d=m.key(c);0===d.indexOf(a)&&m.removeItem(d)}});return l(c,a),c}function e(b,c){var d=this;"string"!=typeof b&&(a.console.warn(b+" used as a key, but it is not a string."),b=String(b));var e=d.ready().then(function(){var a=d._dbInfo,c=m.getItem(a.keyPrefix+b);return c&&(c=a.serializer.deserialize(c)),c});return l(e,c),e}function f(a,b){var c=this,d=c.ready().then(function(){for(var b=c._dbInfo,d=b.keyPrefix,e=d.length,f=m.length,g=1,h=0;f>h;h++){var i=m.key(h);if(0===i.indexOf(d)){var j=m.getItem(i);if(j&&(j=b.serializer.deserialize(j)),j=a(j,i.substring(e),g++),void 0!==j)return j}}});return l(d,b),d}function g(a,b){var c=this,d=c.ready().then(function(){var b,d=c._dbInfo;try{b=m.key(a)}catch(e){b=null}return b&&(b=b.substring(d.keyPrefix.length)),b});return l(d,b),d}function h(a){var b=this,c=b.ready().then(function(){for(var a=b._dbInfo,c=m.length,d=[],e=0;c>e;e++)0===m.key(e).indexOf(a.keyPrefix)&&d.push(m.key(e).substring(a.keyPrefix.length));return d});return l(c,a),c}function i(a){var b=this,c=b.keys().then(function(a){return a.length});return l(c,a),c}function j(b,c){var d=this;"string"!=typeof b&&(a.console.warn(b+" used as a key, but it is not a string."),b=String(b));var e=d.ready().then(function(){var a=d._dbInfo;m.removeItem(a.keyPrefix+b)});return l(e,c),e}function k(b,c,d){var e=this;"string"!=typeof b&&(a.console.warn(b+" used as a key, but it is not a string."),b=String(b));var f=e.ready().then(function(){void 0===c&&(c=null);var a=c;return new Promise(function(d,f){var g=e._dbInfo;g.serializer.serialize(c,function(c,e){if(e)f(e);else try{m.setItem(g.keyPrefix+b,c),d(a)}catch(h){("QuotaExceededError"===h.name||"NS_ERROR_DOM_QUOTA_REACHED"===h.name)&&f(h),f(h)}})})});return l(f,d),f}function l(a,b){b&&a.then(function(a){b(null,a)},function(a){b(a)})}var m=null;try{if(!(a.localStorage&&"setItem"in a.localStorage))return;m=a.localStorage}catch(n){return}var o={_driver:"localStorageWrapper",_initStorage:b,iterate:f,getItem:e,setItem:k,removeItem:j,clear:d,length:i,key:g,keys:h};return o}("undefined"!=typeof window?window:self);b["default"]=d,a.exports=b["default"]},function(a,b){"use strict";b.__esModule=!0;var c=function(a){function b(b,c){b=b||[],c=c||{};try{return new Blob(b,c)}catch(d){if("TypeError"!==d.name)throw d;for(var e=a.BlobBuilder||a.MSBlobBuilder||a.MozBlobBuilder||a.WebKitBlobBuilder,f=new e,g=0;g<b.length;g+=1)f.append(b[g]);return f.getBlob(c.type)}}function c(a,b){var c="";if(a&&(c=a.toString()),a&&("[object ArrayBuffer]"===a.toString()||a.buffer&&"[object ArrayBuffer]"===a.buffer.toString())){var d,e=j;a instanceof ArrayBuffer?(d=a,e+=l):(d=a.buffer,"[object Int8Array]"===c?e+=n:"[object Uint8Array]"===c?e+=o:"[object Uint8ClampedArray]"===c?e+=p:"[object Int16Array]"===c?e+=q:"[object Uint16Array]"===c?e+=s:"[object Int32Array]"===c?e+=r:"[object Uint32Array]"===c?e+=t:"[object Float32Array]"===c?e+=u:"[object Float64Array]"===c?e+=v:b(new Error("Failed to get type for BinaryArray"))),b(e+f(d))}else if("[object Blob]"===c){var g=new FileReader;g.onload=function(){var c=h+a.type+"~"+f(this.result);b(j+m+c)},g.readAsArrayBuffer(a)}else try{b(JSON.stringify(a))}catch(i){console.error("Couldn't convert value into a JSON string: ",a),b(null,i)}}function d(a){if(a.substring(0,k)!==j)return JSON.parse(a);var c,d=a.substring(w),f=a.substring(k,w);if(f===m&&i.test(d)){var g=d.match(i);c=g[1],d=d.substring(g[0].length)}var h=e(d);switch(f){case l:return h;case m:return b([h],{type:c});case n:return new Int8Array(h);case o:return new Uint8Array(h);case p:return new Uint8ClampedArray(h);case q:return new Int16Array(h);case s:return new Uint16Array(h);case r:return new Int32Array(h);case t:return new Uint32Array(h);case u:return new Float32Array(h);case v:return new Float64Array(h);default:throw new Error("Unkown type: "+f)}}function e(a){var b,c,d,e,f,h=.75*a.length,i=a.length,j=0;"="===a[a.length-1]&&(h--,"="===a[a.length-2]&&h--);var k=new ArrayBuffer(h),l=new Uint8Array(k);for(b=0;i>b;b+=4)c=g.indexOf(a[b]),d=g.indexOf(a[b+1]),e=g.indexOf(a[b+2]),f=g.indexOf(a[b+3]),l[j++]=c<<2|d>>4,l[j++]=(15&d)<<4|e>>2,l[j++]=(3&e)<<6|63&f;return k}function f(a){var b,c=new Uint8Array(a),d="";for(b=0;b<c.length;b+=3)d+=g[c[b]>>2],d+=g[(3&c[b])<<4|c[b+1]>>4],d+=g[(15&c[b+1])<<2|c[b+2]>>6],d+=g[63&c[b+2]];return c.length%3===2?d=d.substring(0,d.length-1)+"=":c.length%3===1&&(d=d.substring(0,d.length-2)+"=="),d}var g="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",h="~~local_forage_type~",i=/^~~local_forage_type~([^~]+)~/,j="__lfsc__:",k=j.length,l="arbf",m="blob",n="si08",o="ui08",p="uic8",q="si16",r="si32",s="ur16",t="ui32",u="fl32",v="fl64",w=k+l.length,x={serialize:c,deserialize:d,stringToBuffer:e,bufferToString:f};return x}("undefined"!=typeof window?window:self);b["default"]=c,a.exports=b["default"]},function(a,b,c){"use strict";b.__esModule=!0;var d=function(a){function b(a){var b=this,d={db:null};if(a)for(var e in a)d[e]="string"!=typeof a[e]?a[e].toString():a[e];var f=new Promise(function(a,c){try{d.db=m(d.name,String(d.version),d.description,d.size)}catch(e){return c(e)}d.db.transaction(function(e){e.executeSql("CREATE TABLE IF NOT EXISTS "+d.storeName+" (id INTEGER PRIMARY KEY, key unique, value)",[],function(){b._dbInfo=d,a()},function(a,b){c(b)})})});return new Promise(function(a,b){a(c(3))}).then(function(a){return d.serializer=a,f})}function d(b,c){var d=this;"string"!=typeof b&&(a.console.warn(b+" used as a key, but it is not a string."),b=String(b));var e=new Promise(function(a,c){d.ready().then(function(){var e=d._dbInfo;e.db.transaction(function(d){d.executeSql("SELECT * FROM "+e.storeName+" WHERE key = ? LIMIT 1",[b],function(b,c){var d=c.rows.length?c.rows.item(0).value:null;d&&(d=e.serializer.deserialize(d)),a(d)},function(a,b){c(b)})})})["catch"](c)});return l(e,c),e}function e(a,b){var c=this,d=new Promise(function(b,d){c.ready().then(function(){var e=c._dbInfo;e.db.transaction(function(c){c.executeSql("SELECT * FROM "+e.storeName,[],function(c,d){for(var f=d.rows,g=f.length,h=0;g>h;h++){var i=f.item(h),j=i.value;if(j&&(j=e.serializer.deserialize(j)),j=a(j,i.key,h+1),void 0!==j)return void b(j)}b()},function(a,b){d(b)})})})["catch"](d)});return l(d,b),d}function f(b,c,d){var e=this;"string"!=typeof b&&(a.console.warn(b+" used as a key, but it is not a string."),b=String(b));var f=new Promise(function(a,d){e.ready().then(function(){void 0===c&&(c=null);var f=c,g=e._dbInfo;g.serializer.serialize(c,function(c,e){e?d(e):g.db.transaction(function(e){e.executeSql("INSERT OR REPLACE INTO "+g.storeName+" (key, value) VALUES (?, ?)",[b,c],function(){a(f)},function(a,b){d(b)})},function(a){a.code===a.QUOTA_ERR&&d(a)})})})["catch"](d)});return l(f,d),f}function g(b,c){var d=this;"string"!=typeof b&&(a.console.warn(b+" used as a key, but it is not a string."),b=String(b));var e=new Promise(function(a,c){d.ready().then(function(){var e=d._dbInfo;e.db.transaction(function(d){d.executeSql("DELETE FROM "+e.storeName+" WHERE key = ?",[b],function(){a()},function(a,b){c(b)})})})["catch"](c)});return l(e,c),e}function h(a){var b=this,c=new Promise(function(a,c){b.ready().then(function(){var d=b._dbInfo;d.db.transaction(function(b){b.executeSql("DELETE FROM "+d.storeName,[],function(){a()},function(a,b){c(b)})})})["catch"](c)});return l(c,a),c}function i(a){var b=this,c=new Promise(function(a,c){b.ready().then(function(){var d=b._dbInfo;d.db.transaction(function(b){b.executeSql("SELECT COUNT(key) as c FROM "+d.storeName,[],function(b,c){var d=c.rows.item(0).c;a(d)},function(a,b){c(b)})})})["catch"](c)});return l(c,a),c}function j(a,b){var c=this,d=new Promise(function(b,d){c.ready().then(function(){var e=c._dbInfo;e.db.transaction(function(c){c.executeSql("SELECT key FROM "+e.storeName+" WHERE id = ? LIMIT 1",[a+1],function(a,c){var d=c.rows.length?c.rows.item(0).key:null;b(d)},function(a,b){d(b)})})})["catch"](d)});return l(d,b),d}function k(a){var b=this,c=new Promise(function(a,c){b.ready().then(function(){var d=b._dbInfo;d.db.transaction(function(b){b.executeSql("SELECT key FROM "+d.storeName,[],function(b,c){for(var d=[],e=0;e<c.rows.length;e++)d.push(c.rows.item(e).key);a(d)},function(a,b){c(b)})})})["catch"](c)});return l(c,a),c}function l(a,b){b&&a.then(function(a){b(null,a)},function(a){b(a)})}var m=a.openDatabase;if(m){var n={_driver:"webSQLStorage",_initStorage:b,iterate:e,getItem:d,setItem:f,removeItem:g,clear:h,length:i,key:j,keys:k};return n}}("undefined"!=typeof window?window:self);b["default"]=d,a.exports=b["default"]}])});
|
|
}
|
|
catch (e)
|
|
{
|
|
localForageInitFailed = true;
|
|
}
|
|
cr.plugins_.LocalStorage = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var currentKey = "";
|
|
var lastValue = "";
|
|
var keyNamesList = [];
|
|
var errorMessage = "";
|
|
function getErrorString(err)
|
|
{
|
|
if (!err)
|
|
return "unknown error";
|
|
else if (typeof err === "string")
|
|
return err;
|
|
else if (typeof err.message === "string")
|
|
return err.message;
|
|
else if (typeof err.name === "string")
|
|
return err.name;
|
|
else if (typeof err.data === "string")
|
|
return err.data;
|
|
else
|
|
return "unknown error";
|
|
};
|
|
function TriggerStorageError(self, msg)
|
|
{
|
|
errorMessage = msg;
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnError, self);
|
|
};
|
|
var prefix = "";
|
|
var is_arcade = (typeof window["is_scirra_arcade"] !== "undefined");
|
|
if (is_arcade)
|
|
prefix = "sa" + window["scirra_arcade_id"] + "_";
|
|
function hasRequiredPrefix(key)
|
|
{
|
|
if (!prefix)
|
|
return true;
|
|
return key.substr(0, prefix.length) === prefix;
|
|
};
|
|
function removePrefix(key)
|
|
{
|
|
if (!prefix)
|
|
return key;
|
|
if (hasRequiredPrefix(key))
|
|
return key.substr(prefix.length);
|
|
};
|
|
var pluginProto = cr.plugins_.LocalStorage.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.pendingSets = 0; // number of pending 'Set item' actions
|
|
this.pendingGets = 0; // number of pending 'Get item' actions
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
var debugDataChanged = true;
|
|
function Cnds() {};
|
|
Cnds.prototype.OnItemSet = function (key)
|
|
{
|
|
return currentKey === key;
|
|
};
|
|
Cnds.prototype.OnAnyItemSet = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnItemGet = function (key)
|
|
{
|
|
return currentKey === key;
|
|
};
|
|
Cnds.prototype.OnAnyItemGet = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnItemRemoved = function (key)
|
|
{
|
|
return currentKey === key;
|
|
};
|
|
Cnds.prototype.OnAnyItemRemoved = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnCleared = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnAllKeyNamesLoaded = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnError = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnItemExists = function (key)
|
|
{
|
|
return currentKey === key;
|
|
};
|
|
Cnds.prototype.OnItemMissing = function (key)
|
|
{
|
|
return currentKey === key;
|
|
};
|
|
Cnds.prototype.CompareKey = function (cmp, key)
|
|
{
|
|
return cr.do_cmp(currentKey, cmp, key);
|
|
};
|
|
Cnds.prototype.CompareValue = function (cmp, v)
|
|
{
|
|
return cr.do_cmp(lastValue, cmp, v);
|
|
};
|
|
Cnds.prototype.IsProcessingSets = function ()
|
|
{
|
|
return this.pendingSets > 0;
|
|
};
|
|
Cnds.prototype.IsProcessingGets = function ()
|
|
{
|
|
return this.pendingGets > 0;
|
|
};
|
|
Cnds.prototype.OnAllSetsComplete = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnAllGetsComplete = function ()
|
|
{
|
|
return true;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetItem = function (keyNoPrefix, value)
|
|
{
|
|
if (localForageInitFailed)
|
|
{
|
|
TriggerStorageError(this, "storage failed to initialise - may be disabled in browser settings");
|
|
return;
|
|
}
|
|
var keyPrefix = prefix + keyNoPrefix;
|
|
this.pendingSets++;
|
|
var self = this;
|
|
localforage["setItem"](keyPrefix, value, function (err, valueSet)
|
|
{
|
|
debugDataChanged = true;
|
|
self.pendingSets--;
|
|
if (err)
|
|
{
|
|
errorMessage = getErrorString(err);
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnError, self);
|
|
}
|
|
else
|
|
{
|
|
currentKey = keyNoPrefix;
|
|
lastValue = valueSet;
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnAnyItemSet, self);
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnItemSet, self);
|
|
currentKey = "";
|
|
lastValue = "";
|
|
}
|
|
if (self.pendingSets === 0)
|
|
{
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnAllSetsComplete, self);
|
|
}
|
|
});
|
|
};
|
|
Acts.prototype.GetItem = function (keyNoPrefix)
|
|
{
|
|
if (localForageInitFailed)
|
|
{
|
|
TriggerStorageError(this, "storage failed to initialise - may be disabled in browser settings");
|
|
return;
|
|
}
|
|
var keyPrefix = prefix + keyNoPrefix;
|
|
this.pendingGets++;
|
|
var self = this;
|
|
localforage["getItem"](keyPrefix, function (err, value)
|
|
{
|
|
self.pendingGets--;
|
|
if (err)
|
|
{
|
|
errorMessage = getErrorString(err);
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnError, self);
|
|
}
|
|
else
|
|
{
|
|
currentKey = keyNoPrefix;
|
|
lastValue = value;
|
|
if (typeof lastValue === "undefined" || lastValue === null)
|
|
lastValue = "";
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnAnyItemGet, self);
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnItemGet, self);
|
|
currentKey = "";
|
|
lastValue = "";
|
|
}
|
|
if (self.pendingGets === 0)
|
|
{
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnAllGetsComplete, self);
|
|
}
|
|
});
|
|
};
|
|
Acts.prototype.CheckItemExists = function (keyNoPrefix)
|
|
{
|
|
if (localForageInitFailed)
|
|
{
|
|
TriggerStorageError(this, "storage failed to initialise - may be disabled in browser settings");
|
|
return;
|
|
}
|
|
var keyPrefix = prefix + keyNoPrefix;
|
|
var self = this;
|
|
localforage["getItem"](keyPrefix, function (err, value)
|
|
{
|
|
if (err)
|
|
{
|
|
errorMessage = getErrorString(err);
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnError, self);
|
|
}
|
|
else
|
|
{
|
|
currentKey = keyNoPrefix;
|
|
if (value === null) // null value indicates key missing
|
|
{
|
|
lastValue = ""; // prevent ItemValue meaning anything
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnItemMissing, self);
|
|
}
|
|
else
|
|
{
|
|
lastValue = value; // make available to ItemValue expression
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnItemExists, self);
|
|
}
|
|
currentKey = "";
|
|
lastValue = "";
|
|
}
|
|
});
|
|
};
|
|
Acts.prototype.RemoveItem = function (keyNoPrefix)
|
|
{
|
|
if (localForageInitFailed)
|
|
{
|
|
TriggerStorageError(this, "storage failed to initialise - may be disabled in browser settings");
|
|
return;
|
|
}
|
|
var keyPrefix = prefix + keyNoPrefix;
|
|
var self = this;
|
|
localforage["removeItem"](keyPrefix, function (err)
|
|
{
|
|
debugDataChanged = true;
|
|
if (err)
|
|
{
|
|
errorMessage = getErrorString(err);
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnError, self);
|
|
}
|
|
else
|
|
{
|
|
currentKey = keyNoPrefix;
|
|
lastValue = "";
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnAnyItemRemoved, self);
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnItemRemoved, self);
|
|
currentKey = "";
|
|
}
|
|
});
|
|
};
|
|
Acts.prototype.ClearStorage = function ()
|
|
{
|
|
if (localForageInitFailed)
|
|
{
|
|
TriggerStorageError(this, "storage failed to initialise - may be disabled in browser settings");
|
|
return;
|
|
}
|
|
if (is_arcade)
|
|
return;
|
|
var self = this;
|
|
localforage["clear"](function (err)
|
|
{
|
|
debugDataChanged = true;
|
|
if (err)
|
|
{
|
|
errorMessage = getErrorString(err);
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnError, self);
|
|
}
|
|
else
|
|
{
|
|
currentKey = "";
|
|
lastValue = "";
|
|
cr.clearArray(keyNamesList);
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnCleared, self);
|
|
}
|
|
});
|
|
};
|
|
Acts.prototype.GetAllKeyNames = function ()
|
|
{
|
|
if (localForageInitFailed)
|
|
{
|
|
TriggerStorageError(this, "storage failed to initialise - may be disabled in browser settings");
|
|
return;
|
|
}
|
|
var self = this;
|
|
localforage["keys"](function (err, keyList)
|
|
{
|
|
var i, len, k;
|
|
if (err)
|
|
{
|
|
errorMessage = getErrorString(err);
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnError, self);
|
|
}
|
|
else
|
|
{
|
|
cr.clearArray(keyNamesList);
|
|
for (i = 0, len = keyList.length; i < len; ++i)
|
|
{
|
|
k = keyList[i];
|
|
if (!hasRequiredPrefix(k))
|
|
continue;
|
|
keyNamesList.push(removePrefix(k));
|
|
}
|
|
self.runtime.trigger(cr.plugins_.LocalStorage.prototype.cnds.OnAllKeyNamesLoaded, self);
|
|
}
|
|
});
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.ItemValue = function (ret)
|
|
{
|
|
ret.set_any(lastValue);
|
|
};
|
|
Exps.prototype.Key = function (ret)
|
|
{
|
|
ret.set_string(currentKey);
|
|
};
|
|
Exps.prototype.KeyCount = function (ret)
|
|
{
|
|
ret.set_int(keyNamesList.length);
|
|
};
|
|
Exps.prototype.KeyAt = function (ret, i)
|
|
{
|
|
i = Math.floor(i);
|
|
if (i < 0 || i >= keyNamesList.length)
|
|
{
|
|
ret.set_string("");
|
|
return;
|
|
}
|
|
ret.set_string(keyNamesList[i]);
|
|
};
|
|
Exps.prototype.ErrorMessage = function (ret)
|
|
{
|
|
ret.set_string(errorMessage);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.MagiCam = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var CMath = {};
|
|
CMath.lerp = function(a, b, x)
|
|
{
|
|
return a + (b - a) * x;
|
|
};
|
|
CMath.cubic = function(a, b, c, d, x)
|
|
{
|
|
return this.lerp(this.lerp(this.lerp(a, b, x), this.lerp(b, c, x), x), this.lerp(this.lerp(b, c, x), this.lerp(c, d, x), x), x);
|
|
}
|
|
CMath.clamp = function(x, min, max)
|
|
{
|
|
if (x < min)
|
|
{
|
|
return min;
|
|
}
|
|
else if (x > max)
|
|
{
|
|
return max;
|
|
}
|
|
return x;
|
|
};
|
|
function Transition(Type, Duration, Param1, Param2, Param3, Param4)
|
|
{
|
|
this.type = Type;
|
|
this.duration = Duration;
|
|
this.param1 = Param1;
|
|
this.param2 = Param2;
|
|
this.param3 = Param3;
|
|
this.param4 = Param4;
|
|
this.progress = 0;
|
|
}
|
|
function Camera(Name, X, Y, Scale, Global)
|
|
{
|
|
this.global = Global;
|
|
this.name = Name;
|
|
this.x = X;
|
|
this.y = Y;
|
|
this.scale = Scale;
|
|
this.following = false;
|
|
this.followedObjects = [];
|
|
this.followedObjectUIDs = [];
|
|
this.objectWeights = [];
|
|
this.followedObjectIPs = [];
|
|
this.followLag = 1;
|
|
this.zoomToContain = false;
|
|
this.zoomMarginH = 0;
|
|
this.zoomMarginV = 0;
|
|
this.zoomBoundU = -1;
|
|
this.zoomBoundL = -1;
|
|
this.transitions = [];
|
|
this.moveTransFinished = false;
|
|
this.zoomTransFinished = false;
|
|
this.isShaking = false;
|
|
this.shakeX = 0;
|
|
this.shakeY = 0;
|
|
this.shakeZoom = 0;
|
|
this.shakeTimer = 0;
|
|
this.shakeStrength = 0;
|
|
this.shakeMaxDeviation = 0;
|
|
this.shakeMaxZoomDeviation = 0;
|
|
this.shakeLength = 0;
|
|
this.shakeBuildTime = 0;
|
|
this.shakeDropTime = 0;
|
|
}
|
|
Camera.prototype.GetName = function()
|
|
{
|
|
return this.name;
|
|
};
|
|
Camera.prototype.GetX = function()
|
|
{
|
|
return this.x;
|
|
};
|
|
Camera.prototype.SetX = function(value)
|
|
{
|
|
this.x = value;
|
|
};
|
|
Camera.prototype.GetY = function()
|
|
{
|
|
return this.y;
|
|
};
|
|
Camera.prototype.SetY = function(value)
|
|
{
|
|
this.y = value;
|
|
};
|
|
Camera.prototype.GetShakeX = function()
|
|
{
|
|
return this.shakeX;
|
|
};
|
|
Camera.prototype.GetShakeY = function()
|
|
{
|
|
return this.shakeY;
|
|
};
|
|
Camera.prototype.SetFollowedObject = function(fObject)
|
|
{
|
|
this.followedObject = fObject;
|
|
};
|
|
Camera.prototype.ShakeCamera = function(dt)
|
|
{
|
|
if (this.isShaking)
|
|
{
|
|
this.shakeTimer += dt;
|
|
if (this.shakeTimer < this.shakeLength)
|
|
{
|
|
var shakeStrength = 0;
|
|
if (this.shakeTimer < this.shakeBuildTime)
|
|
{
|
|
shakeStrength = CMath.lerp(0, this.shakeStrength, this.shakeTimer / this.shakeBuildTime);
|
|
}
|
|
else
|
|
{
|
|
shakeStrength = this.shakeStrength;
|
|
}
|
|
if (this.shakeTimer > this.shakeDropTime)
|
|
{
|
|
shakeStrength = CMath.lerp(this.shakeStrength, 0, (this.shakeTimer - this.shakeDropTime) / (this.shakeLength - this.shakeDropTime));
|
|
}
|
|
var shakeAngle = Math.floor(Math.random() * 361) / 57.2958;
|
|
var shakeX = CMath.lerp(0, Math.cos(shakeAngle) * this.shakeMaxDeviation, shakeStrength);
|
|
var shakeY = CMath.lerp(0, Math.sin(shakeAngle) * this.shakeMaxDeviation, shakeStrength);
|
|
var shakeZoom = CMath.lerp(0, (Math.floor(Math.random() * 201 - 100) / 100) * this.shakeMaxZoomDeviation, shakeStrength);
|
|
this.shakeX = CMath.lerp(this.shakeX, shakeX, shakeStrength);
|
|
this.shakeY = CMath.lerp(this.shakeY, shakeY, shakeStrength);
|
|
this.shakeZoom = CMath.lerp(this.shakeZoom, shakeZoom, shakeStrength);
|
|
}
|
|
else
|
|
{
|
|
this.isShaking = false;
|
|
this.shakeX = 0;
|
|
this.shakeY = 0;
|
|
this.shakeZoom = 0;
|
|
}
|
|
}
|
|
}
|
|
Camera.prototype.ProcessTransitions = function(dt)
|
|
{
|
|
this.moveTransFinished = false;
|
|
this.zoomTransFinished = false;
|
|
var transition;
|
|
for (var i = 0; i < this.transitions.length; )
|
|
{
|
|
transition = this.transitions[i];
|
|
transition.progress = CMath.clamp(transition.progress + (1.0 / transition.duration * dt), 0.0, 1.0);
|
|
if (transition.type == "MOVE")
|
|
{
|
|
this.x = CMath.cubic(transition.param3, transition.param3, transition.param1, transition.param1, transition.progress);
|
|
this.y = CMath.cubic(transition.param4, transition.param4, transition.param2, transition.param2, transition.progress);
|
|
}
|
|
else if (transition.type == "SCALE")
|
|
{
|
|
this.scale = CMath.cubic(transition.param2, transition.param2, transition.param1, transition.param1, transition.progress);
|
|
}
|
|
if (transition.progress == 1)
|
|
{
|
|
if (transition.type == "MOVE")
|
|
{
|
|
this.moveTransFinished = true;
|
|
}
|
|
else if (transition.type == "SCALE")
|
|
{
|
|
this.zoomTransFinished = true;
|
|
}
|
|
this.transitions.splice(i, 1);
|
|
}
|
|
else
|
|
{
|
|
i++;
|
|
}
|
|
}
|
|
};
|
|
Camera.prototype.UpdateCameraTarget = function(dt, targetCamera)
|
|
{
|
|
for (var i = 0; i < this.transitions.length; i++)
|
|
{
|
|
var transition = this.transitions[i];
|
|
if (transition.type == "MOVE")
|
|
{
|
|
transition.param1 = targetCamera.GetX();
|
|
transition.param2 = targetCamera.GetY();
|
|
}
|
|
else if (transition.type == "SCALE")
|
|
{
|
|
transition.param1 = targetCamera.scale;
|
|
}
|
|
}
|
|
};
|
|
Camera.prototype.ProcessFollowing = function(dt, screenWidth, screenHeight, layout)
|
|
{
|
|
var followed = this.followedObjects;
|
|
var followedObjectIPs = this.followedObjectIPs;
|
|
if (this.following && followed.length > 0)
|
|
{
|
|
var tempX = 0, tempY = 0, tempScale = 0;
|
|
if (!this.zoomToContain)
|
|
{
|
|
var sumX = 0, sumY = 0, sumW = 0;
|
|
for (var i = 0; i < followed.length; i++)
|
|
{
|
|
sumX += followed[i].getImagePoint(followedObjectIPs[i], true) * this.objectWeights[i];
|
|
sumY += followed[i].getImagePoint(followedObjectIPs[i], false) * this.objectWeights[i];
|
|
sumW += this.objectWeights[i];
|
|
}
|
|
tempX = sumX / sumW;
|
|
tempY = sumY / sumW;
|
|
}
|
|
else
|
|
{
|
|
var minX = 0, maxX = 0, minY = 0, maxY = 0;
|
|
var minXChanged = false, maxXChanged = false, minYChanged = false, maxYChanged = false;
|
|
for (var i = 0; i < followed.length; i++)
|
|
{
|
|
var fObject = followed[i];
|
|
fObject.update_bbox();
|
|
if (minXChanged)
|
|
{
|
|
minX = Math.min(minX, fObject.bbox.left);
|
|
}
|
|
else
|
|
{
|
|
minX = fObject.bbox.left;
|
|
minXChanged = true;
|
|
}
|
|
if (maxXChanged)
|
|
{
|
|
maxX = Math.max(maxX, fObject.bbox.right);
|
|
}
|
|
else
|
|
{
|
|
maxX = fObject.bbox.right;
|
|
maxXChanged = true;
|
|
}
|
|
if (minYChanged)
|
|
{
|
|
minY = Math.min(minY, fObject.bbox.top);
|
|
}
|
|
else
|
|
{
|
|
minY = fObject.bbox.top;
|
|
minYChanged = true;
|
|
}
|
|
if (maxYChanged)
|
|
{
|
|
maxY = Math.max(maxY, fObject.bbox.bottom);
|
|
}
|
|
else
|
|
{
|
|
maxY = fObject.bbox.bottom;
|
|
maxYChanged = true;
|
|
}
|
|
}
|
|
var tempXScale = (screenWidth - this.zoomMarginH * 2) / (maxX - minX);
|
|
var tempYScale = (screenHeight - this.zoomMarginV * 2) / (maxY - minY);
|
|
tempX = CMath.lerp(minX, maxX, 0.5);
|
|
tempY = CMath.lerp(minY, maxY, 0.5);
|
|
if (this.x < ((screenWidth / 2) / tempXScale))
|
|
{
|
|
tempXScale = (screenWidth - this.zoomMarginH) / maxX;
|
|
tempX = (screenWidth / tempXScale) / 2;
|
|
}
|
|
if (this.x > (layout.width - (screenWidth / 2) / tempXScale))
|
|
{
|
|
tempXScale = (screenWidth - this.zoomMarginH) / (layout.width - minX);
|
|
tempX = layout.width - (screenWidth / tempXScale) / 2;
|
|
}
|
|
if (this.y < ((screenHeight / 2) / tempYScale))
|
|
{
|
|
tempYScale = (screenHeight - this.zoomMarginV) / maxY;
|
|
tempY = (screenHeight / tempYScale) / 2;
|
|
}
|
|
if (this.y > (layout.height - (screenHeight / 2) / tempYScale))
|
|
{
|
|
tempYScale = (screenHeight - this.zoomMarginV) / (layout.height - minY);
|
|
tempY = layout.height - (screenHeight / tempYScale) / 2;
|
|
}
|
|
tempScale = Math.min(tempXScale, tempYScale);
|
|
if (this.zoomBoundL != -1)
|
|
{
|
|
if (tempScale < this.zoomBoundL)
|
|
{
|
|
tempScale = this.zoomBoundL;
|
|
}
|
|
}
|
|
if (this.zoomBoundU != -1)
|
|
{
|
|
if (tempScale > this.zoomBoundU)
|
|
{
|
|
tempScale = this.zoomBoundU;
|
|
}
|
|
}
|
|
}
|
|
if (this.followLag == 1)
|
|
{
|
|
this.x = tempX;
|
|
this.y = tempY;
|
|
if (this.zoomToContain)
|
|
{
|
|
this.scale = tempScale;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
var lag = (this.followLag * 4.0 * dt) * Math.sqrt(1.0 / dt);
|
|
this.x = CMath.lerp(this.x, tempX, lag);
|
|
this.y = CMath.lerp(this.y, tempY, lag);
|
|
if (this.zoomToContain)
|
|
{
|
|
this.scale = CMath.lerp(this.scale, tempScale, lag);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
var pluginProto = cr.plugins_.MagiCam.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
this.localCameras = [];
|
|
this.localCameraCount = 0;
|
|
this.localCameraCountOld = 0;
|
|
this.transCamera = null;
|
|
this.transTarget = null;
|
|
this.isSwitchingCameras = false;
|
|
this.globalCameras = [];
|
|
this.activeCamera = null;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.runtime.tickMe(this);
|
|
this.my_timescale = -1.0;
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
if (null != this.transCamera)
|
|
{
|
|
this.localCameras.push(this.transCamera);
|
|
}
|
|
var o = {
|
|
"lcc": this.localCameraCount,
|
|
"olcc": this.localCameraCountOld,
|
|
"alcc": this.localCameras.length,
|
|
"agcc": this.globalCameras.length,
|
|
"tcnn": (this.transCamera == null ? false : true)
|
|
};
|
|
for (var i = 0; i < this.localCameras.length; i++)
|
|
{
|
|
o["lc" + i + "g"] = this.localCameras[i].global;
|
|
o["lc" + i + "n"] = this.localCameras[i].name;
|
|
o["lc" + i + "x"] = this.localCameras[i].x;
|
|
o["lc" + i + "y"] = this.localCameras[i].y;
|
|
o["lc" + i + "s"] = this.localCameras[i].scale;
|
|
o["lc" + i + "f"] = this.localCameras[i].following;
|
|
o["lc" + i + "foc"] = this.localCameras[i].followedObjects.length;
|
|
for (var f = 0; f < this.localCameras[i].followedObjects.length; f++)
|
|
{
|
|
o["lc" + i + "fo" + f] = this.localCameras[i].followedObjects[f].uid;
|
|
}
|
|
for (var w = 0; w < this.localCameras[i].objectWeights.length; w++)
|
|
{
|
|
o["lc" + i + "fow" + w] = this.localCameras[i].objectWeights[w];
|
|
}
|
|
for (var ip = 0; ip < this.localCameras[i].followedObjectIPs.length; ip++)
|
|
{
|
|
o["lc" + i + "foip" + ip] = this.localCameras[i].followedObjectIPs[ip];
|
|
}
|
|
o["lc" + i + "fl"] = this.localCameras[i].followLag;
|
|
o["lc" + i + "ztc"] = this.localCameras[i].zoomToContain;
|
|
o["lc" + i + "zmh"] = this.localCameras[i].zoomMarginH;
|
|
o["lc" + i + "zmv"] = this.localCameras[i].zoomMarginV;
|
|
o["lc" + i + "zbu"] = this.localCameras[i].zoomBoundU;
|
|
o["lc" + i + "zbl"] = this.localCameras[i].zoomBoundL;
|
|
o["lc" + i + "tc"] = this.localCameras[i].transitions.length;
|
|
for (var t = 0; t < this.localCameras[i].transitions.length; t++)
|
|
{
|
|
o["lc" + i + "t" + t + "tp"] = this.localCameras[i].transitions[t].type;
|
|
o["lc" + i + "t" + t + "d"] = this.localCameras[i].transitions[t].duration;
|
|
o["lc" + i + "t" + t + "p1"] = this.localCameras[i].transitions[t].param1;
|
|
o["lc" + i + "t" + t + "p2"] = this.localCameras[i].transitions[t].param2;
|
|
o["lc" + i + "t" + t + "p3"] = this.localCameras[i].transitions[t].param3;
|
|
o["lc" + i + "t" + t + "p4"] = this.localCameras[i].transitions[t].param4;
|
|
o["lc" + i + "t" + t + "pr"] = this.localCameras[i].transitions[t].progress;
|
|
}
|
|
o["lc" + i + "mtf"] = this.localCameras[i].moveTransFinished;
|
|
o["lc" + i + "ztf"] = this.localCameras[i].zoomTransFinished;
|
|
o["lc" + i + "csis"] = this.localCameras[i].isShaking;
|
|
o["lc" + i + "cssx"] = this.localCameras[i].shakeX;
|
|
o["lc" + i + "cssy"] = this.localCameras[i].shakeY;
|
|
o["lc" + i + "cssz"] = this.localCameras[i].shakeZoom;
|
|
o["lc" + i + "csst"] = this.localCameras[i].shakeTimer;
|
|
o["lc" + i + "csss"] = this.localCameras[i].shakeStrength;
|
|
o["lc" + i + "cssmd"] = this.localCameras[i].shakeMaxDeviation;
|
|
o["lc" + i + "cssmzd"] = this.localCameras[i].shakeMaxZoomDeviation;
|
|
o["lc" + i + "cssl"] = this.localCameras[i].shakeLength;
|
|
o["lc" + i + "cssbt"] = this.localCameras[i].shakeBuildTime;
|
|
o["lc" + i + "cssdt"] = this.localCameras[i].shakeDropTime;
|
|
}
|
|
for (var i = 0; i < this.globalCameras.length; i++)
|
|
{
|
|
o["gc" + i + "g"] = this.globalCameras[i].global;
|
|
o["gc" + i + "n"] = this.globalCameras[i].name;
|
|
o["gc" + i + "x"] = this.globalCameras[i].x;
|
|
o["gc" + i + "y"] = this.globalCameras[i].y;
|
|
o["gc" + i + "s"] = this.globalCameras[i].scale;
|
|
o["gc" + i + "f"] = this.globalCameras[i].following;
|
|
o["gc" + i + "foc"] = this.globalCameras[i].followedObjects.length;
|
|
for (var f = 0; f < this.globalCameras[i].followedObjects.length; f++)
|
|
{
|
|
o["gc" + i + "fo" + f] = this.globalCameras[i].followedObjects[f].uid;
|
|
}
|
|
for (var w = 0; w < this.globalCameras[i].objectWeights.length; w++)
|
|
{
|
|
o["gc" + i + "fow" + w] = this.globalCameras[i].objectWeights[w];
|
|
}
|
|
for (var ip = 0; ip < this.globalCameras[i].followedObjectIPs.length; ip++)
|
|
{
|
|
o["gc" + i + "foip" + ip] = this.globalCameras[i].followedObjectIPs[ip];
|
|
}
|
|
o["gc" + i + "fl"] = this.globalCameras[i].followLag;
|
|
o["gc" + i + "ztc"] = this.globalCameras[i].zoomToContain;
|
|
o["gc" + i + "zmh"] = this.globalCameras[i].zoomMarginH;
|
|
o["gc" + i + "zmv"] = this.globalCameras[i].zoomMarginV;
|
|
o["gc" + i + "zbu"] = this.globalCameras[i].zoomBoundU;
|
|
o["gc" + i + "zbl"] = this.globalCameras[i].zoomBoundL;
|
|
o["gc" + i + "tc"] = this.globalCameras[i].transitions.length;
|
|
for (var t = 0; t < this.globalCameras[i].transitions.length; t++)
|
|
{
|
|
o["gc" + i + "t" + t + "tp"] = this.globalCameras[i].transitions[t].type;
|
|
o["gc" + i + "t" + t + "d"] = this.globalCameras[i].transitions[t].duration;
|
|
o["gc" + i + "t" + t + "p1"] = this.globalCameras[i].transitions[t].param1;
|
|
o["gc" + i + "t" + t + "p2"] = this.globalCameras[i].transitions[t].param2;
|
|
o["gc" + i + "t" + t + "p3"] = this.globalCameras[i].transitions[t].param3;
|
|
o["gc" + i + "t" + t + "p4"] = this.globalCameras[i].transitions[t].param4;
|
|
}
|
|
o["gc" + i + "mtf"] = this.globalCameras[i].moveTransFinished;
|
|
o["gc" + i + "ztf"] = this.globalCameras[i].zoomTransFinished;
|
|
o["gc" + i + "csis"] = this.globalCameras[i].isShaking;
|
|
o["gc" + i + "cssx"] = this.globalCameras[i].shakeX;
|
|
o["gc" + i + "cssy"] = this.globalCameras[i].shakeY;
|
|
o["gc" + i + "cssz"] = this.globalCameras[i].shakeZoom;
|
|
o["gc" + i + "csst"] = this.globalCameras[i].shakeTimer;
|
|
o["gc" + i + "csss"] = this.globalCameras[i].shakeStrength;
|
|
o["gc" + i + "cssmd"] = this.globalCameras[i].shakeMaxDeviation;
|
|
o["gc" + i + "cssmzd"] = this.globalCameras[i].shakeMaxZoomDeviation;
|
|
o["gc" + i + "cssl"] = this.globalCameras[i].shakeLength;
|
|
o["gc" + i + "cssbt"] = this.globalCameras[i].shakeBuildTime;
|
|
o["gc" + i + "cssdt"] = this.globalCameras[i].shakeDropTime;
|
|
}
|
|
if (null != this.activeCamera)
|
|
{
|
|
o["ac"] = this.activeCamera.name;
|
|
}
|
|
else
|
|
{
|
|
o["ac"] = "null";
|
|
}
|
|
if (null != this.transTarget)
|
|
{
|
|
o["tt"] = this.transTarget.name;
|
|
}
|
|
return o;
|
|
}
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.localCameras = [];
|
|
this.globalCameras = [];
|
|
this.localCameraCount = o["lcc"];
|
|
this.localCameraCountOld = o["olcc"];
|
|
var localCamCount = o["alcc"];
|
|
for (var i = 0; i < localCamCount; i++)
|
|
{
|
|
var tempCam = new Camera("", 0, 0, 0, false);
|
|
tempCam.global = o["lc" + i + "g"];
|
|
tempCam.name = o["lc" + i + "n"];
|
|
tempCam.x = o["lc" + i + "x"];
|
|
tempCam.y = o["lc" + i + "y"];
|
|
tempCam.scale = o["lc" + i + "s"];
|
|
tempCam.following = o["lc" + i + "f"];
|
|
var foCount = o["lc" + i + "foc"];
|
|
for (var f = 0; f < foCount; f++)
|
|
{
|
|
tempCam.followedObjectUIDs.push(o["lc" + i + "fo" + f]);
|
|
}
|
|
for (var w = 0; w < foCount; w++)
|
|
{
|
|
tempCam.objectWeights.push(o["lc" + i + "fow" + w]);
|
|
}
|
|
for (var ip = 0; ip < foCount; ip++)
|
|
{
|
|
tempCam.followedObjectIPs.push(o["lc" + i + "foip" + ip]);
|
|
}
|
|
tempCam.followLag = o["lc" + i + "fl"];
|
|
tempCam.zoomToContain = o["lc" + i + "ztc"];
|
|
tempCam.zoomMarginH = o["lc" + i + "zmh"];
|
|
tempCam.zoomMarginV = o["lc" + i + "zmv"];
|
|
tempCam.zoomBoundU = o["lc" + i + "zbu"];
|
|
tempCam.zoomBoundL = o["lc" + i + "zbl"];
|
|
var transCount = o["lc" + i + "tc"];
|
|
for (var t = 0; t < transCount; t++)
|
|
{
|
|
var tempTrans = new Transition("", 0, 0, 0, 0);
|
|
tempTrans.type = o["lc" + i + "t" + t + "tp"];
|
|
tempTrans.duration = o["lc" + i + "t" + t + "d"];
|
|
tempTrans.param1 = o["lc" + i + "t" + t + "p1"];
|
|
tempTrans.param2 = o["lc" + i + "t" + t + "p2"];
|
|
tempTrans.param3 = o["lc" + i + "t" + t + "p3"];
|
|
tempTrans.param4 = o["lc" + i + "t" + t + "p4"];
|
|
tempTrans.progress = o["lc" + i + "t" + t + "pr"];
|
|
tempCam.transitions.push(tempTrans);
|
|
}
|
|
tempCam.moveTransFinished = o["lc" + i + "mtf"];
|
|
tempCam.zoomTransFinished = o["lc" + i + "ztf"];
|
|
tempCam.isShaking = o["lc" + i + "csis"];
|
|
tempCam.shakeX = o["lc" + i + "cssx"];
|
|
tempCam.shakeY = o["lc" + i + "cssy"];
|
|
tempCam.shakeZoom = o["lc" + i + "cssz"];
|
|
tempCam.shakeTimer = o["lc" + i + "csst"];
|
|
tempCam.shakeStrength = o["lc" + i + "csss"];
|
|
tempCam.shakeMaxDeviation = o["lc" + i + "cssmd"];
|
|
tempCam.shakeMaxZoomDeviation = o["lc" + i + "cssmzd"];
|
|
tempCam.shakeLength = o["lc" + i + "cssl"];
|
|
tempCam.shakeBuildTime = o["lc" + i + "cssbt"];
|
|
tempCam.shakeDropTime = o["lc" + i + "cssdt"];
|
|
this.localCameras.push(tempCam);
|
|
}
|
|
var globalCamCount = o["agcc"];
|
|
for (var i = 0; i < globalCamCount; i++)
|
|
{
|
|
var tempCam = new Camera("", 0, 0, 0, false);
|
|
tempCam.global = o["gc" + i + "g"];
|
|
tempCam.name = o["gc" + i + "n"];
|
|
tempCam.x = o["gc" + i + "x"];
|
|
tempCam.y = o["gc" + i + "y"];
|
|
tempCam.scale = o["gc" + i + "s"];
|
|
tempCam.following = o["gc" + i + "f"];
|
|
var foCount = o["gc" + i + "foc"];
|
|
for (var f = 0; f < foCount; f++)
|
|
{
|
|
tempCam.followedObjectUIDs.push(o["gc" + i + "fo" + f]);
|
|
}
|
|
for (var w = 0; w < foCount; w++)
|
|
{
|
|
tempCam.objectWeights.push(o["gc" + i + "fow" + w]);
|
|
}
|
|
for (var ip = 0; ip < foCount; ip++)
|
|
{
|
|
tempCam.followedObjectIPs.push(o["gc" + i + "foip" + ip]);
|
|
}
|
|
tempCam.followLag = o["gc" + i + "fl"];
|
|
tempCam.zoomToContain = o["gc" + i + "ztc"];
|
|
tempCam.zoomMarginH = o["gc" + i + "zmh"];
|
|
tempCam.zoomMarginV = o["gc" + i + "zmv"];
|
|
tempCam.zoomBoundU = o["gc" + i + "zbu"];
|
|
tempCam.zoomBoundL = o["gc" + i + "zbl"];
|
|
var transCount = o["gc" + i + "tc"];
|
|
for (var t = 0; t < transCount; t++)
|
|
{
|
|
var tempTrans = new Transition("", 0, 0, 0, 0);
|
|
tempTrans.type = o["gc" + i + "t" + t + "tp"];
|
|
tempTrans.duration = o["gc" + i + "t" + t + "d"];
|
|
tempTrans.param1 = o["gc" + i + "t" + t + "p1"];
|
|
tempTrans.param2 = o["gc" + i + "t" + t + "p2"];
|
|
tempTrans.param3 = o["gc" + i + "t" + t + "p3"];
|
|
tempTrans.param4 = o["gc" + i + "t" + t + "p4"];
|
|
tempCam.transitions.push(tempTrans);
|
|
}
|
|
tempCam.moveTransFinished = o["gc" + i + "mtf"];
|
|
tempCam.zoomTransFinished = o["gc" + i + "ztf"];
|
|
tempCam.isShaking = o["gc" + i + "csis"];
|
|
tempCam.shakeX = o["gc" + i + "cssx"];
|
|
tempCam.shakeY = o["gc" + i + "cssy"];
|
|
tempCam.shakeZoom = o["gc" + i + "cssz"];
|
|
tempCam.shakeTimer = o["gc" + i + "csst"];
|
|
tempCam.shakeStrength = o["gc" + i + "csss"];
|
|
tempCam.shakeMaxDeviation = o["gc" + i + "cssmd"];
|
|
tempCam.shakeMaxZoomDeviation = o["gc" + i + "cssmzd"];
|
|
tempCam.shakeLength = o["gc" + i + "cssl"];
|
|
tempCam.shakeBuildTime = o["gc" + i + "cssbt"];
|
|
tempCam.shakeDropTime = o["gc" + i + "cssdt"];
|
|
this.globalCameras.push(tempCam);
|
|
}
|
|
var activeCam = o["ac"];
|
|
if (activeCam == "null")
|
|
{
|
|
this.activeCamera = null;
|
|
}
|
|
else
|
|
{
|
|
this.activeCamera = this.GetCamera(activeCam);
|
|
}
|
|
var hasTransCam = o["tcnn"];
|
|
if (hasTransCam)
|
|
{
|
|
this.transCamera = this.localCameras.pop();
|
|
this.transTarget = this.GetCamera(o["tt"]);
|
|
}
|
|
}
|
|
instanceProto.afterLoad = function()
|
|
{
|
|
for (var i = 0; i < this.localCameras.length; i++)
|
|
{
|
|
for (var o = 0; o < this.localCameras[i].followedObjectUIDs.length; o++)
|
|
{
|
|
this.localCameras[i].followedObjects.push(this.runtime.getObjectByUID(this.localCameras[i].followedObjectUIDs[o]));
|
|
}
|
|
}
|
|
for (var i = 0; i < this.globalCameras.length; i++)
|
|
{
|
|
for (var o = 0; o < this.globalCameras[i].followedObjectUIDs.length; o++)
|
|
{
|
|
this.globalCameras[i].followedObjects.push(this.runtime.getObjectByUID(this.globalCameras[i].followedObjectUIDs[o]));
|
|
}
|
|
}
|
|
}
|
|
instanceProto.onLayoutChange = function()
|
|
{
|
|
for (var i = 0; i < this.localCameraCountOld; i++)
|
|
{
|
|
this.localCameras.shift();
|
|
}
|
|
this.localCameraCount -= this.localCameraCountOld;
|
|
}
|
|
instanceProto.tick = function()
|
|
{
|
|
this.localCameraCountOld = this.localCameraCount;
|
|
var dt = this.runtime.getDt(this);
|
|
if (dt == 0)
|
|
{
|
|
dt = 0.1;
|
|
}
|
|
for (var i = 0; i < this.globalCameras.length; i++)
|
|
{
|
|
this.globalCameras[i].ProcessTransitions(dt);
|
|
this.globalCameras[i].ProcessFollowing(dt, this.runtime.original_width, this.runtime.original_height, this.runtime.running_layout);
|
|
this.globalCameras[i].ShakeCamera(dt);
|
|
}
|
|
for (var i = 0; i < this.localCameras.length; i++)
|
|
{
|
|
this.localCameras[i].ProcessTransitions(dt);
|
|
this.localCameras[i].ProcessFollowing(dt, this.runtime.original_width, this.runtime.original_height, this.runtime.running_layout);
|
|
this.localCameras[i].ShakeCamera(dt);
|
|
}
|
|
if (null != this.transCamera)
|
|
{
|
|
this.transCamera.UpdateCameraTarget(dt, this.transTarget);
|
|
this.transCamera.ProcessTransitions(dt);
|
|
if (this.transCamera.moveTransFinished)
|
|
{
|
|
this.activeCamera = this.transTarget;
|
|
this.transCamera = null;
|
|
}
|
|
}
|
|
if (this.activeCamera != null)
|
|
{
|
|
this.runtime.running_layout.scrollToX(this.activeCamera.GetX() + this.activeCamera.GetShakeX());
|
|
this.runtime.running_layout.scrollToY(this.activeCamera.GetY() + this.activeCamera.GetShakeY());
|
|
this.runtime.running_layout.scale = this.activeCamera.scale + this.activeCamera.shakeZoom;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function (glw)
|
|
{
|
|
};
|
|
instanceProto.GetCamera = function(Name)
|
|
{
|
|
if (Name == "")
|
|
{
|
|
return this.activeCamera;
|
|
}
|
|
for (var i = (this.globalCameras.length - 1) ; i >= 0; i--)
|
|
{
|
|
if (this.globalCameras[i].GetName() == Name)
|
|
{
|
|
return this.globalCameras[i];
|
|
}
|
|
}
|
|
for (var i = (this.localCameras.length - 1); i >= 0; i--)
|
|
{
|
|
if (this.localCameras[i].GetName() == Name)
|
|
{
|
|
return this.localCameras[i];
|
|
}
|
|
}
|
|
return null;
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.TransitionFinished = function (CameraName, Transition)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
if (Transition == 0)
|
|
{
|
|
return camera.moveTransFinished;
|
|
}
|
|
else if (Transition == 1)
|
|
{
|
|
return camera.zoomTransFinished;
|
|
}
|
|
}
|
|
return false;
|
|
};
|
|
Cnds.prototype.TransitionIsInProgress = function (CameraName, Transition)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
for (var i = 0; i < camera.transitions.length; i++)
|
|
{
|
|
if (camera.transitions[i].type == "MOVE" && Transition == 0)
|
|
{
|
|
return true;
|
|
}
|
|
else if (camera.transitions[i].type == "SCALE" && Transition == 1)
|
|
{
|
|
return true;
|
|
}
|
|
}
|
|
}
|
|
return false;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.FollowObject = function (CameraName, FollowedObject, ObjectWeight, ImagePoint)
|
|
{
|
|
if (!FollowedObject)
|
|
{
|
|
return;
|
|
}
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
var followedObject = FollowedObject.getFirstPicked();
|
|
if (camera.global && !FollowedObject.global)
|
|
{
|
|
alert("MagiCam:\n\nObject not global - global cameras must follow global objects.");
|
|
return;
|
|
}
|
|
camera.followedObjects.push(followedObject);
|
|
camera.objectWeights.push(ObjectWeight);
|
|
camera.followedObjectIPs.push(ImagePoint);
|
|
}
|
|
};
|
|
Acts.prototype.SetFollowLag = function (CameraName, FollowLag)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
camera.followLag = 1 - FollowLag / 100;
|
|
}
|
|
};
|
|
Acts.prototype.ZoomToContain = function (CameraName, Zoom, ZoomMarginH, ZoomMarginV, ZoomBoundU, ZoomBoundL)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
if (Zoom == 0)
|
|
{
|
|
camera.zoomToContain = true;
|
|
camera.zoomMarginH = ZoomMarginH;
|
|
camera.zoomMarginV = ZoomMarginV;
|
|
camera.zoomBoundU = ZoomBoundU;
|
|
camera.zoomBoundL = ZoomBoundL;
|
|
}
|
|
else
|
|
{
|
|
camera.zoomToContain = false;
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.EnableFollowing = function (CameraName, Following)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
if (Following == 0)
|
|
{
|
|
camera.following = true;
|
|
}
|
|
else
|
|
{
|
|
camera.following = false;
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.UnfollowObject = function (CameraName, FollowedObject)
|
|
{
|
|
if (!FollowedObject)
|
|
{
|
|
return;
|
|
}
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
var followedObject = FollowedObject.getFirstPicked();
|
|
for (var i = 0; i < camera.followedObjects.length; i++)
|
|
{
|
|
if (camera.followedObjects[i] == followedObject)
|
|
{
|
|
camera.followedObjects.splice(i, 1);
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.CreateLocalCamera = function (cameraName, cameraX, cameraY, cameraScale, Active)
|
|
{
|
|
if (cameraName == "")
|
|
{
|
|
alert("Camera name must not be blank.");
|
|
return;
|
|
}
|
|
this.localCameras.push(new Camera(cameraName, cameraX, cameraY, cameraScale, false));
|
|
this.localCameraCount++;
|
|
if (Active == 1)
|
|
{
|
|
this.activeCamera = this.localCameras[this.localCameras.length - 1];
|
|
this.runtime.running_layout.scale = this.activeCamera.scale;
|
|
}
|
|
};
|
|
Acts.prototype.CreateGlobalCamera = function (cameraName, cameraX, cameraY, cameraScale, Active)
|
|
{
|
|
if (cameraName == "")
|
|
{
|
|
alert("Camera name must not be blank.");
|
|
return;
|
|
}
|
|
else if (this.GetCamera(cameraName) != null)
|
|
{
|
|
return;
|
|
}
|
|
this.globalCameras.push(new Camera(cameraName, cameraX, cameraY, cameraScale, true));
|
|
if (Active == 1)
|
|
{
|
|
this.activeCamera = this.globalCameras[this.globalCameras.length - 1];
|
|
this.runtime.running_layout.scrollToX(this.activeCamera.GetX());
|
|
this.runtime.running_layout.scrollToY(this.activeCamera.GetY());
|
|
this.runtime.running_layout.scale = this.activeCamera.scale;
|
|
}
|
|
};
|
|
Acts.prototype.SetActiveCamera = function (CameraName)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
this.activeCamera = camera;
|
|
this.runtime.running_layout.scrollToX(camera.GetX());
|
|
this.runtime.running_layout.scrollToY(camera.GetY());
|
|
this.runtime.running_layout.scale = camera.scale;
|
|
}
|
|
};
|
|
Acts.prototype.SetScrollSmoothing = function (CameraName)
|
|
{
|
|
};
|
|
Acts.prototype.SetXPosition = function (CameraName, X)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
camera.SetX(X);
|
|
}
|
|
};
|
|
Acts.prototype.SetYPosition = function (CameraName, Y)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
camera.SetY(Y);
|
|
}
|
|
};
|
|
Acts.prototype.SetPosition = function (CameraName, X, Y)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
camera.SetX(X);
|
|
camera.SetY(Y);
|
|
}
|
|
};
|
|
Acts.prototype.SetZoom = function (CameraName, Zoom)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
camera.scale = Zoom;
|
|
}
|
|
};
|
|
Acts.prototype.TransitionToPoint = function (CameraName, X, Y, Duration)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
for (var i = 0; i < camera.transitions.length; i++)
|
|
{
|
|
if (camera.transitions[i].type == "MOVE")
|
|
{
|
|
camera.transitions.splice(i, 1);
|
|
break;
|
|
}
|
|
}
|
|
camera.transitions.push(new Transition("MOVE", Duration, X, Y, camera.GetX(), camera.GetY()));
|
|
camera.following = false;
|
|
camera.zoomToContain = false;
|
|
}
|
|
};
|
|
Acts.prototype.TransitionToZoom = function (CameraName, Zoom, Duration)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
for (var i = 0; i < camera.transitions.length; i++)
|
|
{
|
|
if (camera.transitions[i].type == "SCALE")
|
|
{
|
|
camera.transitions.splice(i, 1);
|
|
break;
|
|
}
|
|
}
|
|
camera.transitions.push(new Transition("SCALE", Duration, Zoom, camera.scale, null, null));
|
|
camera.zoomToContain = false;
|
|
}
|
|
};
|
|
Acts.prototype.TransitionToCamera = function (CameraName, Duration)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
this.transTarget = camera;
|
|
this.transCamera = new Camera("transCamera", this.activeCamera.GetX(), this.activeCamera.GetY(), this.activeCamera.scale, false);
|
|
this.transCamera.transitions.push(new Transition("MOVE", Duration, this.transTarget.GetX(), this.transTarget.GetY(), this.transCamera.GetX(), this.transCamera.GetY()));
|
|
this.transCamera.transitions.push(new Transition("SCALE", Duration, this.transTarget.scale, this.transCamera.scale, null, null));
|
|
this.activeCamera = this.transCamera;
|
|
this.isSwitchingCameras = true;
|
|
}
|
|
};
|
|
Acts.prototype.ShakeCamera = function (CameraName, Strength, MaxDeviation, MaxZoomDeviation, BuildLength, DropTime, Duration)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (camera != null)
|
|
{
|
|
camera.isShaking = true;
|
|
camera.shakeStrength = Strength / 100;
|
|
camera.shakeMaxDeviation = MaxDeviation;
|
|
camera.shakeMaxZoomDeviation = MaxZoomDeviation;
|
|
camera.shakeBuildTime = BuildLength;
|
|
camera.shakeDropTime = DropTime;
|
|
camera.shakeLength = Duration;
|
|
camera.shakeTimer = 0;
|
|
}
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.MovementTransitionProgress = function (ret, CameraName)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (null != camera)
|
|
{
|
|
for (var i = 0; i < camera.transitions.length; i++)
|
|
{
|
|
if (camera.transitions[i].type == "MOVE")
|
|
{
|
|
ret.set_float(camera.transitions[i].progress);
|
|
return;
|
|
}
|
|
}
|
|
}
|
|
ret.set_float(0);
|
|
};
|
|
Exps.prototype.ZoomTransitionProgress = function (ret, CameraName)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (null != camera)
|
|
{
|
|
for (var i = 0; i < camera.transitions.length; i++)
|
|
{
|
|
if (camera.transitions[i].type == "SCALE")
|
|
{
|
|
ret.set_float(camera.transitions[i].progress);
|
|
return;
|
|
}
|
|
}
|
|
}
|
|
ret.set_float(0);
|
|
};
|
|
Exps.prototype.GetX = function (ret, CameraName)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (null != camera)
|
|
{
|
|
ret.set_float(camera.x);
|
|
return;
|
|
}
|
|
ret.set_float(0);
|
|
};
|
|
Exps.prototype.GetY = function (ret, CameraName)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (null != camera)
|
|
{
|
|
ret.set_float(camera.y);
|
|
return;
|
|
}
|
|
ret.set_float(0);
|
|
};
|
|
Exps.prototype.GetZoom = function (ret, CameraName)
|
|
{
|
|
var camera = this.GetCamera(CameraName);
|
|
if (null != camera)
|
|
{
|
|
ret.set_float(camera.scale);
|
|
return;
|
|
}
|
|
ret.set_float(0);
|
|
};
|
|
Exps.prototype.GetActiveCamera = function (ret)
|
|
{
|
|
if (null != this.activeCamera)
|
|
{
|
|
ret.set_string(this.activeCamera.name);
|
|
return;
|
|
}
|
|
ret.set_string("null");
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Mouse = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Mouse.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
this.buttonMap = new Array(4); // mouse down states
|
|
this.mouseXcanvas = 0; // mouse position relative to canvas
|
|
this.mouseYcanvas = 0;
|
|
this.triggerButton = 0;
|
|
this.triggerType = 0;
|
|
this.triggerDir = 0;
|
|
this.handled = false;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
var self = this;
|
|
if (!this.runtime.isDomFree)
|
|
{
|
|
jQuery(document).mousemove(
|
|
function(info) {
|
|
self.onMouseMove(info);
|
|
}
|
|
);
|
|
jQuery(document).mousedown(
|
|
function(info) {
|
|
self.onMouseDown(info);
|
|
}
|
|
);
|
|
jQuery(document).mouseup(
|
|
function(info) {
|
|
self.onMouseUp(info);
|
|
}
|
|
);
|
|
jQuery(document).dblclick(
|
|
function(info) {
|
|
self.onDoubleClick(info);
|
|
}
|
|
);
|
|
var wheelevent = function(info) {
|
|
self.onWheel(info);
|
|
};
|
|
document.addEventListener("mousewheel", wheelevent, false);
|
|
document.addEventListener("DOMMouseScroll", wheelevent, false);
|
|
}
|
|
};
|
|
var dummyoffset = {left: 0, top: 0};
|
|
instanceProto.onMouseMove = function(info)
|
|
{
|
|
var offset = this.runtime.isDomFree ? dummyoffset : jQuery(this.runtime.canvas).offset();
|
|
this.mouseXcanvas = info.pageX - offset.left;
|
|
this.mouseYcanvas = info.pageY - offset.top;
|
|
};
|
|
instanceProto.mouseInGame = function ()
|
|
{
|
|
if (this.runtime.fullscreen_mode > 0)
|
|
return true;
|
|
return this.mouseXcanvas >= 0 && this.mouseYcanvas >= 0
|
|
&& this.mouseXcanvas < this.runtime.width && this.mouseYcanvas < this.runtime.height;
|
|
};
|
|
instanceProto.onMouseDown = function(info)
|
|
{
|
|
if (!this.mouseInGame())
|
|
return;
|
|
this.buttonMap[info.which] = true;
|
|
this.runtime.isInUserInputEvent = true;
|
|
this.runtime.trigger(cr.plugins_.Mouse.prototype.cnds.OnAnyClick, this);
|
|
this.triggerButton = info.which - 1; // 1-based
|
|
this.triggerType = 0; // single click
|
|
this.runtime.trigger(cr.plugins_.Mouse.prototype.cnds.OnClick, this);
|
|
this.runtime.trigger(cr.plugins_.Mouse.prototype.cnds.OnObjectClicked, this);
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.onMouseUp = function(info)
|
|
{
|
|
if (!this.buttonMap[info.which])
|
|
return;
|
|
if (this.runtime.had_a_click && !this.runtime.isMobile)
|
|
info.preventDefault();
|
|
this.runtime.had_a_click = true;
|
|
this.buttonMap[info.which] = false;
|
|
this.runtime.isInUserInputEvent = true;
|
|
this.triggerButton = info.which - 1; // 1-based
|
|
this.runtime.trigger(cr.plugins_.Mouse.prototype.cnds.OnRelease, this);
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.onDoubleClick = function(info)
|
|
{
|
|
if (!this.mouseInGame())
|
|
return;
|
|
info.preventDefault();
|
|
this.runtime.isInUserInputEvent = true;
|
|
this.triggerButton = info.which - 1; // 1-based
|
|
this.triggerType = 1; // double click
|
|
this.runtime.trigger(cr.plugins_.Mouse.prototype.cnds.OnClick, this);
|
|
this.runtime.trigger(cr.plugins_.Mouse.prototype.cnds.OnObjectClicked, this);
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.onWheel = function (info)
|
|
{
|
|
var delta = info.wheelDelta ? info.wheelDelta : info.detail ? -info.detail : 0;
|
|
this.triggerDir = (delta < 0 ? 0 : 1);
|
|
this.handled = false;
|
|
this.runtime.isInUserInputEvent = true;
|
|
this.runtime.trigger(cr.plugins_.Mouse.prototype.cnds.OnWheel, this);
|
|
this.runtime.isInUserInputEvent = false;
|
|
if (this.handled && cr.isCanvasInputEvent(info))
|
|
info.preventDefault();
|
|
};
|
|
instanceProto.onWindowBlur = function ()
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.buttonMap.length; i < len; ++i)
|
|
{
|
|
if (!this.buttonMap[i])
|
|
continue;
|
|
this.buttonMap[i] = false;
|
|
this.triggerButton = i - 1;
|
|
this.runtime.trigger(cr.plugins_.Mouse.prototype.cnds.OnRelease, this);
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnClick = function (button, type)
|
|
{
|
|
return button === this.triggerButton && type === this.triggerType;
|
|
};
|
|
Cnds.prototype.OnAnyClick = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsButtonDown = function (button)
|
|
{
|
|
return this.buttonMap[button + 1]; // jQuery uses 1-based buttons for some reason
|
|
};
|
|
Cnds.prototype.OnRelease = function (button)
|
|
{
|
|
return button === this.triggerButton;
|
|
};
|
|
Cnds.prototype.IsOverObject = function (obj)
|
|
{
|
|
var cnd = this.runtime.getCurrentCondition();
|
|
var mx = this.mouseXcanvas;
|
|
var my = this.mouseYcanvas;
|
|
return cr.xor(this.runtime.testAndSelectCanvasPointOverlap(obj, mx, my, cnd.inverted), cnd.inverted);
|
|
};
|
|
Cnds.prototype.OnObjectClicked = function (button, type, obj)
|
|
{
|
|
if (button !== this.triggerButton || type !== this.triggerType)
|
|
return false; // wrong click type
|
|
return this.runtime.testAndSelectCanvasPointOverlap(obj, this.mouseXcanvas, this.mouseYcanvas, false);
|
|
};
|
|
Cnds.prototype.OnWheel = function (dir)
|
|
{
|
|
this.handled = true;
|
|
return dir === this.triggerDir;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
var lastSetCursor = null;
|
|
Acts.prototype.SetCursor = function (c)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
var cursor_style = ["auto", "pointer", "text", "crosshair", "move", "help", "wait", "none"][c];
|
|
if (lastSetCursor === cursor_style)
|
|
return; // redundant
|
|
lastSetCursor = cursor_style;
|
|
document.body.style.cursor = cursor_style;
|
|
};
|
|
Acts.prototype.SetCursorSprite = function (obj)
|
|
{
|
|
if (this.runtime.isDomFree || this.runtime.isMobile || !obj)
|
|
return;
|
|
var inst = obj.getFirstPicked();
|
|
if (!inst || !inst.curFrame)
|
|
return;
|
|
var frame = inst.curFrame;
|
|
if (lastSetCursor === frame)
|
|
return; // already set this frame
|
|
lastSetCursor = frame;
|
|
var datauri = frame.getDataUri();
|
|
var cursor_style = "url(" + datauri + ") " + Math.round(frame.hotspotX * frame.width) + " " + Math.round(frame.hotspotY * frame.height) + ", auto";
|
|
document.body.style.cursor = "";
|
|
document.body.style.cursor = cursor_style;
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.X = function (ret, layerparam)
|
|
{
|
|
var layer, oldScale, oldZoomRate, oldParallaxX, oldAngle;
|
|
if (cr.is_undefined(layerparam))
|
|
{
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxX = layer.parallaxX;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxX = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(layer.canvasToLayer(this.mouseXcanvas, this.mouseYcanvas, true));
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxX = oldParallaxX;
|
|
layer.angle = oldAngle;
|
|
}
|
|
else
|
|
{
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else
|
|
layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
ret.set_float(layer.canvasToLayer(this.mouseXcanvas, this.mouseYcanvas, true));
|
|
else
|
|
ret.set_float(0);
|
|
}
|
|
};
|
|
Exps.prototype.Y = function (ret, layerparam)
|
|
{
|
|
var layer, oldScale, oldZoomRate, oldParallaxY, oldAngle;
|
|
if (cr.is_undefined(layerparam))
|
|
{
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxY = layer.parallaxY;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxY = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(layer.canvasToLayer(this.mouseXcanvas, this.mouseYcanvas, false));
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxY = oldParallaxY;
|
|
layer.angle = oldAngle;
|
|
}
|
|
else
|
|
{
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else
|
|
layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
ret.set_float(layer.canvasToLayer(this.mouseXcanvas, this.mouseYcanvas, false));
|
|
else
|
|
ret.set_float(0);
|
|
}
|
|
};
|
|
Exps.prototype.AbsoluteX = function (ret)
|
|
{
|
|
ret.set_float(this.mouseXcanvas);
|
|
};
|
|
Exps.prototype.AbsoluteY = function (ret)
|
|
{
|
|
ret.set_float(this.mouseYcanvas);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.NinePatch = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.NinePatch.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
this.texture_img = new Image();
|
|
this.texture_img.cr_filesize = this.texture_filesize;
|
|
this.runtime.waitForImageLoad(this.texture_img, this.texture_file);
|
|
this.fillPattern = null;
|
|
this.leftPattern = null;
|
|
this.rightPattern = null;
|
|
this.topPattern = null;
|
|
this.bottomPattern = null;
|
|
this.webGL_texture = null;
|
|
this.webGL_fillTexture = null;
|
|
this.webGL_leftTexture = null;
|
|
this.webGL_rightTexture = null;
|
|
this.webGL_topTexture = null;
|
|
this.webGL_bottomTexture = null;
|
|
};
|
|
typeProto.onLostWebGLContext = function ()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
this.webGL_texture = null;
|
|
this.webGL_fillTexture = null;
|
|
this.webGL_leftTexture = null;
|
|
this.webGL_rightTexture = null;
|
|
this.webGL_topTexture = null;
|
|
this.webGL_bottomTexture = null;
|
|
};
|
|
typeProto.onRestoreWebGLContext = function ()
|
|
{
|
|
if (this.is_family || !this.instances.length)
|
|
return;
|
|
if (!this.webGL_texture)
|
|
{
|
|
this.webGL_texture = this.runtime.glwrap.loadTexture(this.texture_img, true, this.runtime.linearSampling, this.texture_pixelformat);
|
|
}
|
|
};
|
|
typeProto.unloadTextures = function ()
|
|
{
|
|
if (this.is_family || this.instances.length)
|
|
return;
|
|
if (this.runtime.glwrap)
|
|
{
|
|
this.runtime.glwrap.deleteTexture(this.webGL_texture);
|
|
this.runtime.glwrap.deleteTexture(this.webGL_fillTexture);
|
|
this.runtime.glwrap.deleteTexture(this.webGL_leftTexture);
|
|
this.runtime.glwrap.deleteTexture(this.webGL_rightTexture);
|
|
this.runtime.glwrap.deleteTexture(this.webGL_topTexture);
|
|
this.runtime.glwrap.deleteTexture(this.webGL_bottomTexture);
|
|
this.webGL_texture = null;
|
|
this.webGL_fillTexture = null;
|
|
this.webGL_leftTexture = null;
|
|
this.webGL_rightTexture = null;
|
|
this.webGL_topTexture = null;
|
|
this.webGL_bottomTexture = null;
|
|
}
|
|
};
|
|
typeProto.slicePatch = function (x1, y1, x2, y2)
|
|
{
|
|
var tmpcanvas = document.createElement("canvas");
|
|
var w = x2 - x1;
|
|
var h = y2 - y1;
|
|
tmpcanvas.width = w;
|
|
tmpcanvas.height = h;
|
|
var tmpctx = tmpcanvas.getContext("2d");
|
|
tmpctx.drawImage(this.texture_img, x1, y1, w, h, 0, 0, w, h);
|
|
return tmpcanvas;
|
|
};
|
|
typeProto.createPatch = function (lm, rm, tm, bm)
|
|
{
|
|
var iw = this.texture_img.width;
|
|
var ih = this.texture_img.height;
|
|
var re = iw - rm;
|
|
var be = ih - bm;
|
|
if (this.runtime.glwrap)
|
|
{
|
|
if (this.webGL_fillTexture)
|
|
return; // already created
|
|
var glwrap = this.runtime.glwrap;
|
|
var ls = this.runtime.linearSampling;
|
|
var tf = this.texture_pixelformat;
|
|
if (re > lm && be > tm)
|
|
this.webGL_fillTexture = glwrap.loadTexture(this.slicePatch(lm, tm, re, be), true, ls, tf);
|
|
if (lm > 0 && be > tm)
|
|
this.webGL_leftTexture = glwrap.loadTexture(this.slicePatch(0, tm, lm, be), true, ls, tf, "repeat-y");
|
|
if (rm > 0 && be > tm)
|
|
this.webGL_rightTexture = glwrap.loadTexture(this.slicePatch(re, tm, iw, be), true, ls, tf, "repeat-y");
|
|
if (tm > 0 && re > lm)
|
|
this.webGL_topTexture = glwrap.loadTexture(this.slicePatch(lm, 0, re, tm), true, ls, tf, "repeat-x");
|
|
if (bm > 0 && re > lm)
|
|
this.webGL_bottomTexture = glwrap.loadTexture(this.slicePatch(lm, be, re, ih), true, ls, tf, "repeat-x");
|
|
}
|
|
else
|
|
{
|
|
if (this.fillPattern)
|
|
return; // already created
|
|
var ctx = this.runtime.ctx;
|
|
if (re > lm && be > tm)
|
|
this.fillPattern = ctx.createPattern(this.slicePatch(lm, tm, re, be), "repeat");
|
|
if (lm > 0 && be > tm)
|
|
this.leftPattern = ctx.createPattern(this.slicePatch(0, tm, lm, be), "repeat");
|
|
if (rm > 0 && be > tm)
|
|
this.rightPattern = ctx.createPattern(this.slicePatch(re, tm, iw, be), "repeat");
|
|
if (tm > 0 && re > lm)
|
|
this.topPattern = ctx.createPattern(this.slicePatch(lm, 0, re, tm), "repeat");
|
|
if (bm > 0 && re > lm)
|
|
this.bottomPattern = ctx.createPattern(this.slicePatch(lm, be, re, ih), "repeat");
|
|
}
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.leftMargin = this.properties[0];
|
|
this.rightMargin = this.properties[1];
|
|
this.topMargin = this.properties[2];
|
|
this.bottomMargin = this.properties[3];
|
|
this.edges = this.properties[4]; // 0=tile, 1=stretch
|
|
this.fill = this.properties[5]; // 0=tile, 1=stretch, 2=transparent
|
|
this.visible = (this.properties[6] === 0); // 0=visible, 1=invisible
|
|
this.seamless = (this.properties[8] !== 0); // 1px overdraw to hide seams
|
|
if (this.recycled)
|
|
this.rcTex.set(0, 0, 0, 0);
|
|
else
|
|
this.rcTex = new cr.rect(0, 0, 0, 0);
|
|
if (this.runtime.glwrap)
|
|
{
|
|
if (!this.type.webGL_texture)
|
|
{
|
|
this.type.webGL_texture = this.runtime.glwrap.loadTexture(this.type.texture_img, false, this.runtime.linearSampling, this.type.texture_pixelformat);
|
|
}
|
|
}
|
|
this.type.createPatch(this.leftMargin, this.rightMargin, this.topMargin, this.bottomMargin);
|
|
};
|
|
function drawPatternProperly(ctx, pattern, pw, ph, drawX, drawY, w, h, ox, oy)
|
|
{
|
|
ctx.save();
|
|
ctx.fillStyle = pattern;
|
|
var offX = drawX % pw;
|
|
var offY = drawY % ph;
|
|
if (offX < 0)
|
|
offX += pw;
|
|
if (offY < 0)
|
|
offY += ph;
|
|
ctx.translate(offX + ox, offY + oy);
|
|
ctx.fillRect(drawX - offX - ox, drawY - offY - oy, w, h);
|
|
ctx.restore();
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
var img = this.type.texture_img;
|
|
var lm = this.leftMargin;
|
|
var rm = this.rightMargin;
|
|
var tm = this.topMargin;
|
|
var bm = this.bottomMargin;
|
|
var iw = img.width;
|
|
var ih = img.height;
|
|
var re = iw - rm;
|
|
var be = ih - bm;
|
|
ctx.globalAlpha = this.opacity;
|
|
ctx.save();
|
|
var myx = this.x;
|
|
var myy = this.y;
|
|
var myw = this.width;
|
|
var myh = this.height;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
myx = Math.round(myx);
|
|
myy = Math.round(myy);
|
|
}
|
|
var drawX = -(this.hotspotX * this.width);
|
|
var drawY = -(this.hotspotY * this.height);
|
|
var offX = drawX % iw;
|
|
var offY = drawY % ih;
|
|
if (offX < 0)
|
|
offX += iw;
|
|
if (offY < 0)
|
|
offY += ih;
|
|
ctx.translate(myx + offX, myy + offY);
|
|
var x = drawX - offX;
|
|
var y = drawY - offY;
|
|
var s = (this.seamless ? 1 : 0);
|
|
if (lm > 0 && tm > 0)
|
|
ctx.drawImage(img, 0, 0, lm + s, tm + s, x, y, lm + s, tm + s);
|
|
if (rm > 0 && tm > 0)
|
|
ctx.drawImage(img, re - s, 0, rm + s, tm + s, x + myw - rm - s, y, rm + s, tm + s);
|
|
if (rm > 0 && bm > 0)
|
|
ctx.drawImage(img, re - s, be - s, rm + s, bm + s, x + myw - rm - s, y + myh - bm - s, rm + s, bm + s);
|
|
if (lm > 0 && bm > 0)
|
|
ctx.drawImage(img, 0, be - s, lm + s, bm + s, x, y + myh - bm - s, lm + s, bm + s);
|
|
if (this.edges === 0) // tile edges
|
|
{
|
|
var off = (this.fill === 2 ? 0 : s);
|
|
if (lm > 0 && be > tm)
|
|
drawPatternProperly(ctx, this.type.leftPattern, lm, be - tm, x, y + tm, lm + off, myh - tm - bm, 0, 0);
|
|
if (rm > 0 && be > tm)
|
|
drawPatternProperly(ctx, this.type.rightPattern, rm, be - tm, x + myw - rm - off, y + tm, rm + off, myh - tm - bm, off, 0);
|
|
if (tm > 0 && re > lm)
|
|
drawPatternProperly(ctx, this.type.topPattern, re - lm, tm, x + lm, y, myw - lm - rm, tm + off, 0, 0);
|
|
if (bm > 0 && re > lm)
|
|
drawPatternProperly(ctx, this.type.bottomPattern, re - lm, bm, x + lm, y + myh - bm - off, myw - lm - rm, bm + off, 0, off);
|
|
}
|
|
else if (this.edges === 1) // stretch edges
|
|
{
|
|
if (lm > 0 && be > tm && myh - tm - bm > 0)
|
|
ctx.drawImage(img, 0, tm, lm, be - tm, x, y + tm, lm, myh - tm - bm);
|
|
if (rm > 0 && be > tm && myh - tm - bm > 0)
|
|
ctx.drawImage(img, re, tm, rm, be - tm, x + myw - rm, y + tm, rm, myh - tm - bm);
|
|
if (tm > 0 && re > lm && myw - lm - rm > 0)
|
|
ctx.drawImage(img, lm, 0, re - lm, tm, x + lm, y, myw - lm - rm, tm);
|
|
if (bm > 0 && re > lm && myw - lm - rm > 0)
|
|
ctx.drawImage(img, lm, be, re - lm, bm, x + lm, y + myh - bm, myw - lm - rm, bm);
|
|
}
|
|
if (be > tm && re > lm)
|
|
{
|
|
if (this.fill === 0) // tile fill
|
|
{
|
|
drawPatternProperly(ctx, this.type.fillPattern, re - lm, be - tm, x + lm, y + tm, myw - lm - rm, myh - tm - bm, 0, 0);
|
|
}
|
|
else if (this.fill === 1) // stretch fill
|
|
{
|
|
if (myw - lm - rm > 0 && myh - tm - bm > 0)
|
|
{
|
|
ctx.drawImage(img, lm, tm, re - lm, be - tm, x + lm, y + tm, myw - lm - rm, myh - tm - bm);
|
|
}
|
|
}
|
|
}
|
|
ctx.restore();
|
|
};
|
|
instanceProto.drawPatch = function(glw, tex, sx, sy, sw, sh, dx, dy, dw, dh)
|
|
{
|
|
glw.setTexture(tex);
|
|
var rcTex = this.rcTex;
|
|
rcTex.left = sx / tex.c2width;
|
|
rcTex.top = sy / tex.c2height;
|
|
rcTex.right = (sx + sw) / tex.c2width;
|
|
rcTex.bottom = (sy + sh) / tex.c2height;
|
|
glw.quadTex(dx, dy, dx + dw, dy, dx + dw, dy + dh, dx, dy + dh, rcTex);
|
|
};
|
|
instanceProto.tilePatch = function(glw, tex, dx, dy, dw, dh, ox, oy)
|
|
{
|
|
glw.setTexture(tex);
|
|
var rcTex = this.rcTex;
|
|
rcTex.left = -ox / tex.c2width;
|
|
rcTex.top = -oy / tex.c2height;
|
|
rcTex.right = (dw - ox) / tex.c2width;
|
|
rcTex.bottom = (dh - oy) / tex.c2height;
|
|
glw.quadTex(dx, dy, dx + dw, dy, dx + dw, dy + dh, dx, dy + dh, rcTex);
|
|
};
|
|
instanceProto.drawGL_earlyZPass = function(glw)
|
|
{
|
|
this.drawGL(glw);
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
var lm = this.leftMargin;
|
|
var rm = this.rightMargin;
|
|
var tm = this.topMargin;
|
|
var bm = this.bottomMargin;
|
|
var iw = this.type.texture_img.width;
|
|
var ih = this.type.texture_img.height;
|
|
var re = iw - rm;
|
|
var be = ih - bm;
|
|
glw.setOpacity(this.opacity);
|
|
var rcTex = this.rcTex;
|
|
var q = this.bquad;
|
|
var myx = q.tlx;
|
|
var myy = q.tly;
|
|
var myw = this.width;
|
|
var myh = this.height;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
myx = Math.round(myx);
|
|
myy = Math.round(myy);
|
|
}
|
|
var s = (this.seamless ? 1 : 0);
|
|
if (lm > 0 && tm > 0)
|
|
this.drawPatch(glw, this.type.webGL_texture, 0, 0, lm + s, tm + s, myx, myy, lm + s, tm + s);
|
|
if (rm > 0 && tm > 0)
|
|
this.drawPatch(glw, this.type.webGL_texture, re - s, 0, rm + s, tm + s, myx + myw - rm - s, myy, rm + s, tm + s);
|
|
if (rm > 0 && bm > 0)
|
|
this.drawPatch(glw, this.type.webGL_texture, re - s, be - s, rm + s, bm + s, myx + myw - rm - s, myy + myh - bm - s, rm + s, bm + s);
|
|
if (lm > 0 && bm > 0)
|
|
this.drawPatch(glw, this.type.webGL_texture, 0, be - s, lm + s, bm + s, myx, myy + myh - bm - s, lm + s, bm + s);
|
|
if (this.edges === 0) // tile edges
|
|
{
|
|
var off = (this.fill === 2 ? 0 : s);
|
|
if (lm > 0 && be > tm)
|
|
this.tilePatch(glw, this.type.webGL_leftTexture, myx, myy + tm, lm + off, myh - tm - bm, 0, 0);
|
|
if (rm > 0 && be > tm)
|
|
this.tilePatch(glw, this.type.webGL_rightTexture, myx + myw - rm - off, myy + tm, rm + off, myh - tm - bm, off, 0);
|
|
if (tm > 0 && re > lm)
|
|
this.tilePatch(glw, this.type.webGL_topTexture, myx + lm, myy, myw - lm - rm, tm + off, 0, 0);
|
|
if (bm > 0 && re > lm)
|
|
this.tilePatch(glw, this.type.webGL_bottomTexture, myx + lm, myy + myh - bm - off, myw - lm - rm, bm + off, 0, off);
|
|
}
|
|
else if (this.edges === 1) // stretch edges
|
|
{
|
|
if (lm > 0 && be > tm)
|
|
this.drawPatch(glw, this.type.webGL_texture, 0, tm, lm, be - tm, myx, myy + tm, lm, myh - tm - bm);
|
|
if (rm > 0 && be > tm)
|
|
this.drawPatch(glw, this.type.webGL_texture, re, tm, rm, be - tm, myx + myw - rm, myy + tm, rm, myh - tm - bm);
|
|
if (tm > 0 && re > lm)
|
|
this.drawPatch(glw, this.type.webGL_texture, lm, 0, re - lm, tm, myx + lm, myy, myw - lm - rm, tm);
|
|
if (bm > 0 && re > lm)
|
|
this.drawPatch(glw, this.type.webGL_texture, lm, be, re - lm, bm, myx + lm, myy + myh - bm, myw - lm - rm, bm);
|
|
}
|
|
if (be > tm && re > lm)
|
|
{
|
|
if (this.fill === 0) // tile fill
|
|
{
|
|
this.tilePatch(glw, this.type.webGL_fillTexture, myx + lm, myy + tm, myw - lm - rm, myh - tm - bm, 0, 0);
|
|
}
|
|
else if (this.fill === 1) // stretch fill
|
|
{
|
|
this.drawPatch(glw, this.type.webGL_texture, lm, tm, re - lm, be - tm, myx + lm, myy + tm, myw - lm - rm, myh - tm - bm);
|
|
}
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnURLLoaded = function ()
|
|
{
|
|
return true;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetEffect = function (effect)
|
|
{
|
|
this.blend_mode = effect;
|
|
this.compositeOp = cr.effectToCompositeOp(effect);
|
|
cr.setGLBlend(this, effect, this.runtime.gl);
|
|
this.runtime.redraw = true;
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.NodeWebkit = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var isNWjs = false;
|
|
var path = null;
|
|
var fs = null;
|
|
var os = null;
|
|
var gui = null;
|
|
var child_process = null;
|
|
var process = null;
|
|
var nw_appfolder = "";
|
|
var nw_userfolder = "";
|
|
var nw_projectfilesfolder = "";
|
|
var slash = "\\";
|
|
var filelist = [];
|
|
var droppedfile = "";
|
|
var chosenpath = "";
|
|
var pluginProto = cr.plugins_.NodeWebkit.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
isNWjs = this.runtime.isNWjs;
|
|
var self = this;
|
|
if (isNWjs)
|
|
{
|
|
path = require("path");
|
|
fs = require("fs");
|
|
os = require("os");
|
|
child_process = require("child_process");
|
|
process = window["process"] || nw["process"];
|
|
if (process["platform"] !== "win32")
|
|
slash = "/";
|
|
nw_appfolder = path["dirname"](process["execPath"]) + slash;
|
|
nw_userfolder = os["homedir"]() + slash;
|
|
gui = window["nwgui"];
|
|
nw_projectfilesfolder = process["mainModule"]["filename"];
|
|
var lastSlash = Math.max(nw_projectfilesfolder.lastIndexOf("/"), nw_projectfilesfolder.lastIndexOf("\\"));
|
|
if (lastSlash !== -1)
|
|
nw_projectfilesfolder = nw_projectfilesfolder.substr(0, lastSlash + 1);
|
|
window["ondrop"] = function (e)
|
|
{
|
|
e.preventDefault();
|
|
for (var i = 0; i < e["dataTransfer"]["files"].length; ++i)
|
|
{
|
|
droppedfile = e["dataTransfer"]["files"][i]["path"];
|
|
self.runtime.trigger(cr.plugins_.NodeWebkit.prototype.cnds.OnFileDrop, self);
|
|
}
|
|
return false;
|
|
};
|
|
var openFileDialogElem = document.getElementById("c2nwOpenFileDialog");
|
|
openFileDialogElem["onchange"] = function (e) {
|
|
chosenpath = openFileDialogElem.value;
|
|
self.runtime.trigger(cr.plugins_.NodeWebkit.prototype.cnds.OnOpenDlg, self);
|
|
try {
|
|
openFileDialogElem.value = null;
|
|
}
|
|
catch (e) {}
|
|
};
|
|
openFileDialogElem["oncancel"] = function () {
|
|
self.runtime.trigger(cr.plugins_.NodeWebkit.prototype.cnds.OnOpenDlgCancel, self);
|
|
};
|
|
var chooseFolderDialogElem = document.getElementById("c2nwChooseFolderDialog");
|
|
chooseFolderDialogElem["onchange"] = function (e) {
|
|
chosenpath = chooseFolderDialogElem.value;
|
|
self.runtime.trigger(cr.plugins_.NodeWebkit.prototype.cnds.OnFolderDlg, self);
|
|
try {
|
|
chooseFolderDialogElem.value = null;
|
|
}
|
|
catch (e) {}
|
|
};
|
|
chooseFolderDialogElem["oncancel"] = function () {
|
|
self.runtime.trigger(cr.plugins_.NodeWebkit.prototype.cnds.OnFolderDlgCancel, self);
|
|
};
|
|
var saveDialogElem = document.getElementById("c2nwSaveDialog");
|
|
saveDialogElem["onchange"] = function (e) {
|
|
chosenpath = saveDialogElem.value;
|
|
self.runtime.trigger(cr.plugins_.NodeWebkit.prototype.cnds.OnSaveDlg, self);
|
|
try {
|
|
saveDialogElem.value = null;
|
|
}
|
|
catch (e) {}
|
|
};
|
|
saveDialogElem["oncancel"] = function () {
|
|
self.runtime.trigger(cr.plugins_.NodeWebkit.prototype.cnds.OnSaveDlgCancel, self);
|
|
};
|
|
}
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.PathExists = function (path_)
|
|
{
|
|
if (isNWjs)
|
|
return fs["existsSync"](path_);
|
|
else
|
|
return false;
|
|
};
|
|
Cnds.prototype.OnFileDrop = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnOpenDlg = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnFolderDlg = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnSaveDlg = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnOpenDlgCancel = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnFolderDlgCancel = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnSaveDlgCancel = function ()
|
|
{
|
|
return true;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.WriteFile = function (path_, contents_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
try {
|
|
fs["writeFileSync"](path_, contents_, {"encoding": "utf8"});
|
|
}
|
|
catch (e)
|
|
{}
|
|
};
|
|
Acts.prototype.RenameFile = function (old_, new_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
try {
|
|
fs["renameSync"](old_, new_);
|
|
}
|
|
catch (e)
|
|
{}
|
|
};
|
|
Acts.prototype.DeleteFile = function (path_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
try {
|
|
fs["unlinkSync"](path_);
|
|
}
|
|
catch (e)
|
|
{}
|
|
};
|
|
Acts.prototype.CopyFile = function (path_, dest_)
|
|
{
|
|
if (!isNWjs || path_ === dest_)
|
|
return;
|
|
try {
|
|
var contents = fs["readFileSync"](path_, {"flags": "rb"});
|
|
fs["writeFileSync"](dest_, contents, {"flags": "wb"});
|
|
}
|
|
catch (e)
|
|
{}
|
|
};
|
|
Acts.prototype.MoveFile = function (path_, dest_)
|
|
{
|
|
if (!isNWjs || path_ === dest_)
|
|
return;
|
|
try {
|
|
var contents = fs["readFileSync"](path_, {"flags": "rb"});
|
|
fs["writeFileSync"](dest_, contents, {"flags": "wb"});
|
|
if (fs["existsSync"](dest_))
|
|
fs["unlinkSync"](path_);
|
|
}
|
|
catch (e)
|
|
{}
|
|
};
|
|
Acts.prototype.RunFile = function (path_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
child_process["exec"](path_, function() {});
|
|
};
|
|
Acts.prototype.ShellOpen = function (path_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
nw["Shell"]["openItem"](path_);
|
|
};
|
|
Acts.prototype.OpenBrowser = function (url_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
var opener;
|
|
switch (process.platform) {
|
|
case "win32":
|
|
opener = 'start ""';
|
|
break;
|
|
case "darwin":
|
|
opener = 'open';
|
|
break;
|
|
default:
|
|
opener = path["join"](__dirname, "../vendor/xdg-open");
|
|
break;
|
|
}
|
|
child_process["exec"](opener + ' "' + url_.replace(/"/, '\\\"') + '"');
|
|
};
|
|
Acts.prototype.CreateFolder = function (path_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
try {
|
|
fs["mkdirSync"](path_);
|
|
}
|
|
catch (e)
|
|
{}
|
|
};
|
|
Acts.prototype.AppendFile = function (path_, contents_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
try {
|
|
fs["appendFileSync"](path_, contents_, {"encoding": "utf8"});
|
|
}
|
|
catch (e)
|
|
{}
|
|
};
|
|
Acts.prototype.ListFiles = function (path_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
try {
|
|
filelist = fs["readdirSync"](path_);
|
|
}
|
|
catch (err)
|
|
{
|
|
filelist = [];
|
|
console.warn("Error listing files at '" + path_ + "': ", err);
|
|
}
|
|
if (!filelist)
|
|
filelist = [];
|
|
};
|
|
Acts.prototype.ShowOpenDlg = function (accept_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
var dlg = jQuery("#c2nwOpenFileDialog");
|
|
dlg.attr("accept", accept_);
|
|
dlg.trigger("click");
|
|
};
|
|
Acts.prototype.ShowFolderDlg = function (accept_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
jQuery("#c2nwChooseFolderDialog").trigger("click");
|
|
};
|
|
Acts.prototype.ShowSaveDlg = function (accept_)
|
|
{
|
|
if (!isNWjs)
|
|
return;
|
|
var dlg = jQuery("#c2nwSaveDialog");
|
|
dlg.attr("accept", accept_);
|
|
dlg.trigger("click");
|
|
};
|
|
Acts.prototype.SetWindowX = function (x_)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["x"] = x_;
|
|
};
|
|
Acts.prototype.SetWindowY = function (y_)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["y"] = y_;
|
|
};
|
|
Acts.prototype.SetWindowWidth = function (w_)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["width"] = w_;
|
|
};
|
|
Acts.prototype.SetWindowHeight = function (h_)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["height"] = h_;
|
|
};
|
|
Acts.prototype.SetWindowTitle = function (str)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["title"] = str;
|
|
document.title = str;
|
|
};
|
|
Acts.prototype.WindowMinimize = function ()
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
var win = gui["Window"]["get"]();
|
|
setTimeout(function () {
|
|
win["minimize"]();
|
|
}, 100);
|
|
};
|
|
Acts.prototype.WindowMaximize = function ()
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
var win = gui["Window"]["get"]();
|
|
setTimeout(function () {
|
|
win["maximize"]();
|
|
}, 100);
|
|
};
|
|
Acts.prototype.WindowUnmaximize = function ()
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
var win = gui["Window"]["get"]();
|
|
setTimeout(function () {
|
|
win["unmaximize"]();
|
|
}, 100);
|
|
};
|
|
Acts.prototype.WindowRestore = function ()
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
var win = gui["Window"]["get"]();
|
|
setTimeout(function () {
|
|
win["restore"]();
|
|
}, 100);
|
|
};
|
|
Acts.prototype.WindowRequestAttention = function (request_)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["requestAttention"](request_ ? 3 : 0);
|
|
};
|
|
Acts.prototype.WindowSetMaxSize = function (w, h)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["setMaximumSize"](w, h);
|
|
};
|
|
Acts.prototype.WindowSetMinSize = function (w, h)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["setMinimumSize"](w, h);
|
|
};
|
|
Acts.prototype.WindowSetResizable = function (x)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["setResizable"](x !== 0);
|
|
};
|
|
Acts.prototype.WindowSetAlwaysOnTop = function (x)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["setAlwaysOnTop"](x !== 0);
|
|
};
|
|
Acts.prototype.ShowDevTools = function ()
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Window"]["get"]()["showDevTools"]();
|
|
};
|
|
Acts.prototype.SetClipboardText = function (str)
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Clipboard"]["get"]()["set"](str);
|
|
};
|
|
Acts.prototype.ClearClipboard = function ()
|
|
{
|
|
if (!isNWjs || !gui)
|
|
return;
|
|
gui["Clipboard"]["get"]()["clear"]();
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.AppFolder = function (ret)
|
|
{
|
|
ret.set_string(nw_appfolder);
|
|
};
|
|
Exps.prototype.AppFolderURL = function (ret)
|
|
{
|
|
ret.set_string("file://" + nw_appfolder);
|
|
};
|
|
Exps.prototype.ProjectFilesFolder = function (ret)
|
|
{
|
|
ret.set_string(nw_projectfilesfolder);
|
|
};
|
|
Exps.prototype.ProjectFilesFolderURL = function (ret)
|
|
{
|
|
ret.set_string("file://" + nw_projectfilesfolder);
|
|
};
|
|
Exps.prototype.UserFolder = function (ret)
|
|
{
|
|
ret.set_string(nw_userfolder);
|
|
};
|
|
Exps.prototype.ReadFile = function (ret, path_)
|
|
{
|
|
if (!isNWjs)
|
|
{
|
|
ret.set_string("");
|
|
return;
|
|
}
|
|
var contents = "";
|
|
try {
|
|
contents = fs["readFileSync"](path_, {"encoding": "utf8"});
|
|
}
|
|
catch (e) {}
|
|
ret.set_string(contents);
|
|
};
|
|
Exps.prototype.FileSize = function (ret, path_)
|
|
{
|
|
if (!isNWjs)
|
|
{
|
|
ret.set_int(0);
|
|
return;
|
|
}
|
|
var size = 0;
|
|
try {
|
|
var stat = fs["statSync"](path_);
|
|
if (stat)
|
|
size = stat["size"] || 0;
|
|
}
|
|
catch (e) {}
|
|
ret.set_int(size);
|
|
};
|
|
Exps.prototype.ListCount = function (ret)
|
|
{
|
|
ret.set_int(filelist.length);
|
|
};
|
|
Exps.prototype.ListAt = function (ret, index)
|
|
{
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= filelist.length)
|
|
ret.set_string("");
|
|
else
|
|
ret.set_string(filelist[index]);
|
|
};
|
|
Exps.prototype.DroppedFile = function (ret)
|
|
{
|
|
ret.set_string(droppedfile);
|
|
};
|
|
Exps.prototype.ChosenPath = function (ret)
|
|
{
|
|
ret.set_string(chosenpath);
|
|
};
|
|
Exps.prototype.WindowX = function (ret)
|
|
{
|
|
ret.set_int((isNWjs && gui) ? gui["Window"]["get"]()["x"] : 0);
|
|
};
|
|
Exps.prototype.WindowY = function (ret)
|
|
{
|
|
ret.set_int((isNWjs && gui) ? gui["Window"]["get"]()["y"] : 0);
|
|
};
|
|
Exps.prototype.WindowWidth = function (ret)
|
|
{
|
|
ret.set_int((isNWjs && gui) ? gui["Window"]["get"]()["width"] : 0);
|
|
};
|
|
Exps.prototype.WindowHeight = function (ret)
|
|
{
|
|
ret.set_int((isNWjs && gui) ? gui["Window"]["get"]()["height"] : 0);
|
|
};
|
|
Exps.prototype.WindowTitle = function (ret)
|
|
{
|
|
ret.set_string((isNWjs && gui) ? (gui["Window"]["get"]()["title"] || "") : 0);
|
|
};
|
|
Exps.prototype.ClipboardText = function (ret)
|
|
{
|
|
ret.set_string((isNWjs && gui) ? (gui["Clipboard"]["get"]()["get"]() || "") : 0);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Particles = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Particles.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
this.texture_img = new Image();
|
|
this.texture_img.cr_filesize = this.texture_filesize;
|
|
this.webGL_texture = null;
|
|
this.runtime.waitForImageLoad(this.texture_img, this.texture_file);
|
|
};
|
|
typeProto.onLostWebGLContext = function ()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
this.webGL_texture = null;
|
|
};
|
|
typeProto.onRestoreWebGLContext = function ()
|
|
{
|
|
if (this.is_family || !this.instances.length)
|
|
return;
|
|
if (!this.webGL_texture)
|
|
{
|
|
this.webGL_texture = this.runtime.glwrap.loadTexture(this.texture_img, true, this.runtime.linearSampling, this.texture_pixelformat);
|
|
}
|
|
};
|
|
typeProto.loadTextures = function ()
|
|
{
|
|
if (this.is_family || this.webGL_texture || !this.runtime.glwrap)
|
|
return;
|
|
this.webGL_texture = this.runtime.glwrap.loadTexture(this.texture_img, true, this.runtime.linearSampling, this.texture_pixelformat);
|
|
};
|
|
typeProto.unloadTextures = function ()
|
|
{
|
|
if (this.is_family || this.instances.length || !this.webGL_texture)
|
|
return;
|
|
this.runtime.glwrap.deleteTexture(this.webGL_texture);
|
|
this.webGL_texture = null;
|
|
};
|
|
typeProto.preloadCanvas2D = function (ctx)
|
|
{
|
|
ctx.drawImage(this.texture_img, 0, 0);
|
|
};
|
|
function Particle(owner)
|
|
{
|
|
this.owner = owner;
|
|
this.active = false;
|
|
this.x = 0;
|
|
this.y = 0;
|
|
this.speed = 0;
|
|
this.angle = 0;
|
|
this.opacity = 1;
|
|
this.grow = 0;
|
|
this.size = 0;
|
|
this.gs = 0; // gravity speed
|
|
this.age = 0;
|
|
cr.seal(this);
|
|
};
|
|
Particle.prototype.init = function ()
|
|
{
|
|
var owner = this.owner;
|
|
this.x = owner.x - (owner.xrandom / 2) + (Math.random() * owner.xrandom);
|
|
this.y = owner.y - (owner.yrandom / 2) + (Math.random() * owner.yrandom);
|
|
this.speed = owner.initspeed - (owner.speedrandom / 2) + (Math.random() * owner.speedrandom);
|
|
this.angle = owner.angle - (owner.spraycone / 2) + (Math.random() * owner.spraycone);
|
|
this.opacity = owner.initopacity;
|
|
this.size = owner.initsize - (owner.sizerandom / 2) + (Math.random() * owner.sizerandom);
|
|
this.grow = owner.growrate - (owner.growrandom / 2) + (Math.random() * owner.growrandom);
|
|
this.gs = 0;
|
|
this.age = 0;
|
|
};
|
|
Particle.prototype.tick = function (dt)
|
|
{
|
|
var owner = this.owner;
|
|
this.x += Math.cos(this.angle) * this.speed * dt;
|
|
this.y += Math.sin(this.angle) * this.speed * dt;
|
|
this.y += this.gs * dt;
|
|
this.speed += owner.acc * dt;
|
|
this.size += this.grow * dt;
|
|
this.gs += owner.g * dt;
|
|
this.age += dt;
|
|
if (this.size < 1)
|
|
{
|
|
this.active = false;
|
|
return;
|
|
}
|
|
if (owner.lifeanglerandom !== 0)
|
|
this.angle += (Math.random() * owner.lifeanglerandom * dt) - (owner.lifeanglerandom * dt / 2);
|
|
if (owner.lifespeedrandom !== 0)
|
|
this.speed += (Math.random() * owner.lifespeedrandom * dt) - (owner.lifespeedrandom * dt / 2);
|
|
if (owner.lifeopacityrandom !== 0)
|
|
{
|
|
this.opacity += (Math.random() * owner.lifeopacityrandom * dt) - (owner.lifeopacityrandom * dt / 2);
|
|
if (this.opacity < 0)
|
|
this.opacity = 0;
|
|
else if (this.opacity > 1)
|
|
this.opacity = 1;
|
|
}
|
|
if (owner.destroymode <= 1 && this.age >= owner.timeout)
|
|
{
|
|
this.active = false;
|
|
}
|
|
if (owner.destroymode === 2 && this.speed <= 0)
|
|
{
|
|
this.active = false;
|
|
}
|
|
};
|
|
Particle.prototype.draw = function (ctx)
|
|
{
|
|
var curopacity = this.owner.opacity * this.opacity;
|
|
if (curopacity === 0)
|
|
return;
|
|
if (this.owner.destroymode === 0)
|
|
curopacity *= 1 - (this.age / this.owner.timeout);
|
|
ctx.globalAlpha = curopacity;
|
|
var drawx = this.x - this.size / 2;
|
|
var drawy = this.y - this.size / 2;
|
|
if (this.owner.runtime.pixel_rounding)
|
|
{
|
|
drawx = (drawx + 0.5) | 0;
|
|
drawy = (drawy + 0.5) | 0;
|
|
}
|
|
ctx.drawImage(this.owner.type.texture_img, drawx, drawy, this.size, this.size);
|
|
};
|
|
Particle.prototype.drawGL = function (glw)
|
|
{
|
|
var curopacity = this.owner.opacity * this.opacity;
|
|
if (this.owner.destroymode === 0)
|
|
curopacity *= 1 - (this.age / this.owner.timeout);
|
|
var drawsize = this.size;
|
|
var scaleddrawsize = drawsize * this.owner.particlescale;
|
|
var drawx = this.x - drawsize / 2;
|
|
var drawy = this.y - drawsize / 2;
|
|
if (this.owner.runtime.pixel_rounding)
|
|
{
|
|
drawx = (drawx + 0.5) | 0;
|
|
drawy = (drawy + 0.5) | 0;
|
|
}
|
|
if (scaleddrawsize < 1 || curopacity === 0)
|
|
return;
|
|
if (scaleddrawsize < glw.minPointSize || scaleddrawsize > glw.maxPointSize)
|
|
{
|
|
glw.setOpacity(curopacity);
|
|
glw.quad(drawx, drawy, drawx + drawsize, drawy, drawx + drawsize, drawy + drawsize, drawx, drawy + drawsize);
|
|
}
|
|
else
|
|
glw.point(this.x, this.y, scaleddrawsize, curopacity);
|
|
};
|
|
Particle.prototype.left = function ()
|
|
{
|
|
return this.x - this.size / 2;
|
|
};
|
|
Particle.prototype.right = function ()
|
|
{
|
|
return this.x + this.size / 2;
|
|
};
|
|
Particle.prototype.top = function ()
|
|
{
|
|
return this.y - this.size / 2;
|
|
};
|
|
Particle.prototype.bottom = function ()
|
|
{
|
|
return this.y + this.size / 2;
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var deadparticles = [];
|
|
instanceProto.onCreate = function()
|
|
{
|
|
var props = this.properties;
|
|
this.rate = props[0];
|
|
this.spraycone = cr.to_radians(props[1]);
|
|
this.spraytype = props[2]; // 0 = continuous, 1 = one-shot
|
|
this.spraying = true; // for continuous mode only
|
|
this.initspeed = props[3];
|
|
this.initsize = props[4];
|
|
this.initopacity = props[5] / 100.0;
|
|
this.growrate = props[6];
|
|
this.xrandom = props[7];
|
|
this.yrandom = props[8];
|
|
this.speedrandom = props[9];
|
|
this.sizerandom = props[10];
|
|
this.growrandom = props[11];
|
|
this.acc = props[12];
|
|
this.g = props[13];
|
|
this.lifeanglerandom = props[14];
|
|
this.lifespeedrandom = props[15];
|
|
this.lifeopacityrandom = props[16];
|
|
this.destroymode = props[17]; // 0 = fade, 1 = timeout, 2 = stopped
|
|
this.timeout = props[18];
|
|
this.particleCreateCounter = 0;
|
|
this.particlescale = 1;
|
|
this.particleBoxLeft = this.x;
|
|
this.particleBoxTop = this.y;
|
|
this.particleBoxRight = this.x;
|
|
this.particleBoxBottom = this.y;
|
|
this.add_bbox_changed_callback(function (self) {
|
|
self.bbox.set(self.particleBoxLeft, self.particleBoxTop, self.particleBoxRight, self.particleBoxBottom);
|
|
self.bquad.set_from_rect(self.bbox);
|
|
self.bbox_changed = false;
|
|
self.update_collision_cell();
|
|
self.update_render_cell();
|
|
});
|
|
if (!this.recycled)
|
|
this.particles = [];
|
|
this.runtime.tickMe(this);
|
|
this.type.loadTextures();
|
|
if (this.spraytype === 1)
|
|
{
|
|
for (var i = 0; i < this.rate; i++)
|
|
this.allocateParticle().opacity = 0;
|
|
}
|
|
this.first_tick = true; // for re-init'ing one-shot particles on first tick so they assume any new angle/position
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
var o = {
|
|
"r": this.rate,
|
|
"sc": this.spraycone,
|
|
"st": this.spraytype,
|
|
"s": this.spraying,
|
|
"isp": this.initspeed,
|
|
"isz": this.initsize,
|
|
"io": this.initopacity,
|
|
"gr": this.growrate,
|
|
"xr": this.xrandom,
|
|
"yr": this.yrandom,
|
|
"spr": this.speedrandom,
|
|
"szr": this.sizerandom,
|
|
"grnd": this.growrandom,
|
|
"acc": this.acc,
|
|
"g": this.g,
|
|
"lar": this.lifeanglerandom,
|
|
"lsr": this.lifespeedrandom,
|
|
"lor": this.lifeopacityrandom,
|
|
"dm": this.destroymode,
|
|
"to": this.timeout,
|
|
"pcc": this.particleCreateCounter,
|
|
"ft": this.first_tick,
|
|
"p": []
|
|
};
|
|
var i, len, p;
|
|
var arr = o["p"];
|
|
for (i = 0, len = this.particles.length; i < len; i++)
|
|
{
|
|
p = this.particles[i];
|
|
arr.push([p.x, p.y, p.speed, p.angle, p.opacity, p.grow, p.size, p.gs, p.age]);
|
|
}
|
|
return o;
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.rate = o["r"];
|
|
this.spraycone = o["sc"];
|
|
this.spraytype = o["st"];
|
|
this.spraying = o["s"];
|
|
this.initspeed = o["isp"];
|
|
this.initsize = o["isz"];
|
|
this.initopacity = o["io"];
|
|
this.growrate = o["gr"];
|
|
this.xrandom = o["xr"];
|
|
this.yrandom = o["yr"];
|
|
this.speedrandom = o["spr"];
|
|
this.sizerandom = o["szr"];
|
|
this.growrandom = o["grnd"];
|
|
this.acc = o["acc"];
|
|
this.g = o["g"];
|
|
this.lifeanglerandom = o["lar"];
|
|
this.lifespeedrandom = o["lsr"];
|
|
this.lifeopacityrandom = o["lor"];
|
|
this.destroymode = o["dm"];
|
|
this.timeout = o["to"];
|
|
this.particleCreateCounter = o["pcc"];
|
|
this.first_tick = o["ft"];
|
|
deadparticles.push.apply(deadparticles, this.particles);
|
|
cr.clearArray(this.particles);
|
|
var i, len, p, d;
|
|
var arr = o["p"];
|
|
for (i = 0, len = arr.length; i < len; i++)
|
|
{
|
|
p = this.allocateParticle();
|
|
d = arr[i];
|
|
p.x = d[0];
|
|
p.y = d[1];
|
|
p.speed = d[2];
|
|
p.angle = d[3];
|
|
p.opacity = d[4];
|
|
p.grow = d[5];
|
|
p.size = d[6];
|
|
p.gs = d[7];
|
|
p.age = d[8];
|
|
}
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
deadparticles.push.apply(deadparticles, this.particles);
|
|
cr.clearArray(this.particles);
|
|
};
|
|
instanceProto.allocateParticle = function ()
|
|
{
|
|
var p;
|
|
if (deadparticles.length)
|
|
{
|
|
p = deadparticles.pop();
|
|
p.owner = this;
|
|
}
|
|
else
|
|
p = new Particle(this);
|
|
this.particles.push(p);
|
|
p.active = true;
|
|
return p;
|
|
};
|
|
instanceProto.tick = function()
|
|
{
|
|
var dt = this.runtime.getDt(this);
|
|
var i, len, p, n, j;
|
|
if (this.spraytype === 0 && this.spraying)
|
|
{
|
|
this.particleCreateCounter += dt * this.rate;
|
|
n = cr.floor(this.particleCreateCounter);
|
|
this.particleCreateCounter -= n;
|
|
for (i = 0; i < n; i++)
|
|
{
|
|
p = this.allocateParticle();
|
|
p.init();
|
|
}
|
|
}
|
|
this.particleBoxLeft = this.x;
|
|
this.particleBoxTop = this.y;
|
|
this.particleBoxRight = this.x;
|
|
this.particleBoxBottom = this.y;
|
|
for (i = 0, j = 0, len = this.particles.length; i < len; i++)
|
|
{
|
|
p = this.particles[i];
|
|
this.particles[j] = p;
|
|
this.runtime.redraw = true;
|
|
if (this.spraytype === 1 && this.first_tick)
|
|
p.init();
|
|
p.tick(dt);
|
|
if (!p.active)
|
|
{
|
|
deadparticles.push(p);
|
|
continue;
|
|
}
|
|
if (p.left() < this.particleBoxLeft)
|
|
this.particleBoxLeft = p.left();
|
|
if (p.right() > this.particleBoxRight)
|
|
this.particleBoxRight = p.right();
|
|
if (p.top() < this.particleBoxTop)
|
|
this.particleBoxTop = p.top();
|
|
if (p.bottom() > this.particleBoxBottom)
|
|
this.particleBoxBottom = p.bottom();
|
|
j++;
|
|
}
|
|
cr.truncateArray(this.particles, j);
|
|
this.set_bbox_changed();
|
|
this.first_tick = false;
|
|
if (this.spraytype === 1 && this.particles.length === 0)
|
|
this.runtime.DestroyInstance(this);
|
|
};
|
|
instanceProto.draw = function (ctx)
|
|
{
|
|
var i, len, p, layer = this.layer;
|
|
for (i = 0, len = this.particles.length; i < len; i++)
|
|
{
|
|
p = this.particles[i];
|
|
if (p.right() >= layer.viewLeft && p.bottom() >= layer.viewTop && p.left() <= layer.viewRight && p.top() <= layer.viewBottom)
|
|
{
|
|
p.draw(ctx);
|
|
}
|
|
}
|
|
};
|
|
instanceProto.drawGL = function (glw)
|
|
{
|
|
this.particlescale = this.layer.getScale();
|
|
glw.setTexture(this.type.webGL_texture);
|
|
var i, len, p, layer = this.layer;
|
|
for (i = 0, len = this.particles.length; i < len; i++)
|
|
{
|
|
p = this.particles[i];
|
|
if (p.right() >= layer.viewLeft && p.bottom() >= layer.viewTop && p.left() <= layer.viewRight && p.top() <= layer.viewBottom)
|
|
{
|
|
p.drawGL(glw);
|
|
}
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsSpraying = function ()
|
|
{
|
|
return this.spraying;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetSpraying = function (set_)
|
|
{
|
|
this.spraying = (set_ !== 0);
|
|
};
|
|
Acts.prototype.SetEffect = function (effect)
|
|
{
|
|
this.blend_mode = effect;
|
|
this.compositeOp = cr.effectToCompositeOp(effect);
|
|
cr.setGLBlend(this, effect, this.runtime.gl);
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetRate = function (x)
|
|
{
|
|
this.rate = x;
|
|
var diff, i;
|
|
if (this.spraytype === 1 && this.first_tick)
|
|
{
|
|
if (x < this.particles.length)
|
|
{
|
|
diff = this.particles.length - x;
|
|
for (i = 0; i < diff; i++)
|
|
deadparticles.push(this.particles.pop());
|
|
}
|
|
else if (x > this.particles.length)
|
|
{
|
|
diff = x - this.particles.length;
|
|
for (i = 0; i < diff; i++)
|
|
this.allocateParticle().opacity = 0;
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.SetSprayCone = function (x)
|
|
{
|
|
this.spraycone = cr.to_radians(x);
|
|
};
|
|
Acts.prototype.SetInitSpeed = function (x)
|
|
{
|
|
this.initspeed = x;
|
|
};
|
|
Acts.prototype.SetInitSize = function (x)
|
|
{
|
|
this.initsize = x;
|
|
};
|
|
Acts.prototype.SetInitOpacity = function (x)
|
|
{
|
|
this.initopacity = x / 100;
|
|
};
|
|
Acts.prototype.SetGrowRate = function (x)
|
|
{
|
|
this.growrate = x;
|
|
};
|
|
Acts.prototype.SetXRandomiser = function (x)
|
|
{
|
|
this.xrandom = x;
|
|
};
|
|
Acts.prototype.SetYRandomiser = function (x)
|
|
{
|
|
this.yrandom = x;
|
|
};
|
|
Acts.prototype.SetSpeedRandomiser = function (x)
|
|
{
|
|
this.speedrandom = x;
|
|
};
|
|
Acts.prototype.SetSizeRandomiser = function (x)
|
|
{
|
|
this.sizerandom = x;
|
|
};
|
|
Acts.prototype.SetGrowRateRandomiser = function (x)
|
|
{
|
|
this.growrandom = x;
|
|
};
|
|
Acts.prototype.SetParticleAcc = function (x)
|
|
{
|
|
this.acc = x;
|
|
};
|
|
Acts.prototype.SetGravity = function (x)
|
|
{
|
|
this.g = x;
|
|
};
|
|
Acts.prototype.SetAngleRandomiser = function (x)
|
|
{
|
|
this.lifeanglerandom = x;
|
|
};
|
|
Acts.prototype.SetLifeSpeedRandomiser = function (x)
|
|
{
|
|
this.lifespeedrandom = x;
|
|
};
|
|
Acts.prototype.SetOpacityRandomiser = function (x)
|
|
{
|
|
this.lifeopacityrandom = x;
|
|
};
|
|
Acts.prototype.SetTimeout = function (x)
|
|
{
|
|
this.timeout = x;
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.ParticleCount = function (ret)
|
|
{
|
|
ret.set_int(this.particles.length);
|
|
};
|
|
Exps.prototype.Rate = function (ret)
|
|
{
|
|
ret.set_float(this.rate);
|
|
};
|
|
Exps.prototype.SprayCone = function (ret)
|
|
{
|
|
ret.set_float(cr.to_degrees(this.spraycone));
|
|
};
|
|
Exps.prototype.InitSpeed = function (ret)
|
|
{
|
|
ret.set_float(this.initspeed);
|
|
};
|
|
Exps.prototype.InitSize = function (ret)
|
|
{
|
|
ret.set_float(this.initsize);
|
|
};
|
|
Exps.prototype.InitOpacity = function (ret)
|
|
{
|
|
ret.set_float(this.initopacity * 100);
|
|
};
|
|
Exps.prototype.InitGrowRate = function (ret)
|
|
{
|
|
ret.set_float(this.growrate);
|
|
};
|
|
Exps.prototype.XRandom = function (ret)
|
|
{
|
|
ret.set_float(this.xrandom);
|
|
};
|
|
Exps.prototype.YRandom = function (ret)
|
|
{
|
|
ret.set_float(this.yrandom);
|
|
};
|
|
Exps.prototype.InitSpeedRandom = function (ret)
|
|
{
|
|
ret.set_float(this.speedrandom);
|
|
};
|
|
Exps.prototype.InitSizeRandom = function (ret)
|
|
{
|
|
ret.set_float(this.sizerandom);
|
|
};
|
|
Exps.prototype.InitGrowRandom = function (ret)
|
|
{
|
|
ret.set_float(this.growrandom);
|
|
};
|
|
Exps.prototype.ParticleAcceleration = function (ret)
|
|
{
|
|
ret.set_float(this.acc);
|
|
};
|
|
Exps.prototype.Gravity = function (ret)
|
|
{
|
|
ret.set_float(this.g);
|
|
};
|
|
Exps.prototype.ParticleAngleRandom = function (ret)
|
|
{
|
|
ret.set_float(this.lifeanglerandom);
|
|
};
|
|
Exps.prototype.ParticleSpeedRandom = function (ret)
|
|
{
|
|
ret.set_float(this.lifespeedrandom);
|
|
};
|
|
Exps.prototype.ParticleOpacityRandom = function (ret)
|
|
{
|
|
ret.set_float(this.lifeopacityrandom);
|
|
};
|
|
Exps.prototype.Timeout = function (ret)
|
|
{
|
|
ret.set_float(this.timeout);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
function c3JSONtoC2JSON(c3json) {
|
|
try {
|
|
c3json = JSON.parse(c3json)
|
|
} catch (error) {
|
|
return ""
|
|
}
|
|
var result = '{' +
|
|
'""c2array"": true,' +
|
|
'""size"": [2,' + c3json.length + ', 1],' +
|
|
'""data"":'
|
|
data0 = ''
|
|
data1 = ''
|
|
for (var i = 0; i < c3json.length; i++) {
|
|
var element = c3json[i];
|
|
data0 += '[' + (element[0]) + '],'
|
|
data1 += '[""' + (element[1]) + '""],'
|
|
}
|
|
data0 = data0.substring(0, data0.length - 1)
|
|
data1 = data1.substring(0, data1.length - 1)
|
|
result += "[[" + data0 + "],[" + data1 + "]]}"
|
|
return result
|
|
}
|
|
/* global cr,log,assert2 */
|
|
/* jshint globalstrict: true */
|
|
/* jshint strict: true */
|
|
;
|
|
;
|
|
var jText = '';
|
|
cr.plugins_.SkymenSFPlusPLus = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.SkymenSFPlusPLus.prototype;
|
|
pluginProto.onCreate = function ()
|
|
{
|
|
};
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
this.texture_img = new Image();
|
|
this.texture_img["idtkLoadDisposed"] = true;
|
|
this.texture_img.src = this.texture_file;
|
|
this.runtime.wait_for_textures.push(this.texture_img);
|
|
this.webGL_texture = null;
|
|
};
|
|
typeProto.onLostWebGLContext = function ()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
this.webGL_texture = null;
|
|
};
|
|
typeProto.onRestoreWebGLContext = function ()
|
|
{
|
|
if (this.is_family || !this.instances.length)
|
|
return;
|
|
if (!this.webGL_texture)
|
|
{
|
|
this.webGL_texture = this.runtime.glwrap.loadTexture(this.texture_img, false, this.runtime.linearSampling, this.texture_pixelformat);
|
|
}
|
|
var i, len;
|
|
for (i = 0, len = this.instances.length; i < len; i++)
|
|
this.instances[i].webGL_texture = this.webGL_texture;
|
|
};
|
|
typeProto.unloadTextures = function ()
|
|
{
|
|
if (this.is_family || this.instances.length || !this.webGL_texture)
|
|
return;
|
|
this.runtime.glwrap.deleteTexture(this.webGL_texture);
|
|
this.webGL_texture = null;
|
|
};
|
|
typeProto.preloadCanvas2D = function (ctx)
|
|
{
|
|
try {
|
|
ctx.drawImage(this.texture_img, 0, 0);
|
|
} catch (error) {
|
|
this.texture_img.onload = function () {
|
|
ctx.drawImage(this.texture_img, 0, 0);
|
|
}
|
|
}
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onDestroy = function()
|
|
{
|
|
freeAllLines (this.lines);
|
|
freeAllClip (this.clipList);
|
|
freeAllClipUV(this.clipUV);
|
|
cr.wipe(this.characterWidthList);
|
|
};
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.texture_img = this.type.texture_img;
|
|
this.characterWidth = this.properties[0];
|
|
this.characterHeight = this.properties[1];
|
|
this.characterSet = this.properties[2];
|
|
this.text = this.properties[3];
|
|
this.characterScale = this.properties[4];
|
|
this.visible = (this.properties[5] === 0); // 0=visible, 1=invisible
|
|
this.clamp = (this.properties[14] === 0); //0=Yes, 1=No
|
|
this.halign = this.clamp? cr.clamp(this.properties[6],0,100)/100 : this.properties[6]/100; // 0=left, 1=center, 2=right
|
|
this.valign = this.clamp? cr.clamp(this.properties[7],0,100)/100 : this.properties[7]/100; // 0=top, 1=center, 2=bottom
|
|
this.wrapbyword = (this.properties[9] === 0); // 0=word, 1=character, 2 = None
|
|
this.nowrap = (this.properties[9] === 2); // 0=word, 1=character, 2 = None
|
|
this.characterSpacing = this.properties[10];
|
|
this.lineHeight = this.properties[11];
|
|
this.textWidth = 0;
|
|
this.textHeight = 0;
|
|
this.charWidthJSON = this.properties[12];
|
|
this.spaceWidth = this.properties[13];
|
|
this.charPos = {"data":[0]};
|
|
this.charPosProcessed = [[[0]]];
|
|
this.lastValue = 0;
|
|
jText = this.charWidthJSON;
|
|
if (this.recycled)
|
|
{
|
|
this.lines.length = 0;
|
|
cr.wipe(this.clipList);
|
|
cr.wipe(this.clipUV);
|
|
cr.wipe(this.characterWidthList);
|
|
}
|
|
else
|
|
{
|
|
this.lines = [];
|
|
this.clipList = {};
|
|
this.clipUV = {};
|
|
this.characterWidthList = {};
|
|
}
|
|
try{
|
|
if(this.charWidthJSON){
|
|
if(this.charWidthJSON.indexOf('""c2array""') !== -1) {
|
|
var jStr = jQuery.parseJSON(this.charWidthJSON.replace(/""/g,'"'));
|
|
var l = jStr.size[1];
|
|
for(var s = 0; s < l; s++) {
|
|
var cs = jStr.data[1][s][0];
|
|
var w = jStr.data[0][s][0];
|
|
for(var c = 0; c < cs.length; c++) {
|
|
this.characterWidthList[cs.charAt(c)] = w
|
|
}
|
|
}
|
|
} else {
|
|
var jStr = jQuery.parseJSON(this.charWidthJSON);
|
|
var l = jStr.length;
|
|
for(var s = 0; s < l; s++) {
|
|
var cs = jStr[s][1];
|
|
var w = jStr[s][0];
|
|
for(var c = 0; c < cs.length; c++) {
|
|
this.characterWidthList[cs.charAt(c)] = w
|
|
}
|
|
}
|
|
}
|
|
}
|
|
if(this.spaceWidth !== -1) {
|
|
this.characterWidthList[' '] = this.spaceWidth;
|
|
}
|
|
}
|
|
catch(e){
|
|
if(window.console && window.console.log) {
|
|
window.console.log('SpriteFont+ Failure: ' + e);
|
|
}
|
|
}
|
|
this.text_changed = true;
|
|
this.lastwrapwidth = this.width;
|
|
if (this.runtime.glwrap)
|
|
{
|
|
if (!this.type.webGL_texture)
|
|
{
|
|
this.type.webGL_texture = this.runtime.glwrap.loadTexture(this.type.texture_img, false, this.runtime.linearSampling, this.type.texture_pixelformat);
|
|
}
|
|
this.webGL_texture = this.type.webGL_texture;
|
|
}
|
|
this.SplitSheet();
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
var save = {
|
|
"t": this.text,
|
|
"csc": this.characterScale,
|
|
"csp": this.characterSpacing,
|
|
"lh": this.lineHeight,
|
|
"tw": this.textWidth,
|
|
"th": this.textHeight,
|
|
"lrt": this.last_render_tick,
|
|
"ha": this.halign,
|
|
"va": this.valign,
|
|
"clamp": this.clamp,
|
|
"wbw": this.wrapbyword,
|
|
"nw": this.nowrap,
|
|
"charpos": this.charPos,
|
|
"charpospro": this.charPosProcessed,
|
|
"lastvalue": this.lastValue,
|
|
"cw": {}
|
|
};
|
|
for (var ch in this.characterWidthList)
|
|
save["cw"][ch] = this.characterWidthList[ch];
|
|
return save;
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.text = o["t"];
|
|
this.characterScale = o["csc"];
|
|
this.characterSpacing = o["csp"];
|
|
this.lineHeight = o["lh"];
|
|
this.textWidth = o["tw"];
|
|
this.textHeight = o["th"];
|
|
this.halign = o["ha"];
|
|
this.valign = o["va"];
|
|
this.clamp = o["clamp"];
|
|
this.nowrap = o["nw"];
|
|
this.wrapbyword = o["wbw"];
|
|
this.charPos = o["charpos"];
|
|
this.charPosProcessed = o["charpospro"];
|
|
this.lastValue = o["lastvalue"]
|
|
for(var ch in o["cw"])
|
|
this.characterWidthList[ch] = o["cw"][ch];
|
|
this.text_changed = true;
|
|
this.lastwrapwidth = this.width;
|
|
};
|
|
function trimRight(text)
|
|
{
|
|
return text.replace(/\s\s*$/, '');
|
|
}
|
|
var MAX_CACHE_SIZE = 1000;
|
|
function alloc(cache,Constructor)
|
|
{
|
|
if (cache.length)
|
|
return cache.pop();
|
|
else
|
|
return new Constructor();
|
|
}
|
|
function free(cache,data)
|
|
{
|
|
if (cache.length < MAX_CACHE_SIZE)
|
|
{
|
|
cache.push(data);
|
|
}
|
|
}
|
|
function freeAll(cache,dataList,isArray)
|
|
{
|
|
if (isArray) {
|
|
var i, len;
|
|
for (i = 0, len = dataList.length; i < len; i++)
|
|
{
|
|
free(cache,dataList[i]);
|
|
}
|
|
dataList.length = 0;
|
|
} else {
|
|
var prop;
|
|
for(prop in dataList) {
|
|
if(Object.prototype.hasOwnProperty.call(dataList,prop)) {
|
|
free(cache,dataList[prop]);
|
|
delete dataList[prop];
|
|
}
|
|
}
|
|
}
|
|
}
|
|
function addLine(inst,lineIndex,cur_line) {
|
|
var lines = inst.lines;
|
|
var line;
|
|
cur_line = trimRight(cur_line);
|
|
if (lineIndex >= lines.length)
|
|
lines.push(allocLine());
|
|
line = lines[lineIndex];
|
|
line.text = cur_line;
|
|
line.width = inst.measureWidth(cur_line);
|
|
inst.textWidth = cr.max(inst.textWidth,line.width);
|
|
}
|
|
var linesCache = [];
|
|
function allocLine() { return alloc(linesCache,Object); }
|
|
function freeLine(l) { free(linesCache,l); }
|
|
function freeAllLines(arr) { freeAll(linesCache,arr,true); }
|
|
function addClip(obj,property,x,y,w,h) {
|
|
if (obj[property] === undefined) {
|
|
obj[property] = alloc(clipCache,Object);
|
|
}
|
|
obj[property].x = x;
|
|
obj[property].y = y;
|
|
obj[property].w = w;
|
|
obj[property].h = h;
|
|
}
|
|
var clipCache = [];
|
|
function allocClip() { return alloc(clipCache,Object); }
|
|
function freeAllClip(obj) { freeAll(clipCache,obj,false);}
|
|
function addClipUV(obj,property,left,top,right,bottom) {
|
|
if (obj[property] === undefined) {
|
|
obj[property] = alloc(clipUVCache,cr.rect);
|
|
}
|
|
obj[property].left = left;
|
|
obj[property].top = top;
|
|
obj[property].right = right;
|
|
obj[property].bottom = bottom;
|
|
}
|
|
var clipUVCache = [];
|
|
function allocClipUV() { return alloc(clipUVCache,cr.rect);}
|
|
function freeAllClipUV(obj) { freeAll(clipUVCache,obj,false);}
|
|
instanceProto.SplitSheet = function() {
|
|
var texture = this.texture_img;
|
|
var texWidth = texture.width;
|
|
var texHeight = texture.height;
|
|
var charWidth = this.characterWidth;
|
|
var charHeight = this.characterHeight;
|
|
var charU = charWidth /texWidth;
|
|
var charV = charHeight/texHeight;
|
|
var charSet = this.characterSet ;
|
|
var cols = Math.floor(texWidth/charWidth);
|
|
var rows = Math.floor(texHeight/charHeight);
|
|
for ( var c = 0; c < charSet.length; c++) {
|
|
if (c >= cols * rows) break;
|
|
var x = c%cols;
|
|
var y = Math.floor(c/cols);
|
|
var letter = charSet.charAt(c);
|
|
if (this.runtime.glwrap) {
|
|
addClipUV(
|
|
this.clipUV, letter,
|
|
x * charU ,
|
|
y * charV ,
|
|
(x+1) * charU ,
|
|
(y+1) * charV
|
|
);
|
|
} else {
|
|
addClip(
|
|
this.clipList, letter,
|
|
x * charWidth,
|
|
y * charHeight,
|
|
charWidth,
|
|
charHeight
|
|
);
|
|
}
|
|
}
|
|
};
|
|
/*
|
|
* Word-Wrapping
|
|
*/
|
|
var wordsCache = [];
|
|
pluginProto.TokeniseWords = function (text)
|
|
{
|
|
wordsCache.length = 0;
|
|
var cur_word = "";
|
|
var ch;
|
|
var i = 0;
|
|
while (i < text.length)
|
|
{
|
|
ch = text.charAt(i);
|
|
if (ch === "\n")
|
|
{
|
|
if (cur_word.length)
|
|
{
|
|
wordsCache.push(cur_word);
|
|
cur_word = "";
|
|
}
|
|
wordsCache.push("\n");
|
|
++i;
|
|
}
|
|
else if (ch === " " || ch === "\t" || ch === "-")
|
|
{
|
|
do {
|
|
cur_word += text.charAt(i);
|
|
i++;
|
|
}
|
|
while (i < text.length && (text.charAt(i) === " " || text.charAt(i) === "\t"));
|
|
wordsCache.push(cur_word);
|
|
cur_word = "";
|
|
}
|
|
else if (i < text.length)
|
|
{
|
|
cur_word += ch;
|
|
i++;
|
|
}
|
|
}
|
|
if (cur_word.length)
|
|
wordsCache.push(cur_word);
|
|
};
|
|
pluginProto.WordWrap = function (inst)
|
|
{
|
|
var text = inst.text;
|
|
var lines = inst.lines;
|
|
if (!text || !text.length)
|
|
{
|
|
freeAllLines(lines);
|
|
return;
|
|
}
|
|
var width = inst.width;
|
|
if (width <= 2.0)
|
|
{
|
|
freeAllLines(lines);
|
|
return;
|
|
}
|
|
var charWidth = inst.characterWidth;
|
|
var charScale = inst.characterScale;
|
|
var charSpacing = inst.characterSpacing;
|
|
if ( (text.length * (charWidth * charScale + charSpacing) - charSpacing) <= width && text.indexOf("\n") === -1)
|
|
{
|
|
var all_width = inst.measureWidth(text);
|
|
if (all_width <= width)
|
|
{
|
|
freeAllLines(lines);
|
|
lines.push(allocLine());
|
|
lines[0].text = text;
|
|
lines[0].width = all_width;
|
|
inst.textWidth = all_width;
|
|
inst.textHeight = inst.characterHeight * charScale + inst.lineHeight;
|
|
return;
|
|
}
|
|
}
|
|
var wrapbyword = inst.wrapbyword;
|
|
this.WrapText(inst);
|
|
inst.textHeight = lines.length * (inst.characterHeight * charScale + inst.lineHeight);
|
|
};
|
|
pluginProto.WrapText = function (inst)
|
|
{
|
|
var wrapbyword = inst.wrapbyword;
|
|
var nowrap = inst.nowrap;
|
|
var text = inst.text;
|
|
var lines = inst.lines;
|
|
var width = inst.width;
|
|
var wordArray;
|
|
if (wrapbyword) {
|
|
this.TokeniseWords(text); // writes to wordsCache
|
|
wordArray = wordsCache;
|
|
}
|
|
else if(nowrap){
|
|
wordArray = [text];
|
|
}
|
|
else {
|
|
wordArray = text;
|
|
}
|
|
var cur_line = "";
|
|
var prev_line;
|
|
var line_width;
|
|
var i;
|
|
var lineIndex = 0;
|
|
var line;
|
|
var ignore_newline = false;
|
|
for (i = 0; i < wordArray.length; i++)
|
|
{
|
|
/*console.log('New Word ' + i)
|
|
console.log(wordArray)
|
|
console.log(wordArray[i])*/
|
|
if (wordArray[i] === "\n")
|
|
{
|
|
if (ignore_newline === true) {
|
|
ignore_newline = false;
|
|
} else {
|
|
addLine(inst,lineIndex,cur_line);
|
|
lineIndex++;
|
|
}
|
|
cur_line = "";
|
|
continue;
|
|
}
|
|
ignore_newline = false;
|
|
prev_line = cur_line;
|
|
cur_line += wordArray[i];
|
|
line_width = inst.measureWidth(trimRight(cur_line));
|
|
/*console.log(prev_line);
|
|
console.log(cur_line);
|
|
console.log(line_width);
|
|
console.log(width);
|
|
console.log(line_width > width);*/
|
|
if (line_width > width)
|
|
{
|
|
if (prev_line === "") {
|
|
if(wrapbyword){
|
|
while(inst.measureWidth(trimRight(cur_line)) > width){
|
|
var wordP1 = cur_line;
|
|
var wordP2 = "";
|
|
while(inst.measureWidth(trimRight(wordP1)) >= width){
|
|
wordP2 = wordP1[wordP1.length-1] + wordP2;
|
|
wordP1 = wordP1.slice(0, -1);
|
|
}
|
|
addLine(inst,lineIndex,wordP1);
|
|
cur_line = wordP2;
|
|
lineIndex++;
|
|
}
|
|
lineIndex--;
|
|
}
|
|
else{
|
|
addLine(inst,lineIndex,cur_line);
|
|
cur_line = "";
|
|
ignore_newline = true;
|
|
}
|
|
} else {
|
|
addLine(inst,lineIndex,prev_line);
|
|
cur_line = wordArray[i];
|
|
prev_line = "";
|
|
while(inst.measureWidth(trimRight(cur_line)) > width){
|
|
lineIndex++;
|
|
var wordP1 = cur_line;
|
|
var wordP2 = "";
|
|
while(inst.measureWidth(trimRight(wordP1)) >= width){
|
|
wordP2 = wordP1[wordP1.length-1] + wordP2;
|
|
wordP1 = wordP1.slice(0, -1);
|
|
}
|
|
addLine(inst,lineIndex,wordP1);
|
|
cur_line = wordP2;
|
|
}
|
|
}
|
|
lineIndex++;
|
|
/*if (!wrapbyword && cur_line === " ")
|
|
cur_line = "";*/
|
|
}
|
|
}
|
|
if (trimRight(cur_line).length)
|
|
{
|
|
addLine(inst,lineIndex,cur_line);
|
|
lineIndex++;
|
|
}
|
|
for (i = lineIndex; i < lines.length; i++)
|
|
freeLine(lines[i]);
|
|
lines.length = lineIndex;
|
|
};
|
|
instanceProto.measureWidth = function(text) {
|
|
var spacing = this.characterSpacing;
|
|
var len = text.length;
|
|
var width = 0;
|
|
for (var i = 0; i < len; i++) {
|
|
width += this.getCharacterWidth(text.charAt(i)) * this.characterScale + spacing;
|
|
}
|
|
width -= (width > 0) ? spacing : 0;
|
|
return width;
|
|
};
|
|
/***/
|
|
instanceProto.getCharacterWidth = function(character) {
|
|
var widthList = this.characterWidthList;
|
|
if (widthList[character] !== undefined) {
|
|
return widthList[character];
|
|
} else {
|
|
return this.characterWidth;
|
|
}
|
|
};
|
|
instanceProto.rebuildText = function() {
|
|
if (this.text_changed || this.width !== this.lastwrapwidth) {
|
|
this.textWidth = 0;
|
|
this.textHeight = 0;
|
|
this.type.plugin.WordWrap(this);
|
|
this.text_changed = false;
|
|
this.lastwrapwidth = this.width;
|
|
}
|
|
};
|
|
var EPSILON = 0.00001;
|
|
instanceProto.draw = function(ctx, glmode)
|
|
{
|
|
var texture = this.texture_img;
|
|
if (this.text !== "" && texture != null) {
|
|
this.rebuildText();
|
|
if (this.height < this.characterHeight*this.characterScale + this.lineHeight) {
|
|
return;
|
|
}
|
|
ctx.globalAlpha = this.opacity;
|
|
var myx = this.x;
|
|
var myy = this.y;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
myx = (myx + 0.5) | 0;
|
|
myy = (myy + 0.5) | 0;
|
|
}
|
|
ctx.save();
|
|
ctx.translate(myx, myy);
|
|
ctx.rotate(this.angle);
|
|
var angle = this.angle;
|
|
var ha = this.halign;
|
|
var va = this.valign;
|
|
var scale = this.characterScale;
|
|
var charHeight = this.characterHeight * scale;
|
|
var lineHeight = this.lineHeight;
|
|
var charSpace = this.characterSpacing;
|
|
var lines = this.lines;
|
|
var textHeight = this.textHeight;
|
|
var charPos = this.charPosProcessed;
|
|
var useCP = false;
|
|
if (charPos && typeof charPos[0][2] !== "undefined") {
|
|
useCP = true;
|
|
}
|
|
var cosa, sina;
|
|
if (angle !== 0) {
|
|
cosa = Math.cos(angle);
|
|
sina = Math.sin(angle);
|
|
}
|
|
var halign;
|
|
var valign = va * cr.max(0,(this.height - textHeight));
|
|
var offx = -(this.hotspotX * this.width);
|
|
var offy = -(this.hotspotY * this.height);
|
|
offy += valign;
|
|
var drawX ;
|
|
var drawY = offy;
|
|
var angle = this.angle;
|
|
var arrI = 0
|
|
var drX=0;
|
|
var drY=0;
|
|
var charAngle;
|
|
var charCosa=0;
|
|
var charSina=0;
|
|
var anglOffsetX=0;
|
|
var anglOffsetY=0;
|
|
var lcount = 0;
|
|
var charOpacity = 1;
|
|
for(var i = 0; i < lines.length; i++) {
|
|
var line = lines[i].text;
|
|
var len = lines[i].width;
|
|
halign = ha * cr.max(0,this.width - len);
|
|
drawX = offx + halign;
|
|
drawY += lineHeight;
|
|
for(var j = 0; j < line.length; j++) {
|
|
var letter = line.charAt(j);
|
|
var clip = this.clipList[letter];
|
|
if ( drawX + this.getCharacterWidth(letter) * scale > this.width + EPSILON ) {
|
|
break;
|
|
}
|
|
if (clip !== undefined) {
|
|
if(useCP){
|
|
if (typeof charPos[arrI] === "undefined"){
|
|
drX = 0;
|
|
drY = 0;
|
|
charAngle = angle;
|
|
}
|
|
else{
|
|
drX = charPos[arrI][0] * Math.cos(angle) - charPos[arrI][1] * Math.sin(angle) || 0;
|
|
drY = charPos[arrI][1] * Math.cos(angle) - charPos[arrI][0] * Math.sin(angle) || 0;
|
|
charAngle = cr.to_radians(charPos[arrI][2]) || 0;
|
|
charOpacity = charPos[arrI][3]/100 || 1;
|
|
}
|
|
/*if(charAngle !== 0)
|
|
{
|
|
charCosa = Math.cos(charAngle);
|
|
charSina = Math.sin(charAngle);
|
|
}*/
|
|
}
|
|
var X = 0;
|
|
var Y = 0;
|
|
ctx.globalAlpha = this.opacity * charOpacity;
|
|
var charCanvas = getColoredTexture(this, this.texture_img, (charPos[arrI] === undefined ? 'None' : charPos[arrI][4]), clip, scale, letter)
|
|
if (useCP && charAngle !== 0) {
|
|
var dx = drawX + this.getCharacterWidth(letter) * scale / 2;
|
|
var dy = drawY + charHeight;
|
|
var oa = Math.atan2(dy, dx) + Math.PI - charAngle;
|
|
var dist = Math.sqrt(Math.pow(-dx, 2) + Math.pow(-dy, 2));
|
|
var X = -dx - Math.cos(oa) * dist;
|
|
var Y = -dy - Math.sin(oa) * dist;
|
|
ctx.save();
|
|
ctx.rotate(charAngle);
|
|
ctx.translate(Math.round(drawX + drX + X), Math.round(drawY + drY + Y));
|
|
if (charCanvas === this.texture_img) {
|
|
ctx.drawImage(this.texture_img,
|
|
clip.x, clip.y, clip.w, clip.h,
|
|
0, 0, clip.w * scale, clip.h * scale);
|
|
}
|
|
else {
|
|
ctx.drawImage(charCanvas, 0, 0);
|
|
}
|
|
ctx.restore();
|
|
}
|
|
else {
|
|
if (charCanvas === this.texture_img) {
|
|
ctx.drawImage(this.texture_img,
|
|
clip.x, clip.y, clip.w, clip.h,
|
|
Math.round(drawX + drX + X), Math.round(drawY + drY + Y), clip.w * scale, clip.h * scale);
|
|
}
|
|
else {
|
|
ctx.drawImage(charCanvas, Math.round(drawX + drX + X), Math.round(drawY + drY + Y));
|
|
}
|
|
}
|
|
}
|
|
drawX += this.getCharacterWidth(letter) * scale + charSpace;
|
|
if(useCP){
|
|
arrI ++;
|
|
}
|
|
lcount++
|
|
}
|
|
drawY += charHeight;
|
|
if ( drawY + charHeight + lineHeight > this.height) {
|
|
break;
|
|
}
|
|
}
|
|
ctx.restore();
|
|
}
|
|
};
|
|
var dQuad = new cr.quad();
|
|
function createCanvas(width, height) {
|
|
var canvas = document.createElement('canvas');
|
|
canvas.width = width;
|
|
canvas.height = height;
|
|
return canvas
|
|
}
|
|
function getColoredTexture(inst, image, color, clip, scale, letter) {
|
|
if(!color || color === 'None') {
|
|
return image
|
|
}
|
|
if (inst.cachedImages !== undefined && inst.cachedImages[letter] !== undefined && inst.cachedImages[letter][color] !== undefined) {
|
|
return inst.cachedImages[letter][color];
|
|
}
|
|
var charCanvas = createCanvas(clip.w * scale, clip.h * scale)
|
|
var charContext = charCanvas.getContext("2d");
|
|
charContext.fillStyle = 'black';
|
|
charContext.fillRect(0, 0, charCanvas.width, charCanvas.height);
|
|
charContext.drawImage(image,
|
|
clip.x, clip.y, clip.w, clip.h,
|
|
0, 0, clip.w * scale, clip.h * scale);
|
|
charContext.globalCompositeOperation = 'multiply';
|
|
charContext.fillStyle = color;
|
|
charContext.fillRect(0, 0, clip.w * scale, clip.h * scale);
|
|
charContext.globalCompositeOperation = 'destination-in';
|
|
charContext.drawImage(image,
|
|
clip.x, clip.y, clip.w, clip.h,
|
|
0, 0, clip.w * scale, clip.h * scale);
|
|
charContext.globalCompositeOperation = 'source-over';
|
|
if (inst.cachedImages === undefined) {
|
|
inst.cachedImages = {}
|
|
}
|
|
if (inst.cachedImages[letter] === undefined) {
|
|
inst.cachedImages[letter] = {}
|
|
}
|
|
inst.cachedImages[letter][color] = charCanvas
|
|
return charCanvas
|
|
}
|
|
function rotateQuad(quad,cosa,sina) {
|
|
var x_temp;
|
|
x_temp = (quad.tlx * cosa) - (quad.tly * sina);
|
|
quad.tly = (quad.tly * cosa) + (quad.tlx * sina);
|
|
quad.tlx = x_temp;
|
|
x_temp = (quad.trx * cosa) - (quad.try_ * sina);
|
|
quad.try_ = (quad.try_ * cosa) + (quad.trx * sina);
|
|
quad.trx = x_temp;
|
|
x_temp = (quad.blx * cosa) - (quad.bly * sina);
|
|
quad.bly = (quad.bly * cosa) + (quad.blx * sina);
|
|
quad.blx = x_temp;
|
|
x_temp = (quad.brx * cosa) - (quad.bry * sina);
|
|
quad.bry = (quad.bry * cosa) + (quad.brx * sina);
|
|
quad.brx = x_temp;
|
|
}
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
if (this.text !== "") {
|
|
this.rebuildText();
|
|
if (this.height < this.characterHeight*this.characterScale + this.lineHeight) {
|
|
return;
|
|
}
|
|
this.update_bbox();
|
|
var q = this.bquad;
|
|
var ox = 0;
|
|
var oy = 0;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
ox = ((this.x + 0.5) | 0) - this.x;
|
|
oy = ((this.y + 0.5) | 0) - this.y;
|
|
}
|
|
var angle = this.angle;
|
|
var ha = this.halign;
|
|
var va = this.valign;
|
|
var scale = this.characterScale;
|
|
var charHeight = this.characterHeight * scale; // to precalculate in onCreate or on change
|
|
var lineHeight = this.lineHeight;
|
|
var charSpace = this.characterSpacing;
|
|
var lines = this.lines;
|
|
var textHeight = this.textHeight;
|
|
var charPos = this.charPosProcessed;
|
|
var useCP = false;
|
|
if (charPos && typeof charPos[0][2] !== "undefined") {
|
|
useCP = true;
|
|
}
|
|
var cosa,sina;
|
|
if (angle !== 0)
|
|
{
|
|
cosa = Math.cos(angle);
|
|
sina = Math.sin(angle);
|
|
}
|
|
var halign;
|
|
var valign = va * cr.max(0,(this.height - textHeight));
|
|
var offx = q.tlx + ox;
|
|
var offy = q.tly + oy;
|
|
var drawX ;
|
|
var drawY = valign;
|
|
var arrI = 0;
|
|
var charAngle;
|
|
var drX = 0;
|
|
var drY = 0;
|
|
var charCosa = 0;
|
|
var charSina = 0;
|
|
var anglOffsetX = 0;
|
|
var anglOffsetY = 0;
|
|
var charOpacity = 1;
|
|
var lcount = 0
|
|
for(var i = 0; i < lines.length; i++) {
|
|
var line = lines[i].text;
|
|
var lineWidth = lines[i].width;
|
|
halign = ha * cr.max(0,this.width - lineWidth);
|
|
drawX = halign;
|
|
drawY += lineHeight;
|
|
for(var j = 0; j < line.length; j++) {
|
|
var letter = line.charAt(j);
|
|
var clipUV = this.clipUV[letter];
|
|
if (clipUV !== undefined) {
|
|
var clip = {
|
|
x: clipUV.left * this.texture_img.width,
|
|
y: clipUV.top * this.texture_img.height,
|
|
w: clipUV.right * this.texture_img.width - clipUV.left * this.texture_img.width,
|
|
h: clipUV.bottom * this.texture_img.height - clipUV.top * this.texture_img.height
|
|
}
|
|
var color = (charPos[arrI] === undefined ? 'None' : charPos[arrI][4]);
|
|
if (color !== 'None' && this.cachedTextures !== undefined && this.cachedTextures[letter] !== undefined && this.cachedTextures[letter][color] !== undefined) {
|
|
glw.setTexture(this.cachedTextures[letter][color]);
|
|
clipUV = {
|
|
top: 0,
|
|
left: 0,
|
|
right: 1,
|
|
bottom: 1
|
|
}
|
|
}
|
|
else if (color !== 'None') {
|
|
var letterImg = getColoredTexture(this, this.texture_img, color, clip, 1, letter)
|
|
if (letterImg != this.texture_img) {
|
|
var letterTexture = this.runtime.glwrap.loadTexture(letterImg, false, this.runtime.linearSampling, this.type.texture_pixelformat);
|
|
if (this.cachedTextures === undefined) {
|
|
this.cachedTextures = {}
|
|
}
|
|
if (this.cachedTextures[letter] === undefined) {
|
|
this.cachedTextures[letter] = {}
|
|
}
|
|
this.cachedTextures[letter][color] = letterTexture
|
|
glw.setTexture(letterTexture);
|
|
clipUV = {
|
|
top: 0,
|
|
left: 0,
|
|
right: 1,
|
|
bottom: 1
|
|
}
|
|
}
|
|
else {
|
|
glw.setTexture(this.webGL_texture);
|
|
}
|
|
}
|
|
else {
|
|
glw.setTexture(this.webGL_texture);
|
|
}
|
|
}
|
|
if ( drawX + this.getCharacterWidth(letter) * scale > this.width + EPSILON) {
|
|
break;
|
|
}
|
|
if(useCP){
|
|
if(typeof charPos[arrI] === "undefined"){
|
|
drX = 0;
|
|
drY = 0;
|
|
charAngle = angle;
|
|
}
|
|
else{
|
|
drX = charPos[arrI][0] * Math.cos(angle) - charPos[arrI][1] * Math.sin(angle) || 0;
|
|
drY = charPos[arrI][1] * Math.cos(angle) - charPos[arrI][0] * Math.sin(angle) || 0;
|
|
charAngle = cr.to_radians(charPos[arrI][2]) || 0;
|
|
charOpacity = charPos[arrI][3] !== undefined && charPos[arrI][3] !== null ? charPos[arrI][3] / 100 : 1;
|
|
}
|
|
if(charAngle !== 0)
|
|
{
|
|
charCosa = Math.cos(charAngle);
|
|
charSina = Math.sin(charAngle);
|
|
}
|
|
}
|
|
if (clipUV !== undefined) {
|
|
var clipWidth = this.characterWidth*scale;
|
|
var clipHeight = this.characterHeight*scale;
|
|
dQuad.tlx = drawX;
|
|
dQuad.tly = drawY;
|
|
dQuad.trx = drawX + clipWidth;
|
|
dQuad.try_ = drawY;
|
|
dQuad.blx = drawX;
|
|
dQuad.bly = drawY + clipHeight;
|
|
dQuad.brx = drawX + clipWidth;
|
|
dQuad.bry = drawY + clipHeight;
|
|
if(useCP && charAngle !== 0)
|
|
{
|
|
var dx = drawX + this.getCharacterWidth(letter) * scale/2;
|
|
var dy = drawY + charHeight;
|
|
var oa = Math.atan2(dy,dx) + Math.PI - charAngle;
|
|
var dist = Math.sqrt(Math.pow(-dx,2) + Math.pow(-dy,2));
|
|
var X = -dx - Math.cos(oa) * dist;
|
|
var Y = -dy - Math.sin(oa) * dist;
|
|
dQuad.offset(X,Y);
|
|
rotateQuad(dQuad,charCosa,charSina);
|
|
}
|
|
if(angle !== 0)
|
|
{
|
|
rotateQuad(dQuad,cosa,sina);
|
|
}
|
|
dQuad.offset(offx,offy);
|
|
if(useCP){
|
|
dQuad.offset(drX,drY);
|
|
}
|
|
glw.setOpacity(this.opacity * charOpacity);
|
|
glw.quadTex(
|
|
dQuad.tlx, dQuad.tly,
|
|
dQuad.trx, dQuad.try_,
|
|
dQuad.brx, dQuad.bry,
|
|
dQuad.blx, dQuad.bly,
|
|
clipUV
|
|
);
|
|
}
|
|
drawX += this.getCharacterWidth(letter) * scale + charSpace;
|
|
if(useCP){
|
|
arrI ++;
|
|
}
|
|
lcount++
|
|
}
|
|
drawY += charHeight;
|
|
if ( drawY + charHeight + lineHeight > this.height) {
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
};
|
|
instanceProto.update = function(){
|
|
this.runtime.redraw = true;
|
|
this.lastValue += Math.abs(60 * this.runtime.getDt(this));
|
|
this.charPosProcessed = this.computeWholeArray(this.charPos.data);
|
|
}
|
|
instanceProto.computeWholeArray = function(array)
|
|
{
|
|
var result = [];
|
|
if (this.typewriterParams !== undefined && this.typewriterActive && !this.firstFrame) {
|
|
for (var i = 0; i < array.length; i++) {
|
|
var cur = array[i]
|
|
/* console.log(this.text)
|
|
console.log(array)
|
|
console.log(this.typeProgress)
|
|
console.log(i) */
|
|
var progress = this.typeProgress[i][0];
|
|
var curX = this.typewriterParams["value"]["x"] === null ? this.compute(cur[0], i) : cr.lerp(this.typewriterParams["value"]["x"], this.compute(cur[0], i), progress)
|
|
var curY = this.typewriterParams["value"]["y"] === null ? this.compute(cur[1], i) : cr.lerp(this.typewriterParams["value"]["y"], this.compute(cur[1], i), progress)
|
|
var curA = this.typewriterParams["value"]["a"] === null ? this.compute(cur[2], i) : cr.lerp(this.typewriterParams["value"]["a"], this.compute(cur[2], i), progress)
|
|
var curO = this.typewriterParams["value"]["o"] === null ? this.compute(cur[3], i, true) : cr.lerp(this.typewriterParams["value"]["o"], this.compute(cur[3], i, true), progress)
|
|
result.push([curX, curY, curA, curO, cur[4]])
|
|
}
|
|
}
|
|
else {
|
|
for (var i = 0; i < array.length; i++) {
|
|
var cur = array[i]
|
|
result.push([this.compute(cur[0], i), this.compute(cur[1], i), this.compute(cur[2], i), this.compute(cur[3], i, true), cur[4]])
|
|
}
|
|
}
|
|
return result
|
|
}
|
|
instanceProto.compute = function (value, offset, isOpacity)
|
|
{
|
|
isOpacity = typeof isOpacity !== 'undefined' ? isOpacity : false;
|
|
if (!this.hasBehavior() && this.animOffset === undefined) {
|
|
this.animOffset = 1;
|
|
this.defaultMagnitude = 0;
|
|
this.defaultSpeed = 100;
|
|
}
|
|
if(typeof value === "number"){
|
|
return value;
|
|
}
|
|
else if(typeof value === "object" && value.length == 1){
|
|
return this.compute(value[0], offset);
|
|
}
|
|
else if(typeof value !== "string"){
|
|
return 0;
|
|
}
|
|
var valueA = value.split(' ');
|
|
var command = valueA[0].trim().toLowerCase();
|
|
var param = 0;
|
|
var param2 = this.defaultSpeed;
|
|
var param3 = 0;
|
|
if(typeof valueA[1] === "undefined" || valueA[1].trim() == "" || isNaN(parseInt(valueA[1].trim())))
|
|
param = isOpacity ? 100 : (this.defaultMagnitude === 0 ? this.characterHeight : this.defaultMagnitude) / (command.startsWith("angle") ? 1 : 4)
|
|
else
|
|
param = parseInt(valueA[1].trim());
|
|
if(typeof valueA[2] === "undefined" || valueA[2].trim() == ""|| isNaN(parseInt(valueA[2].trim())))
|
|
param2 = this.defaultSpeed;
|
|
else
|
|
param2 = this.defaultSpeed * parseInt(valueA[2].trim()) / 100;
|
|
if(typeof valueA[3] === "undefined" || valueA[3].trim() == ""|| isNaN(parseInt(valueA[3].trim())))
|
|
param3 = 0;
|
|
else
|
|
param3 = parseInt(valueA[3].trim());
|
|
switch (command){
|
|
case "wave":
|
|
return Math.sin(cr.to_radians(this.lastValue * param2/100)*10+offset * this.animOffset) * param + param3
|
|
break;
|
|
case "swing":
|
|
return Math.cos(cr.to_radians(this.lastValue * param2/100)*10+offset * this.animOffset * (isOpacity? -1: 1)) * param + param3
|
|
break;
|
|
case "angle":
|
|
return Math.sin(cr.to_radians(this.lastValue * param2/100)*10+offset * this.animOffset) * param + param3
|
|
break;
|
|
case "angle2":
|
|
return Math.cos(cr.to_radians(this.lastValue * param2/100)*10+offset * this.animOffset) * param + param3
|
|
break;
|
|
case "shake":
|
|
return (Math.random()-0.5 ) * param + param3
|
|
break;
|
|
default:
|
|
var commandInt = parseInt(command)
|
|
return isNaN(commandInt) ? (isOpacity? 100 : 0) : commandInt
|
|
}
|
|
}
|
|
instanceProto.hasBehavior = function () {
|
|
if (this.sfdxbehavior !== undefined) {
|
|
return this.sfdxbehavior
|
|
}
|
|
else {
|
|
this.sfdxbehavior = false
|
|
var self = this;
|
|
this.behavior_insts.forEach(function(inst) {
|
|
if (cr.behaviors.SkymenSFPPP && inst.behavior instanceof cr.behaviors.SkymenSFPPP) {
|
|
self.sfdxbehavior = true
|
|
}
|
|
})
|
|
return this.sfdxbehavior
|
|
}
|
|
}
|
|
function Cnds() {}
|
|
Cnds.prototype.CompareText = function(text_to_compare, case_sensitive)
|
|
{
|
|
if (case_sensitive)
|
|
return this.text == text_to_compare;
|
|
else
|
|
return cr.equals_nocase(this.text, text_to_compare);
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {}
|
|
Acts.prototype.SetText = function(param)
|
|
{
|
|
if (cr.is_number(param) && param < 1e9)
|
|
param = Math.round(param * 1e10) / 1e10; // round to nearest ten billionth - hides floating point errors
|
|
var text_to_set = param.toString();
|
|
if (this.text !== text_to_set)
|
|
{
|
|
this.text = text_to_set;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.AppendText = function(param)
|
|
{
|
|
if (cr.is_number(param))
|
|
param = Math.round(param * 1e10) / 1e10; // round to nearest ten billionth - hides floating point errors
|
|
var text_to_append = param.toString();
|
|
if (text_to_append) // not empty
|
|
{
|
|
this.text += text_to_append;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.SetScale = function(param)
|
|
{
|
|
if (param !== this.characterScale) {
|
|
this.characterScale = param;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.SetCharacterSpacing = function(param)
|
|
{
|
|
if (param !== this.CharacterSpacing) {
|
|
this.characterSpacing = param;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.SetLineHeight = function(param)
|
|
{
|
|
if (param !== this.lineHeight) {
|
|
this.lineHeight = param;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
instanceProto.SetCharWidth = function(character,width) {
|
|
var w = parseInt(width,10);
|
|
if (this.characterWidthList[character] !== w) {
|
|
this.characterWidthList[character] = w;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.SetCharacterWidth = function(characterSet,width)
|
|
{
|
|
if (characterSet !== "") {
|
|
for(var c = 0; c < characterSet.length; c++) {
|
|
this.SetCharWidth(characterSet.charAt(c),width);
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.SetEffect = function (effect)
|
|
{
|
|
this.compositeOp = cr.effectToCompositeOp(effect);
|
|
cr.setGLBlend(this, effect, this.runtime.gl);
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetVerAl = function (val)
|
|
{
|
|
if(this.clamp){
|
|
this.valign = cr.clamp(val,0,100)/100;
|
|
}
|
|
else{
|
|
this.valign = val/100;
|
|
}
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetHorAl = function (val)
|
|
{
|
|
if(this.clamp){
|
|
this.halign = cr.clamp(val,0,100)/100;
|
|
}
|
|
else{
|
|
this.halign = val/100;
|
|
}
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetAl = function (val,val2)
|
|
{
|
|
if(this.clamp){
|
|
this.halign = cr.clamp(val,0,100)/100;
|
|
this.valign = cr.clamp(val2,0,100)/100;
|
|
}
|
|
else{
|
|
this.halign = val/100;
|
|
this.valign = val2/100;
|
|
}
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetWrap = function (val)
|
|
{
|
|
this.wrapbyword = (val === 0); // 0=word, 1=character, 2 = None
|
|
this.nowrap = (val === 2); // 0=word, 1=character, 2 = None
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetClamp = function (val)
|
|
{
|
|
this.clamp = (val === 0); //0=Yes, 1=No
|
|
if(this.clamp){
|
|
this.halign = cr.clamp(this.halign,0,1);
|
|
this.valign = cr.clamp(this.valign,0,1);
|
|
}
|
|
else{
|
|
this.halign = this.halign;
|
|
this.valign = this.valign;
|
|
}
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetCharPos = function (val)
|
|
{
|
|
if(this.charPos !== JSON.parse(val)){
|
|
this.charPos = JSON.parse(val);
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.Redraw = function ()
|
|
{
|
|
this.update();
|
|
};
|
|
Acts.prototype.LoadURL = function (url_, crossOrigin_, cw, ch)
|
|
{
|
|
var img = new Image();
|
|
var self = this;
|
|
this.characterWidth = cw > 0? cw : this.characterWidth;
|
|
this.characterHeight = ch > 0? ch : this.characterHeight;
|
|
img.onload = function ()
|
|
{
|
|
self.texture_img = img;
|
|
if (self.runtime.glwrap)
|
|
{
|
|
if (self.has_own_texture && self.webGL_texture)
|
|
self.runtime.glwrap.deleteTexture(self.webGL_texture);
|
|
self.webGL_texture = self.runtime.glwrap.loadTexture(img, true, self.runtime.linearSampling);
|
|
}
|
|
else
|
|
{
|
|
self.pattern = self.runtime.ctx.createPattern(img, "repeat");
|
|
}
|
|
self.has_own_texture = true;
|
|
self.runtime.redraw = true;
|
|
self.runtime.trigger(cr.plugins_.SkymenSFPlusPLus.prototype.cnds.OnURLLoaded, self);
|
|
};
|
|
if (url_.substr(0, 5) !== "data:" && crossOrigin_ === 0)
|
|
img.crossOrigin = "anonymous";
|
|
this.runtime.setImageSrc(img, url_);
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {}
|
|
Exps.prototype.CharacterWidth = function(ret,character)
|
|
{
|
|
ret.set_int(this.getCharacterWidth(character));
|
|
};
|
|
Exps.prototype.CharacterHeight = function(ret)
|
|
{
|
|
ret.set_int(this.characterHeight);
|
|
};
|
|
Exps.prototype.CharacterScale = function(ret)
|
|
{
|
|
ret.set_float(this.characterScale);
|
|
};
|
|
Exps.prototype.CharacterSpacing = function(ret)
|
|
{
|
|
ret.set_int(this.characterSpacing);
|
|
};
|
|
Exps.prototype.LineHeight = function(ret)
|
|
{
|
|
ret.set_int(this.lineHeight);
|
|
};
|
|
Exps.prototype.Text = function(ret)
|
|
{
|
|
ret.set_string(this.text);
|
|
};
|
|
Exps.prototype.TextWidth = function (ret)
|
|
{
|
|
this.rebuildText();
|
|
ret.set_float(this.textWidth);
|
|
};
|
|
Exps.prototype.TextHeight = function (ret)
|
|
{
|
|
this.rebuildText();
|
|
ret.set_float(this.textHeight);
|
|
};
|
|
Exps.prototype.FullTextWidth = function (ret)
|
|
{
|
|
ret.set_float(this.measureWidth(this.text));
|
|
};
|
|
Exps.prototype.HAlign = function (ret)
|
|
{
|
|
ret.set_float(this.halign);
|
|
};
|
|
Exps.prototype.VAlign = function (ret)
|
|
{
|
|
ret.set_float(this.valign);
|
|
};
|
|
Exps.prototype.CharPos = function(ret)
|
|
{
|
|
ret.set_string(this.charPos);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Sprite = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Sprite.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
function frame_getDataUri()
|
|
{
|
|
if (this.datauri.length === 0)
|
|
{
|
|
var tmpcanvas = document.createElement("canvas");
|
|
tmpcanvas.width = this.width;
|
|
tmpcanvas.height = this.height;
|
|
var tmpctx = tmpcanvas.getContext("2d");
|
|
if (this.spritesheeted)
|
|
{
|
|
tmpctx.drawImage(this.texture_img, this.offx, this.offy, this.width, this.height,
|
|
0, 0, this.width, this.height);
|
|
}
|
|
else
|
|
{
|
|
tmpctx.drawImage(this.texture_img, 0, 0, this.width, this.height);
|
|
}
|
|
this.datauri = tmpcanvas.toDataURL("image/png");
|
|
}
|
|
return this.datauri;
|
|
};
|
|
typeProto.onCreate = function()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
var i, leni, j, lenj;
|
|
var anim, frame, animobj, frameobj, wt, uv;
|
|
this.all_frames = [];
|
|
this.has_loaded_textures = false;
|
|
for (i = 0, leni = this.animations.length; i < leni; i++)
|
|
{
|
|
anim = this.animations[i];
|
|
animobj = {};
|
|
animobj.name = anim[0];
|
|
animobj.speed = anim[1];
|
|
animobj.loop = anim[2];
|
|
animobj.repeatcount = anim[3];
|
|
animobj.repeatto = anim[4];
|
|
animobj.pingpong = anim[5];
|
|
animobj.sid = anim[6];
|
|
animobj.frames = [];
|
|
for (j = 0, lenj = anim[7].length; j < lenj; j++)
|
|
{
|
|
frame = anim[7][j];
|
|
frameobj = {};
|
|
frameobj.texture_file = frame[0];
|
|
frameobj.texture_filesize = frame[1];
|
|
frameobj.offx = frame[2];
|
|
frameobj.offy = frame[3];
|
|
frameobj.width = frame[4];
|
|
frameobj.height = frame[5];
|
|
frameobj.duration = frame[6];
|
|
frameobj.hotspotX = frame[7];
|
|
frameobj.hotspotY = frame[8];
|
|
frameobj.image_points = frame[9];
|
|
frameobj.poly_pts = frame[10];
|
|
frameobj.pixelformat = frame[11];
|
|
frameobj.spritesheeted = (frameobj.width !== 0);
|
|
frameobj.datauri = ""; // generated on demand and cached
|
|
frameobj.getDataUri = frame_getDataUri;
|
|
uv = {};
|
|
uv.left = 0;
|
|
uv.top = 0;
|
|
uv.right = 1;
|
|
uv.bottom = 1;
|
|
frameobj.sheetTex = uv;
|
|
frameobj.webGL_texture = null;
|
|
wt = this.runtime.findWaitingTexture(frame[0]);
|
|
if (wt)
|
|
{
|
|
frameobj.texture_img = wt;
|
|
}
|
|
else
|
|
{
|
|
frameobj.texture_img = new Image();
|
|
frameobj.texture_img.cr_src = frame[0];
|
|
frameobj.texture_img.cr_filesize = frame[1];
|
|
frameobj.texture_img.c2webGL_texture = null;
|
|
this.runtime.waitForImageLoad(frameobj.texture_img, frame[0]);
|
|
}
|
|
cr.seal(frameobj);
|
|
animobj.frames.push(frameobj);
|
|
this.all_frames.push(frameobj);
|
|
}
|
|
cr.seal(animobj);
|
|
this.animations[i] = animobj; // swap array data for object
|
|
}
|
|
};
|
|
typeProto.updateAllCurrentTexture = function ()
|
|
{
|
|
var i, len, inst;
|
|
for (i = 0, len = this.instances.length; i < len; i++)
|
|
{
|
|
inst = this.instances[i];
|
|
inst.curWebGLTexture = inst.curFrame.webGL_texture;
|
|
}
|
|
};
|
|
typeProto.onLostWebGLContext = function ()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
var i, len, frame;
|
|
for (i = 0, len = this.all_frames.length; i < len; ++i)
|
|
{
|
|
frame = this.all_frames[i];
|
|
frame.texture_img.c2webGL_texture = null;
|
|
frame.webGL_texture = null;
|
|
}
|
|
this.has_loaded_textures = false;
|
|
this.updateAllCurrentTexture();
|
|
};
|
|
typeProto.onRestoreWebGLContext = function ()
|
|
{
|
|
if (this.is_family || !this.instances.length)
|
|
return;
|
|
var i, len, frame;
|
|
for (i = 0, len = this.all_frames.length; i < len; ++i)
|
|
{
|
|
frame = this.all_frames[i];
|
|
frame.webGL_texture = this.runtime.glwrap.loadTexture(frame.texture_img, false, this.runtime.linearSampling, frame.pixelformat);
|
|
}
|
|
this.updateAllCurrentTexture();
|
|
};
|
|
typeProto.loadTextures = function ()
|
|
{
|
|
if (this.is_family || this.has_loaded_textures || !this.runtime.glwrap)
|
|
return;
|
|
var i, len, frame;
|
|
for (i = 0, len = this.all_frames.length; i < len; ++i)
|
|
{
|
|
frame = this.all_frames[i];
|
|
frame.webGL_texture = this.runtime.glwrap.loadTexture(frame.texture_img, false, this.runtime.linearSampling, frame.pixelformat);
|
|
}
|
|
this.has_loaded_textures = true;
|
|
};
|
|
typeProto.unloadTextures = function ()
|
|
{
|
|
if (this.is_family || this.instances.length || !this.has_loaded_textures)
|
|
return;
|
|
var i, len, frame;
|
|
for (i = 0, len = this.all_frames.length; i < len; ++i)
|
|
{
|
|
frame = this.all_frames[i];
|
|
this.runtime.glwrap.deleteTexture(frame.webGL_texture);
|
|
frame.webGL_texture = null;
|
|
}
|
|
this.has_loaded_textures = false;
|
|
};
|
|
var already_drawn_images = [];
|
|
typeProto.preloadCanvas2D = function (ctx)
|
|
{
|
|
var i, len, frameimg;
|
|
cr.clearArray(already_drawn_images);
|
|
for (i = 0, len = this.all_frames.length; i < len; ++i)
|
|
{
|
|
frameimg = this.all_frames[i].texture_img;
|
|
if (already_drawn_images.indexOf(frameimg) !== -1)
|
|
continue;
|
|
ctx.drawImage(frameimg, 0, 0);
|
|
already_drawn_images.push(frameimg);
|
|
}
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
var poly_pts = this.type.animations[0].frames[0].poly_pts;
|
|
if (this.recycled)
|
|
this.collision_poly.set_pts(poly_pts);
|
|
else
|
|
this.collision_poly = new cr.CollisionPoly(poly_pts);
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.visible = (this.properties[0] === 0); // 0=visible, 1=invisible
|
|
this.isTicking = false;
|
|
this.inAnimTrigger = false;
|
|
this.collisionsEnabled = (this.properties[3] !== 0);
|
|
this.cur_animation = this.getAnimationByName(this.properties[1]) || this.type.animations[0];
|
|
this.cur_frame = this.properties[2];
|
|
if (this.cur_frame < 0)
|
|
this.cur_frame = 0;
|
|
if (this.cur_frame >= this.cur_animation.frames.length)
|
|
this.cur_frame = this.cur_animation.frames.length - 1;
|
|
var curanimframe = this.cur_animation.frames[this.cur_frame];
|
|
this.collision_poly.set_pts(curanimframe.poly_pts);
|
|
this.hotspotX = curanimframe.hotspotX;
|
|
this.hotspotY = curanimframe.hotspotY;
|
|
this.cur_anim_speed = this.cur_animation.speed;
|
|
this.cur_anim_repeatto = this.cur_animation.repeatto;
|
|
if (!(this.type.animations.length === 1 && this.type.animations[0].frames.length === 1) && this.cur_anim_speed !== 0)
|
|
{
|
|
this.runtime.tickMe(this);
|
|
this.isTicking = true;
|
|
}
|
|
if (this.recycled)
|
|
this.animTimer.reset();
|
|
else
|
|
this.animTimer = new cr.KahanAdder();
|
|
this.frameStart = this.getNowTime();
|
|
this.animPlaying = true;
|
|
this.animRepeats = 0;
|
|
this.animForwards = true;
|
|
this.animTriggerName = "";
|
|
this.changeAnimName = "";
|
|
this.changeAnimFrom = 0;
|
|
this.changeAnimFrame = -1;
|
|
this.type.loadTextures();
|
|
var i, leni, j, lenj;
|
|
var anim, frame, uv, maintex;
|
|
for (i = 0, leni = this.type.animations.length; i < leni; i++)
|
|
{
|
|
anim = this.type.animations[i];
|
|
for (j = 0, lenj = anim.frames.length; j < lenj; j++)
|
|
{
|
|
frame = anim.frames[j];
|
|
if (frame.width === 0)
|
|
{
|
|
frame.width = frame.texture_img.width;
|
|
frame.height = frame.texture_img.height;
|
|
}
|
|
if (frame.spritesheeted)
|
|
{
|
|
maintex = frame.texture_img;
|
|
uv = frame.sheetTex;
|
|
uv.left = frame.offx / maintex.width;
|
|
uv.top = frame.offy / maintex.height;
|
|
uv.right = (frame.offx + frame.width) / maintex.width;
|
|
uv.bottom = (frame.offy + frame.height) / maintex.height;
|
|
if (frame.offx === 0 && frame.offy === 0 && frame.width === maintex.width && frame.height === maintex.height)
|
|
{
|
|
frame.spritesheeted = false;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
this.curFrame = this.cur_animation.frames[this.cur_frame];
|
|
this.curWebGLTexture = this.curFrame.webGL_texture;
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
var o = {
|
|
"a": this.cur_animation.sid,
|
|
"f": this.cur_frame,
|
|
"cas": this.cur_anim_speed,
|
|
"fs": this.frameStart,
|
|
"ar": this.animRepeats,
|
|
"at": this.animTimer.sum,
|
|
"rt": this.cur_anim_repeatto
|
|
};
|
|
if (!this.animPlaying)
|
|
o["ap"] = this.animPlaying;
|
|
if (!this.animForwards)
|
|
o["af"] = this.animForwards;
|
|
return o;
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
var anim = this.getAnimationBySid(o["a"]);
|
|
if (anim)
|
|
this.cur_animation = anim;
|
|
this.cur_frame = o["f"];
|
|
if (this.cur_frame < 0)
|
|
this.cur_frame = 0;
|
|
if (this.cur_frame >= this.cur_animation.frames.length)
|
|
this.cur_frame = this.cur_animation.frames.length - 1;
|
|
this.cur_anim_speed = o["cas"];
|
|
this.frameStart = o["fs"];
|
|
this.animRepeats = o["ar"];
|
|
this.animTimer.reset();
|
|
this.animTimer.sum = o["at"];
|
|
this.animPlaying = o.hasOwnProperty("ap") ? o["ap"] : true;
|
|
this.animForwards = o.hasOwnProperty("af") ? o["af"] : true;
|
|
if (o.hasOwnProperty("rt"))
|
|
this.cur_anim_repeatto = o["rt"];
|
|
else
|
|
this.cur_anim_repeatto = this.cur_animation.repeatto;
|
|
this.curFrame = this.cur_animation.frames[this.cur_frame];
|
|
this.curWebGLTexture = this.curFrame.webGL_texture;
|
|
this.collision_poly.set_pts(this.curFrame.poly_pts);
|
|
this.hotspotX = this.curFrame.hotspotX;
|
|
this.hotspotY = this.curFrame.hotspotY;
|
|
};
|
|
instanceProto.animationFinish = function (reverse)
|
|
{
|
|
this.cur_frame = reverse ? 0 : this.cur_animation.frames.length - 1;
|
|
this.animPlaying = false;
|
|
this.animTriggerName = this.cur_animation.name;
|
|
this.inAnimTrigger = true;
|
|
this.runtime.trigger(cr.plugins_.Sprite.prototype.cnds.OnAnyAnimFinished, this);
|
|
this.runtime.trigger(cr.plugins_.Sprite.prototype.cnds.OnAnimFinished, this);
|
|
this.inAnimTrigger = false;
|
|
this.animRepeats = 0;
|
|
};
|
|
instanceProto.getNowTime = function()
|
|
{
|
|
return this.animTimer.sum;
|
|
};
|
|
instanceProto.tick = function()
|
|
{
|
|
this.animTimer.add(this.runtime.getDt(this));
|
|
if (this.changeAnimName.length)
|
|
this.doChangeAnim();
|
|
if (this.changeAnimFrame >= 0)
|
|
this.doChangeAnimFrame();
|
|
var now = this.getNowTime();
|
|
var cur_animation = this.cur_animation;
|
|
var prev_frame = cur_animation.frames[this.cur_frame];
|
|
var next_frame;
|
|
var cur_frame_time = prev_frame.duration / this.cur_anim_speed;
|
|
if (this.animPlaying && now >= this.frameStart + cur_frame_time)
|
|
{
|
|
if (this.animForwards)
|
|
{
|
|
this.cur_frame++;
|
|
}
|
|
else
|
|
{
|
|
this.cur_frame--;
|
|
}
|
|
this.frameStart += cur_frame_time;
|
|
if (this.cur_frame >= cur_animation.frames.length)
|
|
{
|
|
if (cur_animation.pingpong)
|
|
{
|
|
this.animForwards = false;
|
|
this.cur_frame = cur_animation.frames.length - 2;
|
|
}
|
|
else if (cur_animation.loop)
|
|
{
|
|
this.cur_frame = this.cur_anim_repeatto;
|
|
}
|
|
else
|
|
{
|
|
this.animRepeats++;
|
|
if (this.animRepeats >= cur_animation.repeatcount)
|
|
{
|
|
this.animationFinish(false);
|
|
}
|
|
else
|
|
{
|
|
this.cur_frame = this.cur_anim_repeatto;
|
|
}
|
|
}
|
|
}
|
|
if (this.cur_frame < 0)
|
|
{
|
|
if (cur_animation.pingpong)
|
|
{
|
|
this.cur_frame = 1;
|
|
this.animForwards = true;
|
|
if (!cur_animation.loop)
|
|
{
|
|
this.animRepeats++;
|
|
if (this.animRepeats >= cur_animation.repeatcount)
|
|
{
|
|
this.animationFinish(true);
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (cur_animation.loop)
|
|
{
|
|
this.cur_frame = this.cur_anim_repeatto;
|
|
}
|
|
else
|
|
{
|
|
this.animRepeats++;
|
|
if (this.animRepeats >= cur_animation.repeatcount)
|
|
{
|
|
this.animationFinish(true);
|
|
}
|
|
else
|
|
{
|
|
this.cur_frame = this.cur_anim_repeatto;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
if (this.cur_frame < 0)
|
|
this.cur_frame = 0;
|
|
else if (this.cur_frame >= cur_animation.frames.length)
|
|
this.cur_frame = cur_animation.frames.length - 1;
|
|
if (now > this.frameStart + (cur_animation.frames[this.cur_frame].duration / this.cur_anim_speed))
|
|
{
|
|
this.frameStart = now;
|
|
}
|
|
next_frame = cur_animation.frames[this.cur_frame];
|
|
this.OnFrameChanged(prev_frame, next_frame);
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
instanceProto.getAnimationByName = function (name_)
|
|
{
|
|
var i, len, a;
|
|
for (i = 0, len = this.type.animations.length; i < len; i++)
|
|
{
|
|
a = this.type.animations[i];
|
|
if (cr.equals_nocase(a.name, name_))
|
|
return a;
|
|
}
|
|
return null;
|
|
};
|
|
instanceProto.getAnimationBySid = function (sid_)
|
|
{
|
|
var i, len, a;
|
|
for (i = 0, len = this.type.animations.length; i < len; i++)
|
|
{
|
|
a = this.type.animations[i];
|
|
if (a.sid === sid_)
|
|
return a;
|
|
}
|
|
return null;
|
|
};
|
|
instanceProto.doChangeAnim = function ()
|
|
{
|
|
var prev_frame = this.cur_animation.frames[this.cur_frame];
|
|
var anim = this.getAnimationByName(this.changeAnimName);
|
|
this.changeAnimName = "";
|
|
if (!anim)
|
|
return;
|
|
if (cr.equals_nocase(anim.name, this.cur_animation.name) && this.animPlaying)
|
|
return;
|
|
this.cur_animation = anim;
|
|
this.cur_anim_speed = anim.speed;
|
|
this.cur_anim_repeatto = anim.repeatto;
|
|
if (this.cur_frame < 0)
|
|
this.cur_frame = 0;
|
|
if (this.cur_frame >= this.cur_animation.frames.length)
|
|
this.cur_frame = this.cur_animation.frames.length - 1;
|
|
if (this.changeAnimFrom === 1)
|
|
this.cur_frame = 0;
|
|
this.animPlaying = true;
|
|
this.frameStart = this.getNowTime();
|
|
this.animForwards = true;
|
|
this.OnFrameChanged(prev_frame, this.cur_animation.frames[this.cur_frame]);
|
|
this.runtime.redraw = true;
|
|
};
|
|
instanceProto.doChangeAnimFrame = function ()
|
|
{
|
|
var prev_frame = this.cur_animation.frames[this.cur_frame];
|
|
var prev_frame_number = this.cur_frame;
|
|
this.cur_frame = cr.floor(this.changeAnimFrame);
|
|
if (this.cur_frame < 0)
|
|
this.cur_frame = 0;
|
|
if (this.cur_frame >= this.cur_animation.frames.length)
|
|
this.cur_frame = this.cur_animation.frames.length - 1;
|
|
if (prev_frame_number !== this.cur_frame)
|
|
{
|
|
this.OnFrameChanged(prev_frame, this.cur_animation.frames[this.cur_frame]);
|
|
this.frameStart = this.getNowTime();
|
|
this.runtime.redraw = true;
|
|
}
|
|
this.changeAnimFrame = -1;
|
|
};
|
|
instanceProto.OnFrameChanged = function (prev_frame, next_frame)
|
|
{
|
|
var oldw = prev_frame.width;
|
|
var oldh = prev_frame.height;
|
|
var neww = next_frame.width;
|
|
var newh = next_frame.height;
|
|
if (oldw != neww)
|
|
this.width *= (neww / oldw);
|
|
if (oldh != newh)
|
|
this.height *= (newh / oldh);
|
|
this.hotspotX = next_frame.hotspotX;
|
|
this.hotspotY = next_frame.hotspotY;
|
|
this.collision_poly.set_pts(next_frame.poly_pts);
|
|
this.set_bbox_changed();
|
|
this.curFrame = next_frame;
|
|
this.curWebGLTexture = next_frame.webGL_texture;
|
|
var i, len, b;
|
|
for (i = 0, len = this.behavior_insts.length; i < len; i++)
|
|
{
|
|
b = this.behavior_insts[i];
|
|
if (b.onSpriteFrameChanged)
|
|
b.onSpriteFrameChanged(prev_frame, next_frame);
|
|
}
|
|
this.runtime.trigger(cr.plugins_.Sprite.prototype.cnds.OnFrameChanged, this);
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
ctx.globalAlpha = this.opacity;
|
|
var cur_frame = this.curFrame;
|
|
var spritesheeted = cur_frame.spritesheeted;
|
|
var cur_image = cur_frame.texture_img;
|
|
var myx = this.x;
|
|
var myy = this.y;
|
|
var w = this.width;
|
|
var h = this.height;
|
|
if (this.angle === 0 && w >= 0 && h >= 0)
|
|
{
|
|
myx -= this.hotspotX * w;
|
|
myy -= this.hotspotY * h;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
myx = Math.round(myx);
|
|
myy = Math.round(myy);
|
|
}
|
|
if (spritesheeted)
|
|
{
|
|
ctx.drawImage(cur_image, cur_frame.offx, cur_frame.offy, cur_frame.width, cur_frame.height,
|
|
myx, myy, w, h);
|
|
}
|
|
else
|
|
{
|
|
ctx.drawImage(cur_image, myx, myy, w, h);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
myx = Math.round(myx);
|
|
myy = Math.round(myy);
|
|
}
|
|
ctx.save();
|
|
var widthfactor = w > 0 ? 1 : -1;
|
|
var heightfactor = h > 0 ? 1 : -1;
|
|
ctx.translate(myx, myy);
|
|
if (widthfactor !== 1 || heightfactor !== 1)
|
|
ctx.scale(widthfactor, heightfactor);
|
|
ctx.rotate(this.angle * widthfactor * heightfactor);
|
|
var drawx = 0 - (this.hotspotX * cr.abs(w))
|
|
var drawy = 0 - (this.hotspotY * cr.abs(h));
|
|
if (spritesheeted)
|
|
{
|
|
ctx.drawImage(cur_image, cur_frame.offx, cur_frame.offy, cur_frame.width, cur_frame.height,
|
|
drawx, drawy, cr.abs(w), cr.abs(h));
|
|
}
|
|
else
|
|
{
|
|
ctx.drawImage(cur_image, drawx, drawy, cr.abs(w), cr.abs(h));
|
|
}
|
|
ctx.restore();
|
|
}
|
|
/*
|
|
ctx.strokeStyle = "#f00";
|
|
ctx.lineWidth = 3;
|
|
ctx.beginPath();
|
|
this.collision_poly.cache_poly(this.width, this.height, this.angle);
|
|
var i, len, ax, ay, bx, by;
|
|
for (i = 0, len = this.collision_poly.pts_count; i < len; i++)
|
|
{
|
|
ax = this.collision_poly.pts_cache[i*2] + this.x;
|
|
ay = this.collision_poly.pts_cache[i*2+1] + this.y;
|
|
bx = this.collision_poly.pts_cache[((i+1)%len)*2] + this.x;
|
|
by = this.collision_poly.pts_cache[((i+1)%len)*2+1] + this.y;
|
|
ctx.moveTo(ax, ay);
|
|
ctx.lineTo(bx, by);
|
|
}
|
|
ctx.stroke();
|
|
ctx.closePath();
|
|
*/
|
|
/*
|
|
if (this.behavior_insts.length >= 1 && this.behavior_insts[0].draw)
|
|
{
|
|
this.behavior_insts[0].draw(ctx);
|
|
}
|
|
*/
|
|
};
|
|
instanceProto.drawGL_earlyZPass = function(glw)
|
|
{
|
|
this.drawGL(glw);
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
glw.setTexture(this.curWebGLTexture);
|
|
glw.setOpacity(this.opacity);
|
|
var cur_frame = this.curFrame;
|
|
var q = this.bquad;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
var ox = Math.round(this.x) - this.x;
|
|
var oy = Math.round(this.y) - this.y;
|
|
if (cur_frame.spritesheeted)
|
|
glw.quadTex(q.tlx + ox, q.tly + oy, q.trx + ox, q.try_ + oy, q.brx + ox, q.bry + oy, q.blx + ox, q.bly + oy, cur_frame.sheetTex);
|
|
else
|
|
glw.quad(q.tlx + ox, q.tly + oy, q.trx + ox, q.try_ + oy, q.brx + ox, q.bry + oy, q.blx + ox, q.bly + oy);
|
|
}
|
|
else
|
|
{
|
|
if (cur_frame.spritesheeted)
|
|
glw.quadTex(q.tlx, q.tly, q.trx, q.try_, q.brx, q.bry, q.blx, q.bly, cur_frame.sheetTex);
|
|
else
|
|
glw.quad(q.tlx, q.tly, q.trx, q.try_, q.brx, q.bry, q.blx, q.bly);
|
|
}
|
|
};
|
|
instanceProto.getImagePointIndexByName = function(name_)
|
|
{
|
|
var cur_frame = this.curFrame;
|
|
var i, len;
|
|
for (i = 0, len = cur_frame.image_points.length; i < len; i++)
|
|
{
|
|
if (cr.equals_nocase(name_, cur_frame.image_points[i][0]))
|
|
return i;
|
|
}
|
|
return -1;
|
|
};
|
|
instanceProto.getImagePoint = function(imgpt, getX)
|
|
{
|
|
var cur_frame = this.curFrame;
|
|
var image_points = cur_frame.image_points;
|
|
var index;
|
|
if (cr.is_string(imgpt))
|
|
index = this.getImagePointIndexByName(imgpt);
|
|
else
|
|
index = imgpt - 1; // 0 is origin
|
|
index = cr.floor(index);
|
|
if (index < 0 || index >= image_points.length)
|
|
return getX ? this.x : this.y; // return origin
|
|
var x = (image_points[index][1] - cur_frame.hotspotX) * this.width;
|
|
var y = image_points[index][2];
|
|
y = (y - cur_frame.hotspotY) * this.height;
|
|
var cosa = Math.cos(this.angle);
|
|
var sina = Math.sin(this.angle);
|
|
var x_temp = (x * cosa) - (y * sina);
|
|
y = (y * cosa) + (x * sina);
|
|
x = x_temp;
|
|
x += this.x;
|
|
y += this.y;
|
|
return getX ? x : y;
|
|
};
|
|
function Cnds() {};
|
|
var arrCache = [];
|
|
function allocArr()
|
|
{
|
|
if (arrCache.length)
|
|
return arrCache.pop();
|
|
else
|
|
return [0, 0, 0];
|
|
};
|
|
function freeArr(a)
|
|
{
|
|
a[0] = 0;
|
|
a[1] = 0;
|
|
a[2] = 0;
|
|
arrCache.push(a);
|
|
};
|
|
function makeCollKey(a, b)
|
|
{
|
|
if (a < b)
|
|
return "" + a + "," + b;
|
|
else
|
|
return "" + b + "," + a;
|
|
};
|
|
function collmemory_add(collmemory, a, b, tickcount)
|
|
{
|
|
var a_uid = a.uid;
|
|
var b_uid = b.uid;
|
|
var key = makeCollKey(a_uid, b_uid);
|
|
if (collmemory.hasOwnProperty(key))
|
|
{
|
|
collmemory[key][2] = tickcount;
|
|
return;
|
|
}
|
|
var arr = allocArr();
|
|
arr[0] = a_uid;
|
|
arr[1] = b_uid;
|
|
arr[2] = tickcount;
|
|
collmemory[key] = arr;
|
|
};
|
|
function collmemory_remove(collmemory, a, b)
|
|
{
|
|
var key = makeCollKey(a.uid, b.uid);
|
|
if (collmemory.hasOwnProperty(key))
|
|
{
|
|
freeArr(collmemory[key]);
|
|
delete collmemory[key];
|
|
}
|
|
};
|
|
function collmemory_removeInstance(collmemory, inst)
|
|
{
|
|
var uid = inst.uid;
|
|
var p, entry;
|
|
for (p in collmemory)
|
|
{
|
|
if (collmemory.hasOwnProperty(p))
|
|
{
|
|
entry = collmemory[p];
|
|
if (entry[0] === uid || entry[1] === uid)
|
|
{
|
|
freeArr(collmemory[p]);
|
|
delete collmemory[p];
|
|
}
|
|
}
|
|
}
|
|
};
|
|
var last_coll_tickcount = -2;
|
|
function collmemory_has(collmemory, a, b)
|
|
{
|
|
var key = makeCollKey(a.uid, b.uid);
|
|
if (collmemory.hasOwnProperty(key))
|
|
{
|
|
last_coll_tickcount = collmemory[key][2];
|
|
return true;
|
|
}
|
|
else
|
|
{
|
|
last_coll_tickcount = -2;
|
|
return false;
|
|
}
|
|
};
|
|
var candidates1 = [];
|
|
Cnds.prototype.OnCollision = function (rtype)
|
|
{
|
|
if (!rtype)
|
|
return false;
|
|
var runtime = this.runtime;
|
|
var cnd = runtime.getCurrentCondition();
|
|
var ltype = cnd.type;
|
|
var collmemory = null;
|
|
if (cnd.extra["collmemory"])
|
|
{
|
|
collmemory = cnd.extra["collmemory"];
|
|
}
|
|
else
|
|
{
|
|
collmemory = {};
|
|
cnd.extra["collmemory"] = collmemory;
|
|
}
|
|
if (!cnd.extra["spriteCreatedDestroyCallback"])
|
|
{
|
|
cnd.extra["spriteCreatedDestroyCallback"] = true;
|
|
runtime.addDestroyCallback(function(inst) {
|
|
collmemory_removeInstance(cnd.extra["collmemory"], inst);
|
|
});
|
|
}
|
|
var lsol = ltype.getCurrentSol();
|
|
var rsol = rtype.getCurrentSol();
|
|
var linstances = lsol.getObjects();
|
|
var rinstances;
|
|
var registeredInstances;
|
|
var l, linst, r, rinst;
|
|
var curlsol, currsol;
|
|
var tickcount = this.runtime.tickcount;
|
|
var lasttickcount = tickcount - 1;
|
|
var exists, run;
|
|
var current_event = runtime.getCurrentEventStack().current_event;
|
|
var orblock = current_event.orblock;
|
|
for (l = 0; l < linstances.length; l++)
|
|
{
|
|
linst = linstances[l];
|
|
if (rsol.select_all)
|
|
{
|
|
linst.update_bbox();
|
|
this.runtime.getCollisionCandidates(linst.layer, rtype, linst.bbox, candidates1);
|
|
rinstances = candidates1;
|
|
this.runtime.addRegisteredCollisionCandidates(linst, rtype, rinstances);
|
|
}
|
|
else
|
|
{
|
|
rinstances = rsol.getObjects();
|
|
}
|
|
for (r = 0; r < rinstances.length; r++)
|
|
{
|
|
rinst = rinstances[r];
|
|
if (runtime.testOverlap(linst, rinst) || runtime.checkRegisteredCollision(linst, rinst))
|
|
{
|
|
exists = collmemory_has(collmemory, linst, rinst);
|
|
run = (!exists || (last_coll_tickcount < lasttickcount));
|
|
collmemory_add(collmemory, linst, rinst, tickcount);
|
|
if (run)
|
|
{
|
|
runtime.pushCopySol(current_event.solModifiers);
|
|
curlsol = ltype.getCurrentSol();
|
|
currsol = rtype.getCurrentSol();
|
|
curlsol.select_all = false;
|
|
currsol.select_all = false;
|
|
if (ltype === rtype)
|
|
{
|
|
curlsol.instances.length = 2; // just use lsol, is same reference as rsol
|
|
curlsol.instances[0] = linst;
|
|
curlsol.instances[1] = rinst;
|
|
ltype.applySolToContainer();
|
|
}
|
|
else
|
|
{
|
|
curlsol.instances.length = 1;
|
|
currsol.instances.length = 1;
|
|
curlsol.instances[0] = linst;
|
|
currsol.instances[0] = rinst;
|
|
ltype.applySolToContainer();
|
|
rtype.applySolToContainer();
|
|
}
|
|
current_event.retrigger();
|
|
runtime.popSol(current_event.solModifiers);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
collmemory_remove(collmemory, linst, rinst);
|
|
}
|
|
}
|
|
cr.clearArray(candidates1);
|
|
}
|
|
return false;
|
|
};
|
|
var rpicktype = null;
|
|
var rtopick = new cr.ObjectSet();
|
|
var needscollisionfinish = false;
|
|
var candidates2 = [];
|
|
var temp_bbox = new cr.rect(0, 0, 0, 0);
|
|
function DoOverlapCondition(rtype, offx, offy)
|
|
{
|
|
if (!rtype)
|
|
return false;
|
|
var do_offset = (offx !== 0 || offy !== 0);
|
|
var oldx, oldy, ret = false, r, lenr, rinst;
|
|
var cnd = this.runtime.getCurrentCondition();
|
|
var ltype = cnd.type;
|
|
var inverted = cnd.inverted;
|
|
var rsol = rtype.getCurrentSol();
|
|
var orblock = this.runtime.getCurrentEventStack().current_event.orblock;
|
|
var rinstances;
|
|
if (rsol.select_all)
|
|
{
|
|
this.update_bbox();
|
|
temp_bbox.copy(this.bbox);
|
|
temp_bbox.offset(offx, offy);
|
|
this.runtime.getCollisionCandidates(this.layer, rtype, temp_bbox, candidates2);
|
|
rinstances = candidates2;
|
|
}
|
|
else if (orblock)
|
|
{
|
|
if (this.runtime.isCurrentConditionFirst() && !rsol.else_instances.length && rsol.instances.length)
|
|
rinstances = rsol.instances;
|
|
else
|
|
rinstances = rsol.else_instances;
|
|
}
|
|
else
|
|
{
|
|
rinstances = rsol.instances;
|
|
}
|
|
rpicktype = rtype;
|
|
needscollisionfinish = (ltype !== rtype && !inverted);
|
|
if (do_offset)
|
|
{
|
|
oldx = this.x;
|
|
oldy = this.y;
|
|
this.x += offx;
|
|
this.y += offy;
|
|
this.set_bbox_changed();
|
|
}
|
|
for (r = 0, lenr = rinstances.length; r < lenr; r++)
|
|
{
|
|
rinst = rinstances[r];
|
|
if (this.runtime.testOverlap(this, rinst))
|
|
{
|
|
ret = true;
|
|
if (inverted)
|
|
break;
|
|
if (ltype !== rtype)
|
|
rtopick.add(rinst);
|
|
}
|
|
}
|
|
if (do_offset)
|
|
{
|
|
this.x = oldx;
|
|
this.y = oldy;
|
|
this.set_bbox_changed();
|
|
}
|
|
cr.clearArray(candidates2);
|
|
return ret;
|
|
};
|
|
typeProto.finish = function (do_pick)
|
|
{
|
|
if (!needscollisionfinish)
|
|
return;
|
|
if (do_pick)
|
|
{
|
|
var orblock = this.runtime.getCurrentEventStack().current_event.orblock;
|
|
var sol = rpicktype.getCurrentSol();
|
|
var topick = rtopick.valuesRef();
|
|
var i, len, inst;
|
|
if (sol.select_all)
|
|
{
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
for (i = 0, len = topick.length; i < len; ++i)
|
|
{
|
|
sol.instances[i] = topick[i];
|
|
}
|
|
if (orblock)
|
|
{
|
|
cr.clearArray(sol.else_instances);
|
|
for (i = 0, len = rpicktype.instances.length; i < len; ++i)
|
|
{
|
|
inst = rpicktype.instances[i];
|
|
if (!rtopick.contains(inst))
|
|
sol.else_instances.push(inst);
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (orblock)
|
|
{
|
|
var initsize = sol.instances.length;
|
|
for (i = 0, len = topick.length; i < len; ++i)
|
|
{
|
|
sol.instances[initsize + i] = topick[i];
|
|
cr.arrayFindRemove(sol.else_instances, topick[i]);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
cr.shallowAssignArray(sol.instances, topick);
|
|
}
|
|
}
|
|
rpicktype.applySolToContainer();
|
|
}
|
|
rtopick.clear();
|
|
needscollisionfinish = false;
|
|
};
|
|
Cnds.prototype.IsOverlapping = function (rtype)
|
|
{
|
|
return DoOverlapCondition.call(this, rtype, 0, 0);
|
|
};
|
|
Cnds.prototype.IsOverlappingOffset = function (rtype, offx, offy)
|
|
{
|
|
return DoOverlapCondition.call(this, rtype, offx, offy);
|
|
};
|
|
Cnds.prototype.IsAnimPlaying = function (animname)
|
|
{
|
|
if (this.changeAnimName.length)
|
|
return cr.equals_nocase(this.changeAnimName, animname);
|
|
else
|
|
return cr.equals_nocase(this.cur_animation.name, animname);
|
|
};
|
|
Cnds.prototype.CompareFrame = function (cmp, framenum)
|
|
{
|
|
return cr.do_cmp(this.cur_frame, cmp, framenum);
|
|
};
|
|
Cnds.prototype.CompareAnimSpeed = function (cmp, x)
|
|
{
|
|
var s = (this.animForwards ? this.cur_anim_speed : -this.cur_anim_speed);
|
|
return cr.do_cmp(s, cmp, x);
|
|
};
|
|
Cnds.prototype.OnAnimFinished = function (animname)
|
|
{
|
|
return cr.equals_nocase(this.animTriggerName, animname);
|
|
};
|
|
Cnds.prototype.OnAnyAnimFinished = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnFrameChanged = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsMirrored = function ()
|
|
{
|
|
return this.width < 0;
|
|
};
|
|
Cnds.prototype.IsFlipped = function ()
|
|
{
|
|
return this.height < 0;
|
|
};
|
|
Cnds.prototype.OnURLLoaded = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsCollisionEnabled = function ()
|
|
{
|
|
return this.collisionsEnabled;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.Spawn = function (obj, layer, imgpt)
|
|
{
|
|
if (!obj || !layer)
|
|
return;
|
|
var inst = this.runtime.createInstance(obj, layer, this.getImagePoint(imgpt, true), this.getImagePoint(imgpt, false));
|
|
if (!inst)
|
|
return;
|
|
if (typeof inst.angle !== "undefined")
|
|
{
|
|
inst.angle = this.angle;
|
|
inst.set_bbox_changed();
|
|
}
|
|
this.runtime.isInOnDestroy++;
|
|
var i, len, s;
|
|
this.runtime.trigger(Object.getPrototypeOf(obj.plugin).cnds.OnCreated, inst);
|
|
if (inst.is_contained)
|
|
{
|
|
for (i = 0, len = inst.siblings.length; i < len; i++)
|
|
{
|
|
s = inst.siblings[i];
|
|
this.runtime.trigger(Object.getPrototypeOf(s.type.plugin).cnds.OnCreated, s);
|
|
}
|
|
}
|
|
this.runtime.isInOnDestroy--;
|
|
var cur_act = this.runtime.getCurrentAction();
|
|
var reset_sol = false;
|
|
if (cr.is_undefined(cur_act.extra["Spawn_LastExec"]) || cur_act.extra["Spawn_LastExec"] < this.runtime.execcount)
|
|
{
|
|
reset_sol = true;
|
|
cur_act.extra["Spawn_LastExec"] = this.runtime.execcount;
|
|
}
|
|
var sol;
|
|
if (obj != this.type)
|
|
{
|
|
sol = obj.getCurrentSol();
|
|
sol.select_all = false;
|
|
if (reset_sol)
|
|
{
|
|
cr.clearArray(sol.instances);
|
|
sol.instances[0] = inst;
|
|
}
|
|
else
|
|
sol.instances.push(inst);
|
|
if (inst.is_contained)
|
|
{
|
|
for (i = 0, len = inst.siblings.length; i < len; i++)
|
|
{
|
|
s = inst.siblings[i];
|
|
sol = s.type.getCurrentSol();
|
|
sol.select_all = false;
|
|
if (reset_sol)
|
|
{
|
|
cr.clearArray(sol.instances);
|
|
sol.instances[0] = s;
|
|
}
|
|
else
|
|
sol.instances.push(s);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.SetEffect = function (effect)
|
|
{
|
|
this.blend_mode = effect;
|
|
this.compositeOp = cr.effectToCompositeOp(effect);
|
|
cr.setGLBlend(this, effect, this.runtime.gl);
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.StopAnim = function ()
|
|
{
|
|
this.animPlaying = false;
|
|
};
|
|
Acts.prototype.StartAnim = function (from)
|
|
{
|
|
this.animPlaying = true;
|
|
this.frameStart = this.getNowTime();
|
|
if (from === 1 && this.cur_frame !== 0)
|
|
{
|
|
this.changeAnimFrame = 0;
|
|
if (!this.inAnimTrigger)
|
|
this.doChangeAnimFrame();
|
|
}
|
|
if (!this.isTicking)
|
|
{
|
|
this.runtime.tickMe(this);
|
|
this.isTicking = true;
|
|
}
|
|
};
|
|
Acts.prototype.SetAnim = function (animname, from)
|
|
{
|
|
this.changeAnimName = animname;
|
|
this.changeAnimFrom = from;
|
|
if (!this.isTicking)
|
|
{
|
|
this.runtime.tickMe(this);
|
|
this.isTicking = true;
|
|
}
|
|
if (!this.inAnimTrigger)
|
|
this.doChangeAnim();
|
|
};
|
|
Acts.prototype.SetAnimFrame = function (framenumber)
|
|
{
|
|
this.changeAnimFrame = framenumber;
|
|
if (!this.isTicking)
|
|
{
|
|
this.runtime.tickMe(this);
|
|
this.isTicking = true;
|
|
}
|
|
if (!this.inAnimTrigger)
|
|
this.doChangeAnimFrame();
|
|
};
|
|
Acts.prototype.SetAnimSpeed = function (s)
|
|
{
|
|
this.cur_anim_speed = cr.abs(s);
|
|
this.animForwards = (s >= 0);
|
|
if (!this.isTicking)
|
|
{
|
|
this.runtime.tickMe(this);
|
|
this.isTicking = true;
|
|
}
|
|
};
|
|
Acts.prototype.SetAnimRepeatToFrame = function (s)
|
|
{
|
|
s = Math.floor(s);
|
|
if (s < 0)
|
|
s = 0;
|
|
if (s >= this.cur_animation.frames.length)
|
|
s = this.cur_animation.frames.length - 1;
|
|
this.cur_anim_repeatto = s;
|
|
};
|
|
Acts.prototype.SetMirrored = function (m)
|
|
{
|
|
var neww = cr.abs(this.width) * (m === 0 ? -1 : 1);
|
|
if (this.width === neww)
|
|
return;
|
|
this.width = neww;
|
|
this.set_bbox_changed();
|
|
};
|
|
Acts.prototype.SetFlipped = function (f)
|
|
{
|
|
var newh = cr.abs(this.height) * (f === 0 ? -1 : 1);
|
|
if (this.height === newh)
|
|
return;
|
|
this.height = newh;
|
|
this.set_bbox_changed();
|
|
};
|
|
Acts.prototype.SetScale = function (s)
|
|
{
|
|
var cur_frame = this.curFrame;
|
|
var mirror_factor = (this.width < 0 ? -1 : 1);
|
|
var flip_factor = (this.height < 0 ? -1 : 1);
|
|
var new_width = cur_frame.width * s * mirror_factor;
|
|
var new_height = cur_frame.height * s * flip_factor;
|
|
if (this.width !== new_width || this.height !== new_height)
|
|
{
|
|
this.width = new_width;
|
|
this.height = new_height;
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
Acts.prototype.LoadURL = function (url_, resize_, crossOrigin_)
|
|
{
|
|
var img = new Image();
|
|
var self = this;
|
|
var curFrame_ = this.curFrame;
|
|
img.onload = function ()
|
|
{
|
|
if (curFrame_.texture_img.src === img.src)
|
|
{
|
|
if (self.runtime.glwrap && self.curFrame === curFrame_)
|
|
self.curWebGLTexture = curFrame_.webGL_texture;
|
|
if (resize_ === 0) // resize to image size
|
|
{
|
|
self.width = img.width;
|
|
self.height = img.height;
|
|
self.set_bbox_changed();
|
|
}
|
|
self.runtime.redraw = true;
|
|
self.runtime.trigger(cr.plugins_.Sprite.prototype.cnds.OnURLLoaded, self);
|
|
return;
|
|
}
|
|
curFrame_.texture_img = img;
|
|
curFrame_.offx = 0;
|
|
curFrame_.offy = 0;
|
|
curFrame_.width = img.width;
|
|
curFrame_.height = img.height;
|
|
curFrame_.spritesheeted = false;
|
|
curFrame_.datauri = "";
|
|
curFrame_.pixelformat = 0; // reset to RGBA, since we don't know what type of image will have come in
|
|
if (self.runtime.glwrap)
|
|
{
|
|
if (curFrame_.webGL_texture)
|
|
self.runtime.glwrap.deleteTexture(curFrame_.webGL_texture);
|
|
curFrame_.webGL_texture = self.runtime.glwrap.loadTexture(img, false, self.runtime.linearSampling);
|
|
if (self.curFrame === curFrame_)
|
|
self.curWebGLTexture = curFrame_.webGL_texture;
|
|
self.type.updateAllCurrentTexture();
|
|
}
|
|
if (resize_ === 0) // resize to image size
|
|
{
|
|
self.width = img.width;
|
|
self.height = img.height;
|
|
self.set_bbox_changed();
|
|
}
|
|
self.runtime.redraw = true;
|
|
self.runtime.trigger(cr.plugins_.Sprite.prototype.cnds.OnURLLoaded, self);
|
|
};
|
|
if (url_.substr(0, 5) !== "data:" && crossOrigin_ === 0)
|
|
img["crossOrigin"] = "anonymous";
|
|
this.runtime.setImageSrc(img, url_);
|
|
};
|
|
Acts.prototype.SetCollisions = function (set_)
|
|
{
|
|
if (this.collisionsEnabled === (set_ !== 0))
|
|
return; // no change
|
|
this.collisionsEnabled = (set_ !== 0);
|
|
if (this.collisionsEnabled)
|
|
this.set_bbox_changed(); // needs to be added back to cells
|
|
else
|
|
{
|
|
if (this.collcells.right >= this.collcells.left)
|
|
this.type.collision_grid.update(this, this.collcells, null);
|
|
this.collcells.set(0, 0, -1, -1);
|
|
}
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.AnimationFrame = function (ret)
|
|
{
|
|
ret.set_int(this.cur_frame);
|
|
};
|
|
Exps.prototype.AnimationFrameCount = function (ret)
|
|
{
|
|
ret.set_int(this.cur_animation.frames.length);
|
|
};
|
|
Exps.prototype.AnimationName = function (ret)
|
|
{
|
|
ret.set_string(this.cur_animation.name);
|
|
};
|
|
Exps.prototype.AnimationSpeed = function (ret)
|
|
{
|
|
ret.set_float(this.animForwards ? this.cur_anim_speed : -this.cur_anim_speed);
|
|
};
|
|
Exps.prototype.ImagePointX = function (ret, imgpt)
|
|
{
|
|
ret.set_float(this.getImagePoint(imgpt, true));
|
|
};
|
|
Exps.prototype.ImagePointY = function (ret, imgpt)
|
|
{
|
|
ret.set_float(this.getImagePoint(imgpt, false));
|
|
};
|
|
Exps.prototype.ImagePointCount = function (ret)
|
|
{
|
|
ret.set_int(this.curFrame.image_points.length);
|
|
};
|
|
Exps.prototype.ImageWidth = function (ret)
|
|
{
|
|
ret.set_float(this.curFrame.width);
|
|
};
|
|
Exps.prototype.ImageHeight = function (ret)
|
|
{
|
|
ret.set_float(this.curFrame.height);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.SyncStorage = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.SyncStorage.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.data = {};
|
|
this.isStorageLoaded = false;
|
|
this.storageIndex = this.properties[1];
|
|
this.isEncodingEnabled = !this.properties[3];
|
|
this.headSalt = this.properties[4];
|
|
this.tailSalt = this.properties[5];
|
|
this.isLocalStorageLoaded = null;
|
|
this.LS_Instance = null;
|
|
this.LS_ProtoActions = null;
|
|
this.lastErrorMsg = null;
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
};
|
|
instanceProto.isLocalStorageReady = function()
|
|
{
|
|
if (this.isLocalStorageLoaded) return true;
|
|
if ( ! this.storageIndex) return false;
|
|
if(cr.plugins_.LocalStorage)
|
|
{
|
|
var type, LS_Type;
|
|
for (type in this.runtime.types)
|
|
{
|
|
if ( ! this.runtime.types.hasOwnProperty(type)) continue;
|
|
if (this.runtime.types[type].plugin instanceof cr.plugins_.LocalStorage)
|
|
{
|
|
LS_Type = this.runtime.types[type];
|
|
}
|
|
}
|
|
if (LS_Type)
|
|
{
|
|
this.LS_Instance = LS_Type.instances[0];
|
|
this.LS_ProtoActions = cr.plugins_.LocalStorage.prototype.acts;
|
|
this.isLocalStorageLoaded = true;
|
|
return true;
|
|
}
|
|
}
|
|
console.log("\n*\n*\n*\nERROR: LocalStorage plugin not found. You must add LocalStorage plugin to the project. It's a JS library for SyncStorage plugin.\n*\n*\n*\n");
|
|
return false;
|
|
};
|
|
function Cnds() {};
|
|
/**
|
|
* @returns {boolean}
|
|
*/
|
|
Cnds.prototype.OnLoaded = function()
|
|
{
|
|
return true;
|
|
};
|
|
/**
|
|
* @returns {boolean}
|
|
*/
|
|
Cnds.prototype.OnLoadError = function()
|
|
{
|
|
return true;
|
|
};
|
|
/**
|
|
* @returns {boolean}
|
|
*/
|
|
Cnds.prototype.IsLoaded = function()
|
|
{
|
|
return this.isStorageLoaded;
|
|
};
|
|
/**
|
|
* @returns {boolean}
|
|
*/
|
|
Cnds.prototype.HasData = function(index_)
|
|
{
|
|
return this.hasData(index_);
|
|
};
|
|
/**
|
|
* @returns {boolean}
|
|
*/
|
|
Cnds.prototype.CompareData = function(dataIndex_, cmp_, value_)
|
|
{
|
|
return cr.do_cmp(this.data[dataIndex_], cmp_, value_);
|
|
};
|
|
/**
|
|
* @returns {boolean}
|
|
*/
|
|
Cnds.prototype.OnSave = function()
|
|
{
|
|
return true;
|
|
};
|
|
/**
|
|
* @returns {boolean}
|
|
*/
|
|
Cnds.prototype.OnDataMissing = function()
|
|
{
|
|
return true;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetData = function(index_, value_)
|
|
{
|
|
this.data[index_] = value_;
|
|
};
|
|
Acts.prototype.SaveData = function()
|
|
{
|
|
if(this.isLocalStorageReady())
|
|
{
|
|
this.LS_ProtoActions.SetItem.call(this.LS_Instance, this.storageIndex,
|
|
this.isEncodingEnabled
|
|
? this.encode(JSON.stringify(this.data))
|
|
: JSON.stringify(this.data));
|
|
}
|
|
this.runtime.trigger(cr.plugins_.SyncStorage.prototype.cnds.OnSave, this);
|
|
};
|
|
Acts.prototype.LoadData = function()
|
|
{
|
|
if( ! this.isLocalStorageReady())
|
|
{
|
|
this.lastErrorMsg = "Could not load data from LocalStorage. Possible reasons: \"LocalStorage IDX\" property not set or LocalStorage plugin is not added to the project.";
|
|
this.runtime.trigger(cr.plugins_.SyncStorage.prototype.cnds.OnLoadError, this);
|
|
this.lastErrorMsg = "";
|
|
return;
|
|
}
|
|
var self = this;
|
|
localforage["getItem"](this.storageIndex, function (err, value)
|
|
{
|
|
if (err)
|
|
{
|
|
if ( ! err)
|
|
err = "unknown error";
|
|
else if (typeof err.message === "string")
|
|
err = err.message;
|
|
else if (typeof err.name === "string")
|
|
err = err.name;
|
|
else if (typeof err.data === "string")
|
|
err = err.data;
|
|
else if (typeof err !== "string")
|
|
err = "unknown error";
|
|
self.isStorageLoaded = false;
|
|
self.lastErrorMsg = err;
|
|
self.runtime.trigger(cr.plugins_.SyncStorage.prototype.cnds.OnLoadError, self);
|
|
self.lastErrorMsg = null;
|
|
}
|
|
else
|
|
{
|
|
if (typeof value === "undefined" || value === null || value === "")
|
|
{
|
|
self.data = {};
|
|
self.runtime.trigger(cr.plugins_.SyncStorage.prototype.cnds.OnDataMissing, self);
|
|
}
|
|
else
|
|
{
|
|
self.data = self.isEncodingEnabled ? JSON.parse(self.decode(value)) : JSON.parse(value);
|
|
}
|
|
self.isStorageLoaded = true;
|
|
self.runtime.trigger(cr.plugins_.SyncStorage.prototype.cnds.OnLoaded, self);
|
|
}
|
|
});
|
|
};
|
|
Acts.prototype.ClearData = function()
|
|
{
|
|
this.data = {};
|
|
};
|
|
Acts.prototype.RemoveData = function(index_)
|
|
{
|
|
if(typeof this.data[index_] !== "undefined")
|
|
{
|
|
delete this.data[index_];
|
|
}
|
|
};
|
|
Acts.prototype.LoadString = function(data_)
|
|
{
|
|
try
|
|
{
|
|
if(data_ == "")
|
|
{
|
|
this.data = {};
|
|
this.runtime.trigger(cr.plugins_.SyncStorage.prototype.cnds.OnDataMissing, this);
|
|
}
|
|
else
|
|
{
|
|
if(data_.charAt(0) === "{")
|
|
{
|
|
this.data = JSON.parse(data_);
|
|
}
|
|
else
|
|
{
|
|
this.data = JSON.parse(this.decode(data_));
|
|
}
|
|
}
|
|
this.runtime.trigger(cr.plugins_.SyncStorage.prototype.cnds.OnLoaded, this);
|
|
}
|
|
catch(e)
|
|
{
|
|
this.lastErrorMsg = e.message;
|
|
this.runtime.trigger(cr.plugins_.SyncStorage.prototype.cnds.OnLoadError, this);
|
|
this.lastErrorMsg = "";
|
|
}
|
|
};
|
|
Acts.prototype.AddValue = function(index_, value_)
|
|
{
|
|
if ( ! this.hasData(index_))
|
|
{
|
|
this.data[index_] = 0;
|
|
}
|
|
if ( ! isNaN(parseFloat(value_)) && isFinite(value_))
|
|
{
|
|
this.data[index_] += value_;
|
|
}
|
|
};
|
|
Acts.prototype.SubtractValue = function(index_, value_)
|
|
{
|
|
if ( ! this.hasData(index_))
|
|
{
|
|
this.data[index_] = 0;
|
|
}
|
|
if ( ! isNaN(parseFloat(value_)) && isFinite(value_))
|
|
{
|
|
this.data[index_] -= value_;
|
|
}
|
|
};
|
|
Acts.prototype.AppendValue = function(index_, value_)
|
|
{
|
|
if ( ! this.hasData(index_))
|
|
{
|
|
this.data[index_] = "";
|
|
}
|
|
if (typeof value_ === "string")
|
|
{
|
|
this.data[index_] += value_;
|
|
}
|
|
};
|
|
Acts.prototype.PrependValue = function(index_, value_)
|
|
{
|
|
if ( ! this.hasData(index_))
|
|
{
|
|
this.data[index_] = "";
|
|
}
|
|
if (typeof value_ === "string")
|
|
{
|
|
this.data[index_] = value_ + this.data[index_];
|
|
}
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.GetData = function(ret, dataIndex_)
|
|
{
|
|
ret.set_any(this.data[dataIndex_]);
|
|
};
|
|
Exps.prototype.StorageIndex = function(ret)
|
|
{
|
|
ret.set_string(this.storageIndex);
|
|
};
|
|
Exps.prototype.HasData = function(ret, index_)
|
|
{
|
|
ret.set_int(+this.hasData(index_));
|
|
};
|
|
Exps.prototype.AsJSON = function(ret)
|
|
{
|
|
ret.set_string(JSON.stringify(this.data));
|
|
};
|
|
Exps.prototype.AsString = function(ret)
|
|
{
|
|
ret.set_string(this.isEncodingEnabled
|
|
? this.encode(JSON.stringify(this.data))
|
|
: JSON.stringify(this.data));
|
|
};
|
|
Exps.prototype.ErrorMsg = function(ret)
|
|
{
|
|
ret.set_string(this.lastErrorMsg);
|
|
};
|
|
Exps.prototype.Get = function(ret, dataIndex_)
|
|
{
|
|
ret.set_any(this.data[dataIndex_]);
|
|
};
|
|
Exps.prototype.Has = function(ret, index_)
|
|
{
|
|
ret.set_int(+this.hasData(index_));
|
|
};
|
|
instanceProto.encode = function (rawData)
|
|
{
|
|
var encodedData = Secret.encode(rawData);
|
|
var i;
|
|
for (i = 0; i < this.headSalt; i++)
|
|
{
|
|
encodedData = encodedData.charAt(Math.floor((Math.random() * (encodedData.length-1)))) + encodedData;
|
|
}
|
|
for (i = 0; i < this.tailSalt; i++)
|
|
{
|
|
encodedData += encodedData.charAt(Math.floor((Math.random() * (encodedData.length-1))));
|
|
}
|
|
return encodedData;
|
|
};
|
|
instanceProto.decode = function (encodedData)
|
|
{
|
|
var rawData = encodedData.substring(this.headSalt);
|
|
rawData = rawData.substring(0, rawData.length - this.tailSalt);
|
|
rawData = Secret.decode(rawData);
|
|
return rawData;
|
|
};
|
|
instanceProto.hasData = function(index_)
|
|
{
|
|
return !! this.data[index_];
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
var Secret={_keyStr:"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=",encode:function(r){var t,e,o,a,h,n,d,C="",i=0;for(r=Secret._utf8_encode(r);i<r.length;)a=(t=r.charCodeAt(i++))>>2,h=(3&t)<<4|(e=r.charCodeAt(i++))>>4,n=(15&e)<<2|(o=r.charCodeAt(i++))>>6,d=63&o,isNaN(e)?n=d=64:isNaN(o)&&(d=64),C=C+this._keyStr.charAt(a)+this._keyStr.charAt(h)+this._keyStr.charAt(n)+this._keyStr.charAt(d);return C},decode:function(r){var t,e,o,a,h,n,d="",C=0;for(r=r.replace(/[^A-Za-z0-9\+\/\=]/g,"");C<r.length;)t=this._keyStr.indexOf(r.charAt(C++))<<2|(a=this._keyStr.indexOf(r.charAt(C++)))>>4,e=(15&a)<<4|(h=this._keyStr.indexOf(r.charAt(C++)))>>2,o=(3&h)<<6|(n=this._keyStr.indexOf(r.charAt(C++))),d+=String.fromCharCode(t),64!=h&&(d+=String.fromCharCode(e)),64!=n&&(d+=String.fromCharCode(o));return d=Secret._utf8_decode(d)},_utf8_encode:function(r){r=r.replace(/\r\n/g,"\n");for(var t="",e=0;e<r.length;e++){var o=r.charCodeAt(e);o<128?t+=String.fromCharCode(o):o>127&&o<2048?(t+=String.fromCharCode(o>>6|192),t+=String.fromCharCode(63&o|128)):(t+=String.fromCharCode(o>>12|224),t+=String.fromCharCode(o>>6&63|128),t+=String.fromCharCode(63&o|128))}return t},_utf8_decode:function(r){for(var t="",e=0,o=0,a=0,h=0;e<r.length;)(o=r.charCodeAt(e))<128?(t+=String.fromCharCode(o),e++):o>191&&o<224?(a=r.charCodeAt(e+1),t+=String.fromCharCode((31&o)<<6|63&a),e+=2):(a=r.charCodeAt(e+1),h=r.charCodeAt(e+2),t+=String.fromCharCode((15&o)<<12|(63&a)<<6|63&h),e+=3);return t}};
|
|
}());
|
|
/**
|
|
* Object holder for the plugin
|
|
*/
|
|
cr.plugins_.TR_AdBlockDetector = function (runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
/**
|
|
* C2 plugin
|
|
*/
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.TR_AdBlockDetector.prototype;
|
|
pluginProto.Type = function (plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function ()
|
|
{
|
|
};
|
|
/**
|
|
* C2 specific behaviour
|
|
*/
|
|
pluginProto.Instance = function (type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function ()
|
|
{
|
|
this.adblock = false
|
|
var self = this
|
|
var xhttp = new XMLHttpRequest ();
|
|
xhttp.onreadystatechange = function () {
|
|
if (this.readyState === 4 && this.status === 0)
|
|
self.adblock = true
|
|
}
|
|
xhttp.open ("GET", "https://api.adinplay.com/libs/aiptag/assets/adsbygoogle.js", true);
|
|
xhttp.send ();
|
|
};
|
|
function Cnds()
|
|
{
|
|
}
|
|
/** * @returns {boolean} */
|
|
Cnds.prototype.IsBlocking = function ()
|
|
{
|
|
return (this.adblock);
|
|
};
|
|
/** * @returns {boolean} */
|
|
Cnds.prototype.IsReady = function ()
|
|
{
|
|
return true;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
/**
|
|
* Plugin actions
|
|
*/
|
|
function Acts()
|
|
{
|
|
}
|
|
pluginProto.acts = new Acts();
|
|
function Exps()
|
|
{
|
|
};
|
|
Exps.prototype.IsBlocking = function (ret)
|
|
{
|
|
ret.set_int(+(this.adblock));
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.TR_ClockParser = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.TR_ClockParser.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Minimal = function(ret, seconds_)
|
|
{
|
|
seconds_ = parseInt(seconds_, 10);
|
|
var hours = Math.floor(seconds_ / 3600);
|
|
var minutes = Math.floor((seconds_ - (hours * 3600)) / 60);
|
|
var seconds = seconds_ - (hours * 3600) - (minutes * 60);
|
|
var clockString = "";
|
|
if(hours > 0)
|
|
{
|
|
clockString += (hours < 10 ? "0" + hours : hours) + ":";
|
|
}
|
|
if(hours > 0 || minutes > 0)
|
|
{
|
|
clockString += (minutes < 10 ? "0" + minutes : minutes) + ":";
|
|
}
|
|
clockString += (seconds < 10 ? "0" + seconds : seconds);
|
|
ret.set_string(clockString);
|
|
};
|
|
Exps.prototype.MMSS = function(ret, seconds_)
|
|
{
|
|
seconds_ = parseInt(seconds_, 10);
|
|
var minutes = Math.floor(seconds_ / 60);
|
|
var seconds = seconds_ - minutes * 60;
|
|
if (minutes < 10) { minutes = "0" +minutes; }
|
|
if (seconds < 10) { seconds = "0" + seconds; }
|
|
ret.set_string(minutes + ':' + seconds);
|
|
};
|
|
Exps.prototype.HHMMSS = function(ret, seconds_)
|
|
{
|
|
seconds_ = parseInt(seconds_, 10);
|
|
var hours = Math.floor(seconds_ / 3600);
|
|
var minutes = Math.floor((seconds_ - (hours * 3600)) / 60);
|
|
var seconds = seconds_ - (hours * 3600) - (minutes * 60);
|
|
if (hours < 10) { hours = "0" + hours; }
|
|
if (minutes < 10) { minutes = "0" +minutes; }
|
|
if (seconds < 10) { seconds = "0" + seconds; }
|
|
ret.set_string(hours + ':' + minutes + ':' + seconds);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Text = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Text.prototype;
|
|
pluginProto.onCreate = function ()
|
|
{
|
|
pluginProto.acts.SetWidth = function (w)
|
|
{
|
|
if (this.width !== w)
|
|
{
|
|
this.width = w;
|
|
this.text_changed = true; // also recalculate text wrapping
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
};
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
typeProto.onLostWebGLContext = function ()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
var i, len, inst;
|
|
for (i = 0, len = this.instances.length; i < len; i++)
|
|
{
|
|
inst = this.instances[i];
|
|
inst.mycanvas = null;
|
|
inst.myctx = null;
|
|
inst.mytex = null;
|
|
}
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
if (this.recycled)
|
|
cr.clearArray(this.lines);
|
|
else
|
|
this.lines = []; // for word wrapping
|
|
this.text_changed = true;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var requestedWebFonts = {}; // already requested web fonts have an entry here
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.text = this.properties[0];
|
|
this.visible = (this.properties[1] === 0); // 0=visible, 1=invisible
|
|
this.font = this.properties[2];
|
|
this.color = this.properties[3];
|
|
this.halign = this.properties[4]; // 0=left, 1=center, 2=right
|
|
this.valign = this.properties[5]; // 0=top, 1=center, 2=bottom
|
|
this.wrapbyword = (this.properties[7] === 0); // 0=word, 1=character
|
|
this.lastwidth = this.width;
|
|
this.lastwrapwidth = this.width;
|
|
this.lastheight = this.height;
|
|
this.line_height_offset = this.properties[8];
|
|
this.facename = "";
|
|
this.fontstyle = "";
|
|
this.ptSize = 0;
|
|
this.textWidth = 0;
|
|
this.textHeight = 0;
|
|
this.parseFont();
|
|
this.mycanvas = null;
|
|
this.myctx = null;
|
|
this.mytex = null;
|
|
this.need_text_redraw = false;
|
|
this.last_render_tick = this.runtime.tickcount;
|
|
if (this.recycled)
|
|
this.rcTex.set(0, 0, 1, 1);
|
|
else
|
|
this.rcTex = new cr.rect(0, 0, 1, 1);
|
|
if (this.runtime.glwrap)
|
|
this.runtime.tickMe(this);
|
|
;
|
|
};
|
|
instanceProto.parseFont = function ()
|
|
{
|
|
var arr = this.font.split(" ");
|
|
var i;
|
|
for (i = 0; i < arr.length; i++)
|
|
{
|
|
if (arr[i].substr(arr[i].length - 2, 2) === "pt")
|
|
{
|
|
this.ptSize = parseInt(arr[i].substr(0, arr[i].length - 2));
|
|
this.pxHeight = Math.ceil((this.ptSize / 72.0) * 96.0) + 4; // assume 96dpi...
|
|
if (i > 0)
|
|
this.fontstyle = arr[i - 1];
|
|
this.facename = arr[i + 1];
|
|
for (i = i + 2; i < arr.length; i++)
|
|
this.facename += " " + arr[i];
|
|
break;
|
|
}
|
|
}
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"t": this.text,
|
|
"f": this.font,
|
|
"c": this.color,
|
|
"ha": this.halign,
|
|
"va": this.valign,
|
|
"wr": this.wrapbyword,
|
|
"lho": this.line_height_offset,
|
|
"fn": this.facename,
|
|
"fs": this.fontstyle,
|
|
"ps": this.ptSize,
|
|
"pxh": this.pxHeight,
|
|
"tw": this.textWidth,
|
|
"th": this.textHeight,
|
|
"lrt": this.last_render_tick
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.text = o["t"];
|
|
this.font = o["f"];
|
|
this.color = o["c"];
|
|
this.halign = o["ha"];
|
|
this.valign = o["va"];
|
|
this.wrapbyword = o["wr"];
|
|
this.line_height_offset = o["lho"];
|
|
this.facename = o["fn"];
|
|
this.fontstyle = o["fs"];
|
|
this.ptSize = o["ps"];
|
|
this.pxHeight = o["pxh"];
|
|
this.textWidth = o["tw"];
|
|
this.textHeight = o["th"];
|
|
this.last_render_tick = o["lrt"];
|
|
this.text_changed = true;
|
|
this.lastwidth = this.width;
|
|
this.lastwrapwidth = this.width;
|
|
this.lastheight = this.height;
|
|
};
|
|
instanceProto.tick = function ()
|
|
{
|
|
if (this.runtime.glwrap && this.mytex && (this.runtime.tickcount - this.last_render_tick >= 300))
|
|
{
|
|
var layer = this.layer;
|
|
this.update_bbox();
|
|
var bbox = this.bbox;
|
|
if (bbox.right < layer.viewLeft || bbox.bottom < layer.viewTop || bbox.left > layer.viewRight || bbox.top > layer.viewBottom)
|
|
{
|
|
this.runtime.glwrap.deleteTexture(this.mytex);
|
|
this.mytex = null;
|
|
this.myctx = null;
|
|
this.mycanvas = null;
|
|
}
|
|
}
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
this.myctx = null;
|
|
this.mycanvas = null;
|
|
if (this.runtime.glwrap && this.mytex)
|
|
this.runtime.glwrap.deleteTexture(this.mytex);
|
|
this.mytex = null;
|
|
};
|
|
instanceProto.updateFont = function ()
|
|
{
|
|
this.font = this.fontstyle + " " + this.ptSize.toString() + "pt " + this.facename;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
instanceProto.draw = function(ctx, glmode)
|
|
{
|
|
ctx.font = this.font;
|
|
ctx.textBaseline = "top";
|
|
ctx.fillStyle = this.color;
|
|
ctx.globalAlpha = glmode ? 1 : this.opacity;
|
|
var myscale = 1;
|
|
if (glmode)
|
|
{
|
|
myscale = Math.abs(this.layer.getScale());
|
|
ctx.save();
|
|
ctx.scale(myscale, myscale);
|
|
}
|
|
if (this.text_changed || this.width !== this.lastwrapwidth)
|
|
{
|
|
this.type.plugin.WordWrap(this.text, this.lines, ctx, this.width, this.wrapbyword);
|
|
this.text_changed = false;
|
|
this.lastwrapwidth = this.width;
|
|
}
|
|
this.update_bbox();
|
|
var penX = glmode ? 0 : this.bquad.tlx;
|
|
var penY = glmode ? 0 : this.bquad.tly;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
penX = (penX + 0.5) | 0;
|
|
penY = (penY + 0.5) | 0;
|
|
}
|
|
if (this.angle !== 0 && !glmode)
|
|
{
|
|
ctx.save();
|
|
ctx.translate(penX, penY);
|
|
ctx.rotate(this.angle);
|
|
penX = 0;
|
|
penY = 0;
|
|
}
|
|
var endY = penY + this.height;
|
|
var line_height = this.pxHeight;
|
|
line_height += this.line_height_offset;
|
|
var drawX;
|
|
var i;
|
|
if (this.valign === 1) // center
|
|
penY += Math.max(this.height / 2 - (this.lines.length * line_height) / 2, 0);
|
|
else if (this.valign === 2) // bottom
|
|
penY += Math.max(this.height - (this.lines.length * line_height) - 2, 0);
|
|
for (i = 0; i < this.lines.length; i++)
|
|
{
|
|
drawX = penX;
|
|
if (this.halign === 1) // center
|
|
drawX = penX + (this.width - this.lines[i].width) / 2;
|
|
else if (this.halign === 2) // right
|
|
drawX = penX + (this.width - this.lines[i].width);
|
|
ctx.fillText(this.lines[i].text, drawX, penY);
|
|
penY += line_height;
|
|
if (penY >= endY - line_height)
|
|
break;
|
|
}
|
|
if (this.angle !== 0 || glmode)
|
|
ctx.restore();
|
|
this.last_render_tick = this.runtime.tickcount;
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
if (this.width < 1 || this.height < 1)
|
|
return;
|
|
var need_redraw = this.text_changed || this.need_text_redraw;
|
|
this.need_text_redraw = false;
|
|
var layer_scale = this.layer.getScale();
|
|
var layer_angle = this.layer.getAngle();
|
|
var rcTex = this.rcTex;
|
|
var floatscaledwidth = layer_scale * this.width;
|
|
var floatscaledheight = layer_scale * this.height;
|
|
var scaledwidth = Math.ceil(floatscaledwidth);
|
|
var scaledheight = Math.ceil(floatscaledheight);
|
|
var absscaledwidth = Math.abs(scaledwidth);
|
|
var absscaledheight = Math.abs(scaledheight);
|
|
var halfw = this.runtime.draw_width / 2;
|
|
var halfh = this.runtime.draw_height / 2;
|
|
if (!this.myctx)
|
|
{
|
|
this.mycanvas = document.createElement("canvas");
|
|
this.mycanvas.width = absscaledwidth;
|
|
this.mycanvas.height = absscaledheight;
|
|
this.lastwidth = absscaledwidth;
|
|
this.lastheight = absscaledheight;
|
|
need_redraw = true;
|
|
this.myctx = this.mycanvas.getContext("2d");
|
|
}
|
|
if (absscaledwidth !== this.lastwidth || absscaledheight !== this.lastheight)
|
|
{
|
|
this.mycanvas.width = absscaledwidth;
|
|
this.mycanvas.height = absscaledheight;
|
|
if (this.mytex)
|
|
{
|
|
glw.deleteTexture(this.mytex);
|
|
this.mytex = null;
|
|
}
|
|
need_redraw = true;
|
|
}
|
|
if (need_redraw)
|
|
{
|
|
this.myctx.clearRect(0, 0, absscaledwidth, absscaledheight);
|
|
this.draw(this.myctx, true);
|
|
if (!this.mytex)
|
|
this.mytex = glw.createEmptyTexture(absscaledwidth, absscaledheight, this.runtime.linearSampling, this.runtime.isMobile);
|
|
glw.videoToTexture(this.mycanvas, this.mytex, this.runtime.isMobile);
|
|
}
|
|
this.lastwidth = absscaledwidth;
|
|
this.lastheight = absscaledheight;
|
|
glw.setTexture(this.mytex);
|
|
glw.setOpacity(this.opacity);
|
|
glw.resetModelView();
|
|
glw.translate(-halfw, -halfh);
|
|
glw.updateModelView();
|
|
var q = this.bquad;
|
|
var tlx = this.layer.layerToCanvas(q.tlx, q.tly, true, true);
|
|
var tly = this.layer.layerToCanvas(q.tlx, q.tly, false, true);
|
|
var trx = this.layer.layerToCanvas(q.trx, q.try_, true, true);
|
|
var try_ = this.layer.layerToCanvas(q.trx, q.try_, false, true);
|
|
var brx = this.layer.layerToCanvas(q.brx, q.bry, true, true);
|
|
var bry = this.layer.layerToCanvas(q.brx, q.bry, false, true);
|
|
var blx = this.layer.layerToCanvas(q.blx, q.bly, true, true);
|
|
var bly = this.layer.layerToCanvas(q.blx, q.bly, false, true);
|
|
if (this.runtime.pixel_rounding || (this.angle === 0 && layer_angle === 0))
|
|
{
|
|
var ox = ((tlx + 0.5) | 0) - tlx;
|
|
var oy = ((tly + 0.5) | 0) - tly
|
|
tlx += ox;
|
|
tly += oy;
|
|
trx += ox;
|
|
try_ += oy;
|
|
brx += ox;
|
|
bry += oy;
|
|
blx += ox;
|
|
bly += oy;
|
|
}
|
|
if (this.angle === 0 && layer_angle === 0)
|
|
{
|
|
trx = tlx + scaledwidth;
|
|
try_ = tly;
|
|
brx = trx;
|
|
bry = tly + scaledheight;
|
|
blx = tlx;
|
|
bly = bry;
|
|
rcTex.right = 1;
|
|
rcTex.bottom = 1;
|
|
}
|
|
else
|
|
{
|
|
rcTex.right = floatscaledwidth / scaledwidth;
|
|
rcTex.bottom = floatscaledheight / scaledheight;
|
|
}
|
|
glw.quadTex(tlx, tly, trx, try_, brx, bry, blx, bly, rcTex);
|
|
glw.resetModelView();
|
|
glw.scale(layer_scale, layer_scale);
|
|
glw.rotateZ(-this.layer.getAngle());
|
|
glw.translate((this.layer.viewLeft + this.layer.viewRight) / -2, (this.layer.viewTop + this.layer.viewBottom) / -2);
|
|
glw.updateModelView();
|
|
this.last_render_tick = this.runtime.tickcount;
|
|
};
|
|
var wordsCache = [];
|
|
pluginProto.TokeniseWords = function (text)
|
|
{
|
|
cr.clearArray(wordsCache);
|
|
var cur_word = "";
|
|
var ch;
|
|
var i = 0;
|
|
while (i < text.length)
|
|
{
|
|
ch = text.charAt(i);
|
|
if (ch === "\n")
|
|
{
|
|
if (cur_word.length)
|
|
{
|
|
wordsCache.push(cur_word);
|
|
cur_word = "";
|
|
}
|
|
wordsCache.push("\n");
|
|
++i;
|
|
}
|
|
else if (ch === " " || ch === "\t" || ch === "-")
|
|
{
|
|
do {
|
|
cur_word += text.charAt(i);
|
|
i++;
|
|
}
|
|
while (i < text.length && (text.charAt(i) === " " || text.charAt(i) === "\t"));
|
|
wordsCache.push(cur_word);
|
|
cur_word = "";
|
|
}
|
|
else if (i < text.length)
|
|
{
|
|
cur_word += ch;
|
|
i++;
|
|
}
|
|
}
|
|
if (cur_word.length)
|
|
wordsCache.push(cur_word);
|
|
};
|
|
var linesCache = [];
|
|
function allocLine()
|
|
{
|
|
if (linesCache.length)
|
|
return linesCache.pop();
|
|
else
|
|
return {};
|
|
};
|
|
function freeLine(l)
|
|
{
|
|
linesCache.push(l);
|
|
};
|
|
function freeAllLines(arr)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = arr.length; i < len; i++)
|
|
{
|
|
freeLine(arr[i]);
|
|
}
|
|
cr.clearArray(arr);
|
|
};
|
|
pluginProto.WordWrap = function (text, lines, ctx, width, wrapbyword)
|
|
{
|
|
if (!text || !text.length)
|
|
{
|
|
freeAllLines(lines);
|
|
return;
|
|
}
|
|
if (width <= 2.0)
|
|
{
|
|
freeAllLines(lines);
|
|
return;
|
|
}
|
|
if (text.length <= 100 && text.indexOf("\n") === -1)
|
|
{
|
|
var all_width = ctx.measureText(text).width;
|
|
if (all_width <= width)
|
|
{
|
|
freeAllLines(lines);
|
|
lines.push(allocLine());
|
|
lines[0].text = text;
|
|
lines[0].width = all_width;
|
|
return;
|
|
}
|
|
}
|
|
this.WrapText(text, lines, ctx, width, wrapbyword);
|
|
};
|
|
function trimSingleSpaceRight(str)
|
|
{
|
|
if (!str.length || str.charAt(str.length - 1) !== " ")
|
|
return str;
|
|
return str.substring(0, str.length - 1);
|
|
};
|
|
pluginProto.WrapText = function (text, lines, ctx, width, wrapbyword)
|
|
{
|
|
var wordArray;
|
|
if (wrapbyword)
|
|
{
|
|
this.TokeniseWords(text); // writes to wordsCache
|
|
wordArray = wordsCache;
|
|
}
|
|
else
|
|
wordArray = text;
|
|
var cur_line = "";
|
|
var prev_line;
|
|
var line_width;
|
|
var i;
|
|
var lineIndex = 0;
|
|
var line;
|
|
for (i = 0; i < wordArray.length; i++)
|
|
{
|
|
if (wordArray[i] === "\n")
|
|
{
|
|
if (lineIndex >= lines.length)
|
|
lines.push(allocLine());
|
|
cur_line = trimSingleSpaceRight(cur_line); // for correct center/right alignment
|
|
line = lines[lineIndex];
|
|
line.text = cur_line;
|
|
line.width = ctx.measureText(cur_line).width;
|
|
lineIndex++;
|
|
cur_line = "";
|
|
continue;
|
|
}
|
|
prev_line = cur_line;
|
|
cur_line += wordArray[i];
|
|
line_width = ctx.measureText(cur_line).width;
|
|
if (line_width >= width)
|
|
{
|
|
if (lineIndex >= lines.length)
|
|
lines.push(allocLine());
|
|
prev_line = trimSingleSpaceRight(prev_line);
|
|
line = lines[lineIndex];
|
|
line.text = prev_line;
|
|
line.width = ctx.measureText(prev_line).width;
|
|
lineIndex++;
|
|
cur_line = wordArray[i];
|
|
if (!wrapbyword && cur_line === " ")
|
|
cur_line = "";
|
|
}
|
|
}
|
|
if (cur_line.length)
|
|
{
|
|
if (lineIndex >= lines.length)
|
|
lines.push(allocLine());
|
|
cur_line = trimSingleSpaceRight(cur_line);
|
|
line = lines[lineIndex];
|
|
line.text = cur_line;
|
|
line.width = ctx.measureText(cur_line).width;
|
|
lineIndex++;
|
|
}
|
|
for (i = lineIndex; i < lines.length; i++)
|
|
freeLine(lines[i]);
|
|
lines.length = lineIndex;
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.CompareText = function(text_to_compare, case_sensitive)
|
|
{
|
|
if (case_sensitive)
|
|
return this.text == text_to_compare;
|
|
else
|
|
return cr.equals_nocase(this.text, text_to_compare);
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetText = function(param)
|
|
{
|
|
if (cr.is_number(param) && param < 1e9)
|
|
param = Math.round(param * 1e10) / 1e10; // round to nearest ten billionth - hides floating point errors
|
|
var text_to_set = param.toString();
|
|
if (this.text !== text_to_set)
|
|
{
|
|
this.text = text_to_set;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.AppendText = function(param)
|
|
{
|
|
if (cr.is_number(param))
|
|
param = Math.round(param * 1e10) / 1e10; // round to nearest ten billionth - hides floating point errors
|
|
var text_to_append = param.toString();
|
|
if (text_to_append) // not empty
|
|
{
|
|
this.text += text_to_append;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.SetFontFace = function (face_, style_)
|
|
{
|
|
var newstyle = "";
|
|
switch (style_) {
|
|
case 1: newstyle = "bold"; break;
|
|
case 2: newstyle = "italic"; break;
|
|
case 3: newstyle = "bold italic"; break;
|
|
}
|
|
if (face_ === this.facename && newstyle === this.fontstyle)
|
|
return; // no change
|
|
this.facename = face_;
|
|
this.fontstyle = newstyle;
|
|
this.updateFont();
|
|
};
|
|
Acts.prototype.SetFontSize = function (size_)
|
|
{
|
|
if (this.ptSize === size_)
|
|
return;
|
|
this.ptSize = size_;
|
|
this.pxHeight = Math.ceil((this.ptSize / 72.0) * 96.0) + 4; // assume 96dpi...
|
|
this.updateFont();
|
|
};
|
|
Acts.prototype.SetFontColor = function (rgb)
|
|
{
|
|
var newcolor = "rgb(" + cr.GetRValue(rgb).toString() + "," + cr.GetGValue(rgb).toString() + "," + cr.GetBValue(rgb).toString() + ")";
|
|
if (newcolor === this.color)
|
|
return;
|
|
this.color = newcolor;
|
|
this.need_text_redraw = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetWebFont = function (familyname_, cssurl_)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
{
|
|
cr.logexport("[Construct 2] Text plugin: 'Set web font' not supported on this platform - the action has been ignored");
|
|
return; // DC todo
|
|
}
|
|
var self = this;
|
|
var refreshFunc = (function () {
|
|
self.runtime.redraw = true;
|
|
self.text_changed = true;
|
|
});
|
|
if (requestedWebFonts.hasOwnProperty(cssurl_))
|
|
{
|
|
var newfacename = "'" + familyname_ + "'";
|
|
if (this.facename === newfacename)
|
|
return; // no change
|
|
this.facename = newfacename;
|
|
this.updateFont();
|
|
for (var i = 1; i < 10; i++)
|
|
{
|
|
setTimeout(refreshFunc, i * 100);
|
|
setTimeout(refreshFunc, i * 1000);
|
|
}
|
|
return;
|
|
}
|
|
var wf = document.createElement("link");
|
|
wf.href = cssurl_;
|
|
wf.rel = "stylesheet";
|
|
wf.type = "text/css";
|
|
wf.onload = refreshFunc;
|
|
document.getElementsByTagName('head')[0].appendChild(wf);
|
|
requestedWebFonts[cssurl_] = true;
|
|
this.facename = "'" + familyname_ + "'";
|
|
this.updateFont();
|
|
for (var i = 1; i < 10; i++)
|
|
{
|
|
setTimeout(refreshFunc, i * 100);
|
|
setTimeout(refreshFunc, i * 1000);
|
|
}
|
|
;
|
|
};
|
|
Acts.prototype.SetEffect = function (effect)
|
|
{
|
|
this.blend_mode = effect;
|
|
this.compositeOp = cr.effectToCompositeOp(effect);
|
|
cr.setGLBlend(this, effect, this.runtime.gl);
|
|
this.runtime.redraw = true;
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Text = function(ret)
|
|
{
|
|
ret.set_string(this.text);
|
|
};
|
|
Exps.prototype.FaceName = function (ret)
|
|
{
|
|
ret.set_string(this.facename);
|
|
};
|
|
Exps.prototype.FaceSize = function (ret)
|
|
{
|
|
ret.set_int(this.ptSize);
|
|
};
|
|
Exps.prototype.TextWidth = function (ret)
|
|
{
|
|
var w = 0;
|
|
var i, len, x;
|
|
for (i = 0, len = this.lines.length; i < len; i++)
|
|
{
|
|
x = this.lines[i].width;
|
|
if (w < x)
|
|
w = x;
|
|
}
|
|
ret.set_int(w);
|
|
};
|
|
Exps.prototype.TextHeight = function (ret)
|
|
{
|
|
ret.set_int(this.lines.length * (this.pxHeight + this.line_height_offset) - this.line_height_offset);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.TextBox = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.TextBox.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var elemTypes = ["text", "password", "email", "number", "tel", "url"];
|
|
if (navigator.userAgent.indexOf("MSIE 9") > -1)
|
|
{
|
|
elemTypes[2] = "text";
|
|
elemTypes[3] = "text";
|
|
elemTypes[4] = "text";
|
|
elemTypes[5] = "text";
|
|
}
|
|
instanceProto.onCreate = function()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
{
|
|
cr.logexport("[Construct 2] Textbox plugin not supported on this platform - the object will not be created");
|
|
return;
|
|
}
|
|
if (this.properties[7] === 6) // textarea
|
|
{
|
|
this.elem = document.createElement("textarea");
|
|
jQuery(this.elem).css("resize", "none");
|
|
}
|
|
else
|
|
{
|
|
this.elem = document.createElement("input");
|
|
this.elem.type = elemTypes[this.properties[7]];
|
|
}
|
|
this.elem.id = this.properties[9];
|
|
jQuery(this.elem).appendTo(this.runtime.canvasdiv ? this.runtime.canvasdiv : "body");
|
|
this.elem["autocomplete"] = "off";
|
|
this.elem.value = this.properties[0];
|
|
this.elem["placeholder"] = this.properties[1];
|
|
this.elem.title = this.properties[2];
|
|
this.elem.disabled = (this.properties[4] === 0);
|
|
this.elem["readOnly"] = (this.properties[5] === 1);
|
|
this.elem["spellcheck"] = (this.properties[6] === 1);
|
|
this.autoFontSize = (this.properties[8] !== 0);
|
|
this.element_hidden = false;
|
|
if (this.properties[3] === 0)
|
|
{
|
|
jQuery(this.elem).hide();
|
|
this.visible = false;
|
|
this.element_hidden = true;
|
|
}
|
|
var onchangetrigger = (function (self) {
|
|
return function() {
|
|
self.runtime.trigger(cr.plugins_.TextBox.prototype.cnds.OnTextChanged, self);
|
|
};
|
|
})(this);
|
|
this.elem["oninput"] = onchangetrigger;
|
|
if (navigator.userAgent.indexOf("MSIE") !== -1)
|
|
this.elem["oncut"] = onchangetrigger;
|
|
this.elem.onclick = (function (self) {
|
|
return function(e) {
|
|
e.stopPropagation();
|
|
self.runtime.isInUserInputEvent = true;
|
|
self.runtime.trigger(cr.plugins_.TextBox.prototype.cnds.OnClicked, self);
|
|
self.runtime.isInUserInputEvent = false;
|
|
};
|
|
})(this);
|
|
this.elem.ondblclick = (function (self) {
|
|
return function(e) {
|
|
e.stopPropagation();
|
|
self.runtime.isInUserInputEvent = true;
|
|
self.runtime.trigger(cr.plugins_.TextBox.prototype.cnds.OnDoubleClicked, self);
|
|
self.runtime.isInUserInputEvent = false;
|
|
};
|
|
})(this);
|
|
this.elem.addEventListener("touchstart", function (e) {
|
|
e.stopPropagation();
|
|
}, false);
|
|
this.elem.addEventListener("touchmove", function (e) {
|
|
e.stopPropagation();
|
|
}, false);
|
|
this.elem.addEventListener("touchend", function (e) {
|
|
e.stopPropagation();
|
|
}, false);
|
|
jQuery(this.elem).mousedown(function (e) {
|
|
e.stopPropagation();
|
|
});
|
|
jQuery(this.elem).mouseup(function (e) {
|
|
e.stopPropagation();
|
|
});
|
|
jQuery(this.elem).keydown(function (e) {
|
|
if (e.which !== 13 && e.which != 27) // allow enter and escape
|
|
e.stopPropagation();
|
|
});
|
|
jQuery(this.elem).keyup(function (e) {
|
|
if (e.which !== 13 && e.which != 27) // allow enter and escape
|
|
e.stopPropagation();
|
|
});
|
|
this.lastLeft = 0;
|
|
this.lastTop = 0;
|
|
this.lastRight = 0;
|
|
this.lastBottom = 0;
|
|
this.lastWinWidth = 0;
|
|
this.lastWinHeight = 0;
|
|
this.updatePosition(true);
|
|
this.runtime.tickMe(this);
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"text": this.elem.value,
|
|
"placeholder": this.elem.placeholder,
|
|
"tooltip": this.elem.title,
|
|
"disabled": !!this.elem.disabled,
|
|
"readonly": !!this.elem.readOnly,
|
|
"spellcheck": !!this.elem["spellcheck"]
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.elem.value = o["text"];
|
|
this.elem.placeholder = o["placeholder"];
|
|
this.elem.title = o["tooltip"];
|
|
this.elem.disabled = o["disabled"];
|
|
this.elem.readOnly = o["readonly"];
|
|
this.elem["spellcheck"] = o["spellcheck"];
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
jQuery(this.elem).remove();
|
|
this.elem = null;
|
|
};
|
|
instanceProto.tick = function ()
|
|
{
|
|
this.updatePosition();
|
|
};
|
|
instanceProto.updatePosition = function (first)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
var left = this.layer.layerToCanvas(this.x, this.y, true);
|
|
var top = this.layer.layerToCanvas(this.x, this.y, false);
|
|
var right = this.layer.layerToCanvas(this.x + this.width, this.y + this.height, true);
|
|
var bottom = this.layer.layerToCanvas(this.x + this.width, this.y + this.height, false);
|
|
var rightEdge = this.runtime.width / this.runtime.devicePixelRatio;
|
|
var bottomEdge = this.runtime.height / this.runtime.devicePixelRatio;
|
|
if (!this.visible || !this.layer.visible || right <= 0 || bottom <= 0 || left >= rightEdge || top >= bottomEdge)
|
|
{
|
|
if (!this.element_hidden)
|
|
jQuery(this.elem).hide();
|
|
this.element_hidden = true;
|
|
return;
|
|
}
|
|
if (left < 1)
|
|
left = 1;
|
|
if (top < 1)
|
|
top = 1;
|
|
if (right >= rightEdge)
|
|
right = rightEdge - 1;
|
|
if (bottom >= bottomEdge)
|
|
bottom = bottomEdge - 1;
|
|
var curWinWidth = window.innerWidth;
|
|
var curWinHeight = window.innerHeight;
|
|
if (!first && this.lastLeft === left && this.lastTop === top && this.lastRight === right && this.lastBottom === bottom && this.lastWinWidth === curWinWidth && this.lastWinHeight === curWinHeight)
|
|
{
|
|
if (this.element_hidden)
|
|
{
|
|
jQuery(this.elem).show();
|
|
this.element_hidden = false;
|
|
}
|
|
return;
|
|
}
|
|
this.lastLeft = left;
|
|
this.lastTop = top;
|
|
this.lastRight = right;
|
|
this.lastBottom = bottom;
|
|
this.lastWinWidth = curWinWidth;
|
|
this.lastWinHeight = curWinHeight;
|
|
if (this.element_hidden)
|
|
{
|
|
jQuery(this.elem).show();
|
|
this.element_hidden = false;
|
|
}
|
|
var offx = Math.round(left) + jQuery(this.runtime.canvas).offset().left;
|
|
var offy = Math.round(top) + jQuery(this.runtime.canvas).offset().top;
|
|
jQuery(this.elem).css("position", "absolute");
|
|
jQuery(this.elem).offset({left: offx, top: offy});
|
|
jQuery(this.elem).width(Math.round(right - left));
|
|
jQuery(this.elem).height(Math.round(bottom - top));
|
|
if (this.autoFontSize)
|
|
jQuery(this.elem).css("font-size", ((this.layer.getScale(true) / this.runtime.devicePixelRatio) - 0.2) + "em");
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.CompareText = function (text, case_)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return false;
|
|
if (case_ === 0) // insensitive
|
|
return cr.equals_nocase(this.elem.value, text);
|
|
else
|
|
return this.elem.value === text;
|
|
};
|
|
Cnds.prototype.OnTextChanged = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnClicked = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnDoubleClicked = function ()
|
|
{
|
|
return true;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetText = function (text)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.elem.value = text;
|
|
};
|
|
Acts.prototype.SetPlaceholder = function (text)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.elem.placeholder = text;
|
|
};
|
|
Acts.prototype.SetTooltip = function (text)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.elem.title = text;
|
|
};
|
|
Acts.prototype.SetVisible = function (vis)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.visible = (vis !== 0);
|
|
};
|
|
Acts.prototype.SetEnabled = function (en)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.elem.disabled = (en === 0);
|
|
};
|
|
Acts.prototype.SetReadOnly = function (ro)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.elem.readOnly = (ro === 0);
|
|
};
|
|
Acts.prototype.SetFocus = function ()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.elem.focus();
|
|
};
|
|
Acts.prototype.SetBlur = function ()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.elem.blur();
|
|
};
|
|
Acts.prototype.SetCSSStyle = function (p, v)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
jQuery(this.elem).css(p, v);
|
|
};
|
|
Acts.prototype.ScrollToBottom = function ()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.elem.scrollTop = this.elem.scrollHeight;
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Text = function (ret)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
{
|
|
ret.set_string("");
|
|
return;
|
|
}
|
|
ret.set_string(this.elem.value);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.TextModded = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.TextModded.prototype;
|
|
pluginProto.onCreate = function ()
|
|
{
|
|
pluginProto.acts.SetWidth = function (w)
|
|
{
|
|
if (this.width !== w)
|
|
{
|
|
this.width = w;
|
|
this.text_changed = true; // also recalculate text wrapping
|
|
this.set_bbox_changed();
|
|
}
|
|
};
|
|
};
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
typeProto.onLostWebGLContext = function ()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
var i, len, inst;
|
|
for (i = 0, len = this.instances.length; i < len; i++)
|
|
{
|
|
inst = this.instances[i];
|
|
inst.mycanvas = null;
|
|
inst.myctx = null;
|
|
inst.mytex = null;
|
|
}
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
if (this.recycled)
|
|
cr.clearArray(this.lines);
|
|
else
|
|
this.lines = []; // for word wrapping
|
|
this.text_changed = true;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var requestedWebFonts = {}; // already requested web fonts have an entry here
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.text = this.properties[0];
|
|
this.visible = (this.properties[1] === 0); // 0=visible, 1=invisible
|
|
this.font = this.properties[2];
|
|
this.color = this.properties[3];
|
|
this.clamp = this.properties[4]===0;
|
|
if(this.clamp){
|
|
this.halign = cr.clamp(this.properties[5], 0, 100); // 0=left, 1=center, 2=right
|
|
this.valign = cr.clamp(this.properties[6], 0, 100); // 0=top, 1=center, 2=bottom
|
|
}
|
|
else{
|
|
this.halign = this.properties[5]; // 0=left, 1=center, 2=right
|
|
this.valign = this.properties[6]; // 0=top, 1=center, 2=bottom
|
|
}
|
|
this.wrapbyword = (this.properties[8] === 0);
|
|
this.nowrap = (this.properties[8] === 2);
|
|
this.wrap = this.properties[8]; // 0=word, 1=character 2=none
|
|
this.lastwidth = this.width;
|
|
this.lastwrapwidth = this.width;
|
|
this.lastheight = this.height;
|
|
this.line_height_offset = this.properties[9];
|
|
this.facename = "";
|
|
this.fontstyle = "";
|
|
this.ptSize = 0;
|
|
this.textWidth = 0;
|
|
this.textHeight = 0;
|
|
this.parseFont();
|
|
this.mycanvas = null;
|
|
this.myctx = null;
|
|
this.mytex = null;
|
|
this.need_text_redraw = false;
|
|
this.last_render_tick = this.runtime.tickcount;
|
|
if (this.recycled)
|
|
this.rcTex.set(0, 0, 1, 1);
|
|
else
|
|
this.rcTex = new cr.rect(0, 0, 1, 1);
|
|
if (this.runtime.glwrap)
|
|
this.runtime.tickMe(this);
|
|
;
|
|
};
|
|
instanceProto.parseFont = function ()
|
|
{
|
|
var arr = this.font.split(" ");
|
|
var i;
|
|
for (i = 0; i < arr.length; i++)
|
|
{
|
|
if (arr[i].substr(arr[i].length - 2, 2) === "pt")
|
|
{
|
|
this.ptSize = parseInt(arr[i].substr(0, arr[i].length - 2));
|
|
this.pxHeight = Math.ceil((this.ptSize / 72.0) * 96.0) + 4; // assume 96dpi...
|
|
if (i > 0)
|
|
this.fontstyle = arr[i - 1];
|
|
this.facename = arr[i + 1];
|
|
for (i = i + 2; i < arr.length; i++)
|
|
this.facename += " " + arr[i];
|
|
break;
|
|
}
|
|
}
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"t": this.text,
|
|
"f": this.font,
|
|
"c": this.color,
|
|
"ha": this.halign,
|
|
"va": this.valign,
|
|
"clamp": this.clamp,
|
|
"wr": this.wrapbyword,
|
|
"nw": this.nowrap,
|
|
"wrap": this.wrap,
|
|
"lho": this.line_height_offset,
|
|
"fn": this.facename,
|
|
"fs": this.fontstyle,
|
|
"ps": this.ptSize,
|
|
"pxh": this.pxHeight,
|
|
"tw": this.textWidth,
|
|
"th": this.textHeight,
|
|
"lrt": this.last_render_tick
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.text = o["t"];
|
|
this.font = o["f"];
|
|
this.color = o["c"];
|
|
this.halign = o["ha"];
|
|
this.valign = o["va"];
|
|
this.clamp = o["clamp"];
|
|
this.wrapbyword = o["wr"];
|
|
this.nowrap = o["nw"];
|
|
this.wrap = o["wrap"];
|
|
this.line_height_offset = o["lho"];
|
|
this.facename = o["fn"];
|
|
this.fontstyle = o["fs"];
|
|
this.ptSize = o["ps"];
|
|
this.pxHeight = o["pxh"];
|
|
this.textWidth = o["tw"];
|
|
this.textHeight = o["th"];
|
|
this.last_render_tick = o["lrt"];
|
|
this.text_changed = true;
|
|
this.lastwidth = this.width;
|
|
this.lastwrapwidth = this.width;
|
|
this.lastheight = this.height;
|
|
};
|
|
instanceProto.tick = function ()
|
|
{
|
|
if (this.runtime.glwrap && this.mytex && (this.runtime.tickcount - this.last_render_tick >= 300))
|
|
{
|
|
var layer = this.layer;
|
|
this.update_bbox();
|
|
var bbox = this.bbox;
|
|
if (bbox.right < layer.viewLeft || bbox.bottom < layer.viewTop || bbox.left > layer.viewRight || bbox.top > layer.viewBottom)
|
|
{
|
|
this.runtime.glwrap.deleteTexture(this.mytex);
|
|
this.mytex = null;
|
|
this.myctx = null;
|
|
this.mycanvas = null;
|
|
}
|
|
}
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
this.myctx = null;
|
|
this.mycanvas = null;
|
|
if (this.runtime.glwrap && this.mytex)
|
|
this.runtime.glwrap.deleteTexture(this.mytex);
|
|
this.mytex = null;
|
|
};
|
|
instanceProto.updateFont = function ()
|
|
{
|
|
this.font = this.fontstyle + " " + this.ptSize.toString() + "pt " + this.facename;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
instanceProto.draw = function(ctx, glmode)
|
|
{
|
|
ctx.font = this.font;
|
|
ctx.textBaseline = "top";
|
|
ctx.fillStyle = this.color;
|
|
ctx.globalAlpha = glmode ? 1 : this.opacity;
|
|
var myscale = 1;
|
|
if (glmode)
|
|
{
|
|
myscale = Math.abs(this.layer.getScale());
|
|
ctx.save();
|
|
ctx.scale(myscale, myscale);
|
|
}
|
|
if (this.text_changed || this.width !== this.lastwrapwidth)
|
|
{
|
|
this.type.plugin.WordWrap(this.text, this.lines, ctx, this.width, this.wrapbyword, this.nowrap);
|
|
this.text_changed = false;
|
|
this.lastwrapwidth = this.width;
|
|
}
|
|
this.update_bbox();
|
|
var penX = glmode ? 0 : this.bquad.tlx;
|
|
var penY = glmode ? 0 : this.bquad.tly;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
penX = (penX + 0.5) | 0;
|
|
penY = (penY + 0.5) | 0;
|
|
}
|
|
if (this.angle !== 0 && !glmode)
|
|
{
|
|
ctx.save();
|
|
ctx.translate(penX, penY);
|
|
ctx.rotate(this.angle);
|
|
penX = 0;
|
|
penY = 0;
|
|
}
|
|
var endY = penY + this.height;
|
|
var line_height = this.pxHeight;
|
|
line_height += this.line_height_offset;
|
|
var drawX;
|
|
var i;
|
|
var fucker = 0
|
|
if (this.valign > 50){
|
|
var fucker = 2 * (this.valign - 50 )/50
|
|
}
|
|
penY += Math.max(this.height * this.valign/100 - (this.lines.length * line_height) * this.valign/100 - fucker, 0);
|
|
/*
|
|
if (this.valign === 50) // center
|
|
penY += Math.max(this.height / 2 - (this.lines.length * line_height) / 2, 0);
|
|
else if (this.valign === 100) // bottom
|
|
penY += Math.max(this.height - (this.lines.length * line_height) - 2, 0);
|
|
*/
|
|
for (i = 0; i < this.lines.length; i++)
|
|
{
|
|
drawX = penX+ (this.width - this.lines[i].width) * this.halign/100;
|
|
/*if (this.halign === 1) // center
|
|
drawX = penX + (this.width - this.lines[i].width) / 2;
|
|
else if (this.halign === 2) // right
|
|
drawX = penX + (this.width - this.lines[i].width);
|
|
*/
|
|
ctx.fillText(this.lines[i].text, drawX, penY);
|
|
penY += line_height;
|
|
if (penY >= endY - line_height)
|
|
break;
|
|
}
|
|
if (this.angle !== 0 || glmode)
|
|
ctx.restore();
|
|
this.last_render_tick = this.runtime.tickcount;
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
if (this.width < 1 || this.height < 1)
|
|
return;
|
|
var need_redraw = this.text_changed || this.need_text_redraw;
|
|
this.need_text_redraw = false;
|
|
var layer_scale = this.layer.getScale();
|
|
var layer_angle = this.layer.getAngle();
|
|
var rcTex = this.rcTex;
|
|
var floatscaledwidth = layer_scale * this.width;
|
|
var floatscaledheight = layer_scale * this.height;
|
|
var scaledwidth = Math.ceil(floatscaledwidth);
|
|
var scaledheight = Math.ceil(floatscaledheight);
|
|
var absscaledwidth = Math.abs(scaledwidth);
|
|
var absscaledheight = Math.abs(scaledheight);
|
|
var halfw = this.runtime.draw_width / 2;
|
|
var halfh = this.runtime.draw_height / 2;
|
|
if (!this.myctx)
|
|
{
|
|
this.mycanvas = document.createElement("canvas");
|
|
this.mycanvas.width = absscaledwidth;
|
|
this.mycanvas.height = absscaledheight;
|
|
this.lastwidth = absscaledwidth;
|
|
this.lastheight = absscaledheight;
|
|
need_redraw = true;
|
|
this.myctx = this.mycanvas.getContext("2d");
|
|
}
|
|
if (absscaledwidth !== this.lastwidth || absscaledheight !== this.lastheight)
|
|
{
|
|
this.mycanvas.width = absscaledwidth;
|
|
this.mycanvas.height = absscaledheight;
|
|
if (this.mytex)
|
|
{
|
|
glw.deleteTexture(this.mytex);
|
|
this.mytex = null;
|
|
}
|
|
need_redraw = true;
|
|
}
|
|
if (need_redraw)
|
|
{
|
|
this.myctx.clearRect(0, 0, absscaledwidth, absscaledheight);
|
|
this.draw(this.myctx, true);
|
|
if (!this.mytex)
|
|
this.mytex = glw.createEmptyTexture(absscaledwidth, absscaledheight, this.runtime.linearSampling, this.runtime.isMobile);
|
|
glw.videoToTexture(this.mycanvas, this.mytex, this.runtime.isMobile);
|
|
}
|
|
this.lastwidth = absscaledwidth;
|
|
this.lastheight = absscaledheight;
|
|
glw.setTexture(this.mytex);
|
|
glw.setOpacity(this.opacity);
|
|
glw.resetModelView();
|
|
glw.translate(-halfw, -halfh);
|
|
glw.updateModelView();
|
|
var q = this.bquad;
|
|
var tlx = this.layer.layerToCanvas(q.tlx, q.tly, true, true);
|
|
var tly = this.layer.layerToCanvas(q.tlx, q.tly, false, true);
|
|
var trx = this.layer.layerToCanvas(q.trx, q.try_, true, true);
|
|
var try_ = this.layer.layerToCanvas(q.trx, q.try_, false, true);
|
|
var brx = this.layer.layerToCanvas(q.brx, q.bry, true, true);
|
|
var bry = this.layer.layerToCanvas(q.brx, q.bry, false, true);
|
|
var blx = this.layer.layerToCanvas(q.blx, q.bly, true, true);
|
|
var bly = this.layer.layerToCanvas(q.blx, q.bly, false, true);
|
|
if (this.runtime.pixel_rounding || (this.angle === 0 && layer_angle === 0))
|
|
{
|
|
var ox = ((tlx + 0.5) | 0) - tlx;
|
|
var oy = ((tly + 0.5) | 0) - tly
|
|
tlx += ox;
|
|
tly += oy;
|
|
trx += ox;
|
|
try_ += oy;
|
|
brx += ox;
|
|
bry += oy;
|
|
blx += ox;
|
|
bly += oy;
|
|
}
|
|
if (this.angle === 0 && layer_angle === 0)
|
|
{
|
|
trx = tlx + scaledwidth;
|
|
try_ = tly;
|
|
brx = trx;
|
|
bry = tly + scaledheight;
|
|
blx = tlx;
|
|
bly = bry;
|
|
rcTex.right = 1;
|
|
rcTex.bottom = 1;
|
|
}
|
|
else
|
|
{
|
|
rcTex.right = floatscaledwidth / scaledwidth;
|
|
rcTex.bottom = floatscaledheight / scaledheight;
|
|
}
|
|
glw.quadTex(tlx, tly, trx, try_, brx, bry, blx, bly, rcTex);
|
|
glw.resetModelView();
|
|
glw.scale(layer_scale, layer_scale);
|
|
glw.rotateZ(-this.layer.getAngle());
|
|
glw.translate((this.layer.viewLeft + this.layer.viewRight) / -2, (this.layer.viewTop + this.layer.viewBottom) / -2);
|
|
glw.updateModelView();
|
|
this.last_render_tick = this.runtime.tickcount;
|
|
};
|
|
var wordsCache = [];
|
|
pluginProto.TokeniseWords = function (text)
|
|
{
|
|
cr.clearArray(wordsCache);
|
|
var cur_word = "";
|
|
var ch;
|
|
var i = 0;
|
|
while (i < text.length)
|
|
{
|
|
ch = text.charAt(i);
|
|
if (ch === "\n")
|
|
{
|
|
if (cur_word.length)
|
|
{
|
|
wordsCache.push(cur_word);
|
|
cur_word = "";
|
|
}
|
|
wordsCache.push("\n");
|
|
++i;
|
|
}
|
|
else if (ch === " " || ch === "\t" || ch === "-")
|
|
{
|
|
do {
|
|
cur_word += text.charAt(i);
|
|
i++;
|
|
}
|
|
while (i < text.length && (text.charAt(i) === " " || text.charAt(i) === "\t"));
|
|
wordsCache.push(cur_word);
|
|
cur_word = "";
|
|
}
|
|
else if (i < text.length)
|
|
{
|
|
cur_word += ch;
|
|
i++;
|
|
}
|
|
}
|
|
if (cur_word.length)
|
|
wordsCache.push(cur_word);
|
|
};
|
|
var linesCache = [];
|
|
function allocLine()
|
|
{
|
|
if (linesCache.length)
|
|
return linesCache.pop();
|
|
else
|
|
return {};
|
|
};
|
|
function freeLine(l)
|
|
{
|
|
linesCache.push(l);
|
|
};
|
|
function freeAllLines(arr)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = arr.length; i < len; i++)
|
|
{
|
|
freeLine(arr[i]);
|
|
}
|
|
cr.clearArray(arr);
|
|
};
|
|
pluginProto.WordWrap = function (text, lines, ctx, width, wrapbyword, nowrap)
|
|
{
|
|
if (!text || !text.length)
|
|
{
|
|
freeAllLines(lines);
|
|
return;
|
|
}
|
|
if (width <= 2.0)
|
|
{
|
|
freeAllLines(lines);
|
|
return;
|
|
}
|
|
if (text.length <= 100 && text.indexOf("\n") === -1)
|
|
{
|
|
var all_width = ctx.measureText(text).width;
|
|
if (all_width <= width)
|
|
{
|
|
freeAllLines(lines);
|
|
lines.push(allocLine());
|
|
lines[0].text = text;
|
|
lines[0].width = all_width;
|
|
return;
|
|
}
|
|
}
|
|
if(nowrap){
|
|
var all_width = ctx.measureText(text).width;
|
|
freeAllLines(lines);
|
|
lines.push(allocLine());
|
|
lines[0].text = text;
|
|
lines[0].width = all_width;
|
|
}
|
|
else{
|
|
this.WrapText(text, lines, ctx, width, wrapbyword);
|
|
}
|
|
};
|
|
function trimSingleSpaceRight(str)
|
|
{
|
|
if (!str.length || str.charAt(str.length - 1) !== " ")
|
|
return str;
|
|
return str.substring(0, str.length - 1);
|
|
};
|
|
pluginProto.WrapText = function (text, lines, ctx, width, wrapbyword)
|
|
{
|
|
var wordArray;
|
|
if (wrapbyword)
|
|
{
|
|
this.TokeniseWords(text); // writes to wordsCache
|
|
wordArray = wordsCache;
|
|
}
|
|
else
|
|
wordArray = text;
|
|
var cur_line = "";
|
|
var prev_line;
|
|
var line_width;
|
|
var i;
|
|
var lineIndex = 0;
|
|
var line;
|
|
for (i = 0; i < wordArray.length; i++)
|
|
{
|
|
if (wordArray[i] === "\n")
|
|
{
|
|
if (lineIndex >= lines.length)
|
|
lines.push(allocLine());
|
|
cur_line = trimSingleSpaceRight(cur_line); // for correct center/right alignment
|
|
line = lines[lineIndex];
|
|
line.text = cur_line;
|
|
line.width = ctx.measureText(cur_line).width;
|
|
lineIndex++;
|
|
cur_line = "";
|
|
continue;
|
|
}
|
|
prev_line = cur_line;
|
|
cur_line += wordArray[i];
|
|
line_width = ctx.measureText(cur_line).width;
|
|
if (line_width >= width)
|
|
{
|
|
if (lineIndex >= lines.length)
|
|
lines.push(allocLine());
|
|
prev_line = trimSingleSpaceRight(prev_line);
|
|
line = lines[lineIndex];
|
|
line.text = prev_line;
|
|
line.width = ctx.measureText(prev_line).width;
|
|
lineIndex++;
|
|
cur_line = wordArray[i];
|
|
if (!wrapbyword && cur_line === " ")
|
|
cur_line = "";
|
|
}
|
|
}
|
|
if (cur_line.length)
|
|
{
|
|
if (lineIndex >= lines.length)
|
|
lines.push(allocLine());
|
|
cur_line = trimSingleSpaceRight(cur_line);
|
|
line = lines[lineIndex];
|
|
line.text = cur_line;
|
|
line.width = ctx.measureText(cur_line).width;
|
|
lineIndex++;
|
|
}
|
|
for (i = lineIndex; i < lines.length; i++)
|
|
freeLine(lines[i]);
|
|
lines.length = lineIndex;
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.CompareText = function(text_to_compare, case_sensitive)
|
|
{
|
|
if (case_sensitive)
|
|
return this.text == text_to_compare;
|
|
else
|
|
return cr.equals_nocase(this.text, text_to_compare);
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetText = function(param)
|
|
{
|
|
if (cr.is_number(param) && param < 1e9)
|
|
param = Math.round(param * 1e10) / 1e10; // round to nearest ten billionth - hides floating point errors
|
|
var text_to_set = param.toString();
|
|
if (this.text !== text_to_set)
|
|
{
|
|
this.text = text_to_set;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.AppendText = function(param)
|
|
{
|
|
if (cr.is_number(param))
|
|
param = Math.round(param * 1e10) / 1e10; // round to nearest ten billionth - hides floating point errors
|
|
var text_to_append = param.toString();
|
|
if (text_to_append) // not empty
|
|
{
|
|
this.text += text_to_append;
|
|
this.text_changed = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.SetFontFace = function (face_, style_)
|
|
{
|
|
var newstyle = "";
|
|
switch (style_) {
|
|
case 1: newstyle = "bold"; break;
|
|
case 2: newstyle = "italic"; break;
|
|
case 3: newstyle = "bold italic"; break;
|
|
}
|
|
if (face_ === this.facename && newstyle === this.fontstyle)
|
|
return; // no change
|
|
this.facename = face_;
|
|
this.fontstyle = newstyle;
|
|
this.updateFont();
|
|
};
|
|
Acts.prototype.SetFontSize = function (size_)
|
|
{
|
|
if (this.ptSize === size_)
|
|
return;
|
|
this.ptSize = size_;
|
|
this.pxHeight = Math.ceil((this.ptSize / 72.0) * 96.0) + 4; // assume 96dpi...
|
|
this.updateFont();
|
|
};
|
|
Acts.prototype.SetFontColor = function (rgb)
|
|
{
|
|
var newcolor = "rgb(" + cr.GetRValue(rgb).toString() + "," + cr.GetGValue(rgb).toString() + "," + cr.GetBValue(rgb).toString() + ")";
|
|
if (newcolor === this.color)
|
|
return;
|
|
this.color = newcolor;
|
|
this.need_text_redraw = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetHorAl = function (val)
|
|
{
|
|
this.halign = this.clamp? cr.clamp(val, 0, 100) : val;
|
|
this.need_text_redraw = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetVerAl = function (val)
|
|
{
|
|
this.valign = this.clamp? cr.clamp(val, 0, 100) : val;
|
|
this.need_text_redraw = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetAl = function (hval, vval)
|
|
{
|
|
this.halign = this.clamp? cr.clamp(hval, 0, 100) : hval;
|
|
this.valign = this.clamp? cr.clamp(vval, 0, 100) : vval;
|
|
this.need_text_redraw = true;
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetWrap = function (wrap)
|
|
{
|
|
this.wrapbyword = (wrap === 0);
|
|
this.nowrap = (wrap === 2);
|
|
this.need_text_redraw = true;
|
|
this.runtime.redraw = true;
|
|
this.text_changed = true;
|
|
};
|
|
Acts.prototype.SetClamp = function (clamp)
|
|
{
|
|
this.clamp = clamp === 0
|
|
this.halign = this.clamp? cr.clamp(this.halign, 0, 100) : this.halign;
|
|
this.valign = this.clamp? cr.clamp(this.valign, 0, 100) : this.valign;
|
|
this.need_text_redraw = true;
|
|
this.runtime.redraw = true;
|
|
this.text_changed = true;
|
|
};
|
|
Acts.prototype.SetHotspot = function (hs)
|
|
{
|
|
this.SetHotspot(GetHotspot(hs));
|
|
};
|
|
Acts.prototype.SetWebFont = function (familyname_, cssurl_)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
{
|
|
cr.logexport("[Construct 2] Text plugin: 'Set web font' not supported on this platform - the action has been ignored");
|
|
return; // DC todo
|
|
}
|
|
var self = this;
|
|
var refreshFunc = (function () {
|
|
self.runtime.redraw = true;
|
|
self.text_changed = true;
|
|
});
|
|
if (requestedWebFonts.hasOwnProperty(cssurl_))
|
|
{
|
|
var newfacename = "'" + familyname_ + "'";
|
|
if (this.facename === newfacename)
|
|
return; // no change
|
|
this.facename = newfacename;
|
|
this.updateFont();
|
|
for (var i = 1; i < 10; i++)
|
|
{
|
|
setTimeout(refreshFunc, i * 100);
|
|
setTimeout(refreshFunc, i * 1000);
|
|
}
|
|
return;
|
|
}
|
|
var wf = document.createElement("link");
|
|
wf.href = cssurl_;
|
|
wf.rel = "stylesheet";
|
|
wf.type = "text/css";
|
|
wf.onload = refreshFunc;
|
|
document.getElementsByTagName('head')[0].appendChild(wf);
|
|
requestedWebFonts[cssurl_] = true;
|
|
this.facename = "'" + familyname_ + "'";
|
|
this.updateFont();
|
|
for (var i = 1; i < 10; i++)
|
|
{
|
|
setTimeout(refreshFunc, i * 100);
|
|
setTimeout(refreshFunc, i * 1000);
|
|
}
|
|
;
|
|
};
|
|
Acts.prototype.SetEffect = function (effect)
|
|
{
|
|
this.blend_mode = effect;
|
|
this.compositeOp = cr.effectToCompositeOp(effect);
|
|
cr.setGLBlend(this, effect, this.runtime.gl);
|
|
this.runtime.redraw = true;
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Text = function(ret)
|
|
{
|
|
ret.set_string(this.text);
|
|
};
|
|
Exps.prototype.HAlign = function(ret)
|
|
{
|
|
ret.set_int(this.halign);
|
|
};
|
|
Exps.prototype.VAlign = function(ret)
|
|
{
|
|
ret.set_int(this.valign);
|
|
};
|
|
Exps.prototype.FaceName = function (ret)
|
|
{
|
|
ret.set_string(this.facename);
|
|
};
|
|
Exps.prototype.FaceSize = function (ret)
|
|
{
|
|
ret.set_int(this.ptSize);
|
|
};
|
|
Exps.prototype.LineHeight = function (ret)
|
|
{
|
|
ret.set_int(this.pxHeight + this.line_height_offset);
|
|
};
|
|
Exps.prototype.TextWidth = function (ret)
|
|
{
|
|
var w = 0;
|
|
var i, len, x;
|
|
for (i = 0, len = this.lines.length; i < len; i++)
|
|
{
|
|
x = this.lines[i].width;
|
|
if (w < x)
|
|
w = x;
|
|
}
|
|
ret.set_int(w);
|
|
};
|
|
Exps.prototype.TextHeight = function (ret)
|
|
{
|
|
ret.set_int(this.lines.length * (this.pxHeight + this.line_height_offset) - this.line_height_offset);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.TiledBg = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.TiledBg.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
this.texture_img = new Image();
|
|
this.texture_img.cr_filesize = this.texture_filesize;
|
|
this.runtime.waitForImageLoad(this.texture_img, this.texture_file);
|
|
this.pattern = null;
|
|
this.webGL_texture = null;
|
|
};
|
|
typeProto.onLostWebGLContext = function ()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
this.webGL_texture = null;
|
|
};
|
|
typeProto.onRestoreWebGLContext = function ()
|
|
{
|
|
if (this.is_family || !this.instances.length)
|
|
return;
|
|
if (!this.webGL_texture)
|
|
{
|
|
this.webGL_texture = this.runtime.glwrap.loadTexture(this.texture_img, true, this.runtime.linearSampling, this.texture_pixelformat);
|
|
}
|
|
var i, len;
|
|
for (i = 0, len = this.instances.length; i < len; i++)
|
|
this.instances[i].webGL_texture = this.webGL_texture;
|
|
};
|
|
typeProto.loadTextures = function ()
|
|
{
|
|
if (this.is_family || this.webGL_texture || !this.runtime.glwrap)
|
|
return;
|
|
this.webGL_texture = this.runtime.glwrap.loadTexture(this.texture_img, true, this.runtime.linearSampling, this.texture_pixelformat);
|
|
};
|
|
typeProto.unloadTextures = function ()
|
|
{
|
|
if (this.is_family || this.instances.length || !this.webGL_texture)
|
|
return;
|
|
this.runtime.glwrap.deleteTexture(this.webGL_texture);
|
|
this.webGL_texture = null;
|
|
};
|
|
typeProto.preloadCanvas2D = function (ctx)
|
|
{
|
|
ctx.drawImage(this.texture_img, 0, 0);
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.visible = (this.properties[0] === 0); // 0=visible, 1=invisible
|
|
this.rcTex = new cr.rect(0, 0, 0, 0);
|
|
this.has_own_texture = false; // true if a texture loaded in from URL
|
|
this.texture_img = this.type.texture_img;
|
|
if (this.runtime.glwrap)
|
|
{
|
|
this.type.loadTextures();
|
|
this.webGL_texture = this.type.webGL_texture;
|
|
}
|
|
else
|
|
{
|
|
if (!this.type.pattern)
|
|
this.type.pattern = this.runtime.ctx.createPattern(this.type.texture_img, "repeat");
|
|
this.pattern = this.type.pattern;
|
|
}
|
|
};
|
|
instanceProto.afterLoad = function ()
|
|
{
|
|
this.has_own_texture = false;
|
|
this.texture_img = this.type.texture_img;
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
if (this.runtime.glwrap && this.has_own_texture && this.webGL_texture)
|
|
{
|
|
this.runtime.glwrap.deleteTexture(this.webGL_texture);
|
|
this.webGL_texture = null;
|
|
}
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
ctx.globalAlpha = this.opacity;
|
|
ctx.save();
|
|
ctx.fillStyle = this.pattern;
|
|
var myx = this.x;
|
|
var myy = this.y;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
myx = Math.round(myx);
|
|
myy = Math.round(myy);
|
|
}
|
|
var drawX = -(this.hotspotX * this.width);
|
|
var drawY = -(this.hotspotY * this.height);
|
|
var offX = drawX % this.texture_img.width;
|
|
var offY = drawY % this.texture_img.height;
|
|
if (offX < 0)
|
|
offX += this.texture_img.width;
|
|
if (offY < 0)
|
|
offY += this.texture_img.height;
|
|
ctx.translate(myx, myy);
|
|
ctx.rotate(this.angle);
|
|
ctx.translate(offX, offY);
|
|
ctx.fillRect(drawX - offX,
|
|
drawY - offY,
|
|
this.width,
|
|
this.height);
|
|
ctx.restore();
|
|
};
|
|
instanceProto.drawGL_earlyZPass = function(glw)
|
|
{
|
|
this.drawGL(glw);
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
glw.setTexture(this.webGL_texture);
|
|
glw.setOpacity(this.opacity);
|
|
var rcTex = this.rcTex;
|
|
rcTex.right = this.width / this.texture_img.width;
|
|
rcTex.bottom = this.height / this.texture_img.height;
|
|
var q = this.bquad;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
var ox = Math.round(this.x) - this.x;
|
|
var oy = Math.round(this.y) - this.y;
|
|
glw.quadTex(q.tlx + ox, q.tly + oy, q.trx + ox, q.try_ + oy, q.brx + ox, q.bry + oy, q.blx + ox, q.bly + oy, rcTex);
|
|
}
|
|
else
|
|
glw.quadTex(q.tlx, q.tly, q.trx, q.try_, q.brx, q.bry, q.blx, q.bly, rcTex);
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnURLLoaded = function ()
|
|
{
|
|
return true;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetEffect = function (effect)
|
|
{
|
|
this.blend_mode = effect;
|
|
this.compositeOp = cr.effectToCompositeOp(effect);
|
|
cr.setGLBlend(this, effect, this.runtime.gl);
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.LoadURL = function (url_, crossOrigin_)
|
|
{
|
|
var img = new Image();
|
|
var self = this;
|
|
img.onload = function ()
|
|
{
|
|
self.texture_img = img;
|
|
if (self.runtime.glwrap)
|
|
{
|
|
if (self.has_own_texture && self.webGL_texture)
|
|
self.runtime.glwrap.deleteTexture(self.webGL_texture);
|
|
self.webGL_texture = self.runtime.glwrap.loadTexture(img, true, self.runtime.linearSampling);
|
|
}
|
|
else
|
|
{
|
|
self.pattern = self.runtime.ctx.createPattern(img, "repeat");
|
|
}
|
|
self.has_own_texture = true;
|
|
self.runtime.redraw = true;
|
|
self.runtime.trigger(cr.plugins_.TiledBg.prototype.cnds.OnURLLoaded, self);
|
|
};
|
|
if (url_.substr(0, 5) !== "data:" && crossOrigin_ === 0)
|
|
img.crossOrigin = "anonymous";
|
|
this.runtime.setImageSrc(img, url_);
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.ImageWidth = function (ret)
|
|
{
|
|
ret.set_float(this.texture_img.width);
|
|
};
|
|
Exps.prototype.ImageHeight = function (ret)
|
|
{
|
|
ret.set_float(this.texture_img.height);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.Touch = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.Touch.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
this.touches = [];
|
|
this.mouseDown = false;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var dummyoffset = {left: 0, top: 0};
|
|
instanceProto.findTouch = function (id)
|
|
{
|
|
var i, len;
|
|
for (i = 0, len = this.touches.length; i < len; i++)
|
|
{
|
|
if (this.touches[i]["id"] === id)
|
|
return i;
|
|
}
|
|
return -1;
|
|
};
|
|
var appmobi_accx = 0;
|
|
var appmobi_accy = 0;
|
|
var appmobi_accz = 0;
|
|
function AppMobiGetAcceleration(evt)
|
|
{
|
|
appmobi_accx = evt.x;
|
|
appmobi_accy = evt.y;
|
|
appmobi_accz = evt.z;
|
|
};
|
|
var pg_accx = 0;
|
|
var pg_accy = 0;
|
|
var pg_accz = 0;
|
|
function PhoneGapGetAcceleration(evt)
|
|
{
|
|
pg_accx = evt.x;
|
|
pg_accy = evt.y;
|
|
pg_accz = evt.z;
|
|
};
|
|
var theInstance = null;
|
|
var touchinfo_cache = [];
|
|
function AllocTouchInfo(x, y, id, index)
|
|
{
|
|
var ret;
|
|
if (touchinfo_cache.length)
|
|
ret = touchinfo_cache.pop();
|
|
else
|
|
ret = new TouchInfo();
|
|
ret.init(x, y, id, index);
|
|
return ret;
|
|
};
|
|
function ReleaseTouchInfo(ti)
|
|
{
|
|
if (touchinfo_cache.length < 100)
|
|
touchinfo_cache.push(ti);
|
|
};
|
|
var GESTURE_HOLD_THRESHOLD = 15; // max px motion for hold gesture to register
|
|
var GESTURE_HOLD_TIMEOUT = 500; // time for hold gesture to register
|
|
var GESTURE_TAP_TIMEOUT = 333; // time for tap gesture to register
|
|
var GESTURE_DOUBLETAP_THRESHOLD = 25; // max distance apart for taps to be
|
|
function TouchInfo()
|
|
{
|
|
this.starttime = 0;
|
|
this.time = 0;
|
|
this.lasttime = 0;
|
|
this.startx = 0;
|
|
this.starty = 0;
|
|
this.x = 0;
|
|
this.y = 0;
|
|
this.lastx = 0;
|
|
this.lasty = 0;
|
|
this["id"] = 0;
|
|
this.startindex = 0;
|
|
this.triggeredHold = false;
|
|
this.tooFarForHold = false;
|
|
};
|
|
TouchInfo.prototype.init = function (x, y, id, index)
|
|
{
|
|
var nowtime = cr.performance_now();
|
|
this.time = nowtime;
|
|
this.lasttime = nowtime;
|
|
this.starttime = nowtime;
|
|
this.startx = x;
|
|
this.starty = y;
|
|
this.x = x;
|
|
this.y = y;
|
|
this.lastx = x;
|
|
this.lasty = y;
|
|
this.width = 0;
|
|
this.height = 0;
|
|
this.pressure = 0;
|
|
this["id"] = id;
|
|
this.startindex = index;
|
|
this.triggeredHold = false;
|
|
this.tooFarForHold = false;
|
|
};
|
|
TouchInfo.prototype.update = function (nowtime, x, y, width, height, pressure)
|
|
{
|
|
this.lasttime = this.time;
|
|
this.time = nowtime;
|
|
this.lastx = this.x;
|
|
this.lasty = this.y;
|
|
this.x = x;
|
|
this.y = y;
|
|
this.width = width;
|
|
this.height = height;
|
|
this.pressure = pressure;
|
|
if (!this.tooFarForHold && cr.distanceTo(this.startx, this.starty, this.x, this.y) >= GESTURE_HOLD_THRESHOLD)
|
|
{
|
|
this.tooFarForHold = true;
|
|
}
|
|
};
|
|
TouchInfo.prototype.maybeTriggerHold = function (inst, index)
|
|
{
|
|
if (this.triggeredHold)
|
|
return; // already triggered this gesture
|
|
var nowtime = cr.performance_now();
|
|
if (nowtime - this.starttime >= GESTURE_HOLD_TIMEOUT && !this.tooFarForHold && cr.distanceTo(this.startx, this.starty, this.x, this.y) < GESTURE_HOLD_THRESHOLD)
|
|
{
|
|
this.triggeredHold = true;
|
|
inst.trigger_index = this.startindex;
|
|
inst.trigger_id = this["id"];
|
|
inst.getTouchIndex = index;
|
|
inst.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnHoldGesture, inst);
|
|
inst.curTouchX = this.x;
|
|
inst.curTouchY = this.y;
|
|
inst.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnHoldGestureObject, inst);
|
|
inst.getTouchIndex = 0;
|
|
}
|
|
};
|
|
var lastTapX = -1000;
|
|
var lastTapY = -1000;
|
|
var lastTapTime = -10000;
|
|
TouchInfo.prototype.maybeTriggerTap = function (inst, index)
|
|
{
|
|
if (this.triggeredHold)
|
|
return;
|
|
var nowtime = cr.performance_now();
|
|
if (nowtime - this.starttime <= GESTURE_TAP_TIMEOUT && !this.tooFarForHold && cr.distanceTo(this.startx, this.starty, this.x, this.y) < GESTURE_HOLD_THRESHOLD)
|
|
{
|
|
inst.trigger_index = this.startindex;
|
|
inst.trigger_id = this["id"];
|
|
inst.getTouchIndex = index;
|
|
if ((nowtime - lastTapTime <= GESTURE_TAP_TIMEOUT * 2) && cr.distanceTo(lastTapX, lastTapY, this.x, this.y) < GESTURE_DOUBLETAP_THRESHOLD)
|
|
{
|
|
inst.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnDoubleTapGesture, inst);
|
|
inst.curTouchX = this.x;
|
|
inst.curTouchY = this.y;
|
|
inst.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnDoubleTapGestureObject, inst);
|
|
lastTapX = -1000;
|
|
lastTapY = -1000;
|
|
lastTapTime = -10000;
|
|
}
|
|
else
|
|
{
|
|
inst.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnTapGesture, inst);
|
|
inst.curTouchX = this.x;
|
|
inst.curTouchY = this.y;
|
|
inst.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnTapGestureObject, inst);
|
|
lastTapX = this.x;
|
|
lastTapY = this.y;
|
|
lastTapTime = nowtime;
|
|
}
|
|
inst.getTouchIndex = 0;
|
|
}
|
|
};
|
|
instanceProto.onCreate = function()
|
|
{
|
|
theInstance = this;
|
|
this.isWindows8 = !!(typeof window["c2isWindows8"] !== "undefined" && window["c2isWindows8"]);
|
|
this.orient_alpha = 0;
|
|
this.orient_beta = 0;
|
|
this.orient_gamma = 0;
|
|
this.acc_g_x = 0;
|
|
this.acc_g_y = 0;
|
|
this.acc_g_z = 0;
|
|
this.acc_x = 0;
|
|
this.acc_y = 0;
|
|
this.acc_z = 0;
|
|
this.curTouchX = 0;
|
|
this.curTouchY = 0;
|
|
this.trigger_index = 0;
|
|
this.trigger_id = 0;
|
|
this.trigger_permission = 0;
|
|
this.getTouchIndex = 0;
|
|
this.useMouseInput = (this.properties[0] !== 0);
|
|
var elem = (this.runtime.fullscreen_mode > 0) ? document : this.runtime.canvas;
|
|
var elem2 = document;
|
|
if (this.runtime.isDirectCanvas)
|
|
elem2 = elem = window["Canvas"];
|
|
else if (this.runtime.isCocoonJs)
|
|
elem2 = elem = window;
|
|
var self = this;
|
|
if (typeof PointerEvent !== "undefined")
|
|
{
|
|
elem.addEventListener("pointerdown",
|
|
function(info) {
|
|
self.onPointerStart(info);
|
|
},
|
|
false
|
|
);
|
|
elem.addEventListener("pointermove",
|
|
function(info) {
|
|
self.onPointerMove(info);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener("pointerup",
|
|
function(info) {
|
|
self.onPointerEnd(info, false);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener("pointercancel",
|
|
function(info) {
|
|
self.onPointerEnd(info, true);
|
|
},
|
|
false
|
|
);
|
|
if (this.runtime.canvas)
|
|
{
|
|
this.runtime.canvas.addEventListener("MSGestureHold", function(e) {
|
|
e.preventDefault();
|
|
}, false);
|
|
document.addEventListener("MSGestureHold", function(e) {
|
|
e.preventDefault();
|
|
}, false);
|
|
this.runtime.canvas.addEventListener("gesturehold", function(e) {
|
|
e.preventDefault();
|
|
}, false);
|
|
document.addEventListener("gesturehold", function(e) {
|
|
e.preventDefault();
|
|
}, false);
|
|
}
|
|
}
|
|
else if (window.navigator["msPointerEnabled"])
|
|
{
|
|
elem.addEventListener("MSPointerDown",
|
|
function(info) {
|
|
self.onPointerStart(info);
|
|
},
|
|
false
|
|
);
|
|
elem.addEventListener("MSPointerMove",
|
|
function(info) {
|
|
self.onPointerMove(info);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener("MSPointerUp",
|
|
function(info) {
|
|
self.onPointerEnd(info, false);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener("MSPointerCancel",
|
|
function(info) {
|
|
self.onPointerEnd(info, true);
|
|
},
|
|
false
|
|
);
|
|
if (this.runtime.canvas)
|
|
{
|
|
this.runtime.canvas.addEventListener("MSGestureHold", function(e) {
|
|
e.preventDefault();
|
|
}, false);
|
|
document.addEventListener("MSGestureHold", function(e) {
|
|
e.preventDefault();
|
|
}, false);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
elem.addEventListener("touchstart",
|
|
function(info) {
|
|
self.onTouchStart(info);
|
|
},
|
|
false
|
|
);
|
|
elem.addEventListener("touchmove",
|
|
function(info) {
|
|
self.onTouchMove(info);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener("touchend",
|
|
function(info) {
|
|
self.onTouchEnd(info, false);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener("touchcancel",
|
|
function(info) {
|
|
self.onTouchEnd(info, true);
|
|
},
|
|
false
|
|
);
|
|
}
|
|
if (this.isWindows8)
|
|
{
|
|
var win8accelerometerFn = function(e) {
|
|
var reading = e["reading"];
|
|
self.acc_x = reading["accelerationX"];
|
|
self.acc_y = reading["accelerationY"];
|
|
self.acc_z = reading["accelerationZ"];
|
|
};
|
|
var win8inclinometerFn = function(e) {
|
|
var reading = e["reading"];
|
|
self.orient_alpha = reading["yawDegrees"];
|
|
self.orient_beta = reading["pitchDegrees"];
|
|
self.orient_gamma = reading["rollDegrees"];
|
|
};
|
|
var accelerometer = Windows["Devices"]["Sensors"]["Accelerometer"]["getDefault"]();
|
|
if (accelerometer)
|
|
{
|
|
accelerometer["reportInterval"] = Math.max(accelerometer["minimumReportInterval"], 16);
|
|
accelerometer.addEventListener("readingchanged", win8accelerometerFn);
|
|
}
|
|
var inclinometer = Windows["Devices"]["Sensors"]["Inclinometer"]["getDefault"]();
|
|
if (inclinometer)
|
|
{
|
|
inclinometer["reportInterval"] = Math.max(inclinometer["minimumReportInterval"], 16);
|
|
inclinometer.addEventListener("readingchanged", win8inclinometerFn);
|
|
}
|
|
document.addEventListener("visibilitychange", function(e) {
|
|
if (document["hidden"] || document["msHidden"])
|
|
{
|
|
if (accelerometer)
|
|
accelerometer.removeEventListener("readingchanged", win8accelerometerFn);
|
|
if (inclinometer)
|
|
inclinometer.removeEventListener("readingchanged", win8inclinometerFn);
|
|
}
|
|
else
|
|
{
|
|
if (accelerometer)
|
|
accelerometer.addEventListener("readingchanged", win8accelerometerFn);
|
|
if (inclinometer)
|
|
inclinometer.addEventListener("readingchanged", win8inclinometerFn);
|
|
}
|
|
}, false);
|
|
}
|
|
else
|
|
{
|
|
window.addEventListener("deviceorientation", function (eventData) {
|
|
self.orient_alpha = eventData["alpha"] || 0;
|
|
self.orient_beta = eventData["beta"] || 0;
|
|
self.orient_gamma = eventData["gamma"] || 0;
|
|
}, false);
|
|
window.addEventListener("devicemotion", function (eventData) {
|
|
if (eventData["accelerationIncludingGravity"])
|
|
{
|
|
self.acc_g_x = eventData["accelerationIncludingGravity"]["x"] || 0;
|
|
self.acc_g_y = eventData["accelerationIncludingGravity"]["y"] || 0;
|
|
self.acc_g_z = eventData["accelerationIncludingGravity"]["z"] || 0;
|
|
}
|
|
if (eventData["acceleration"])
|
|
{
|
|
self.acc_x = eventData["acceleration"]["x"] || 0;
|
|
self.acc_y = eventData["acceleration"]["y"] || 0;
|
|
self.acc_z = eventData["acceleration"]["z"] || 0;
|
|
}
|
|
}, false);
|
|
}
|
|
if (this.useMouseInput && !this.runtime.isDomFree)
|
|
{
|
|
jQuery(document).mousemove(
|
|
function(info) {
|
|
self.onMouseMove(info);
|
|
}
|
|
);
|
|
jQuery(document).mousedown(
|
|
function(info) {
|
|
self.onMouseDown(info);
|
|
}
|
|
);
|
|
jQuery(document).mouseup(
|
|
function(info) {
|
|
self.onMouseUp(info);
|
|
}
|
|
);
|
|
}
|
|
if (!this.runtime.isiOS && this.runtime.isCordova && navigator["accelerometer"] && navigator["accelerometer"]["watchAcceleration"])
|
|
{
|
|
navigator["accelerometer"]["watchAcceleration"](PhoneGapGetAcceleration, null, { "frequency": 40 });
|
|
}
|
|
this.runtime.tick2Me(this);
|
|
};
|
|
instanceProto.onPointerMove = function (info)
|
|
{
|
|
if (info["pointerType"] === info["MSPOINTER_TYPE_MOUSE"] || info["pointerType"] === "mouse")
|
|
return;
|
|
if (info.preventDefault)
|
|
info.preventDefault();
|
|
var i = this.findTouch(info["pointerId"]);
|
|
var nowtime = cr.performance_now();
|
|
if (i >= 0)
|
|
{
|
|
var offset = this.runtime.isDomFree ? dummyoffset : jQuery(this.runtime.canvas).offset();
|
|
var t = this.touches[i];
|
|
if (nowtime - t.time < 2)
|
|
return;
|
|
t.update(nowtime, info.pageX - offset.left, info.pageY - offset.top, info.width || 0, info.height || 0, info.pressure || 0);
|
|
}
|
|
};
|
|
instanceProto.onPointerStart = function (info)
|
|
{
|
|
if (info["pointerType"] === info["MSPOINTER_TYPE_MOUSE"] || info["pointerType"] === "mouse")
|
|
return;
|
|
if (info.preventDefault && cr.isCanvasInputEvent(info))
|
|
info.preventDefault();
|
|
var offset = this.runtime.isDomFree ? dummyoffset : jQuery(this.runtime.canvas).offset();
|
|
var touchx = info.pageX - offset.left;
|
|
var touchy = info.pageY - offset.top;
|
|
var nowtime = cr.performance_now();
|
|
this.trigger_index = this.touches.length;
|
|
this.trigger_id = info["pointerId"];
|
|
this.touches.push(AllocTouchInfo(touchx, touchy, info["pointerId"], this.trigger_index));
|
|
this.runtime.isInUserInputEvent = true;
|
|
this.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnNthTouchStart, this);
|
|
this.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnTouchStart, this);
|
|
this.curTouchX = touchx;
|
|
this.curTouchY = touchy;
|
|
this.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnTouchObject, this);
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.onPointerEnd = function (info, isCancel)
|
|
{
|
|
if (info["pointerType"] === info["MSPOINTER_TYPE_MOUSE"] || info["pointerType"] === "mouse")
|
|
return;
|
|
if (info.preventDefault && cr.isCanvasInputEvent(info))
|
|
info.preventDefault();
|
|
var i = this.findTouch(info["pointerId"]);
|
|
this.trigger_index = (i >= 0 ? this.touches[i].startindex : -1);
|
|
this.trigger_id = (i >= 0 ? this.touches[i]["id"] : -1);
|
|
this.runtime.isInUserInputEvent = true;
|
|
this.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnNthTouchEnd, this);
|
|
this.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnTouchEnd, this);
|
|
if (i >= 0)
|
|
{
|
|
if (!isCancel)
|
|
this.touches[i].maybeTriggerTap(this, i);
|
|
ReleaseTouchInfo(this.touches[i]);
|
|
this.touches.splice(i, 1);
|
|
}
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.onTouchMove = function (info)
|
|
{
|
|
if (info.preventDefault)
|
|
info.preventDefault();
|
|
var nowtime = cr.performance_now();
|
|
var i, len, t, u;
|
|
for (i = 0, len = info.changedTouches.length; i < len; i++)
|
|
{
|
|
t = info.changedTouches[i];
|
|
var j = this.findTouch(t["identifier"]);
|
|
if (j >= 0)
|
|
{
|
|
var offset = this.runtime.isDomFree ? dummyoffset : jQuery(this.runtime.canvas).offset();
|
|
u = this.touches[j];
|
|
if (nowtime - u.time < 2)
|
|
continue;
|
|
var touchWidth = (t.radiusX || t.webkitRadiusX || t.mozRadiusX || t.msRadiusX || 0) * 2;
|
|
var touchHeight = (t.radiusY || t.webkitRadiusY || t.mozRadiusY || t.msRadiusY || 0) * 2;
|
|
var touchForce = t.force || t.webkitForce || t.mozForce || t.msForce || 0;
|
|
u.update(nowtime, t.pageX - offset.left, t.pageY - offset.top, touchWidth, touchHeight, touchForce);
|
|
}
|
|
}
|
|
};
|
|
instanceProto.onTouchStart = function (info)
|
|
{
|
|
if (info.preventDefault && cr.isCanvasInputEvent(info))
|
|
info.preventDefault();
|
|
var offset = this.runtime.isDomFree ? dummyoffset : jQuery(this.runtime.canvas).offset();
|
|
var nowtime = cr.performance_now();
|
|
this.runtime.isInUserInputEvent = true;
|
|
var i, len, t, j;
|
|
for (i = 0, len = info.changedTouches.length; i < len; i++)
|
|
{
|
|
t = info.changedTouches[i];
|
|
j = this.findTouch(t["identifier"]);
|
|
if (j !== -1)
|
|
continue;
|
|
var touchx = t.pageX - offset.left;
|
|
var touchy = t.pageY - offset.top;
|
|
this.trigger_index = this.touches.length;
|
|
this.trigger_id = t["identifier"];
|
|
this.touches.push(AllocTouchInfo(touchx, touchy, t["identifier"], this.trigger_index));
|
|
this.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnNthTouchStart, this);
|
|
this.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnTouchStart, this);
|
|
this.curTouchX = touchx;
|
|
this.curTouchY = touchy;
|
|
this.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnTouchObject, this);
|
|
}
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.onTouchEnd = function (info, isCancel)
|
|
{
|
|
if (info.preventDefault && cr.isCanvasInputEvent(info))
|
|
info.preventDefault();
|
|
this.runtime.isInUserInputEvent = true;
|
|
var i, len, t, j;
|
|
for (i = 0, len = info.changedTouches.length; i < len; i++)
|
|
{
|
|
t = info.changedTouches[i];
|
|
j = this.findTouch(t["identifier"]);
|
|
if (j >= 0)
|
|
{
|
|
this.trigger_index = this.touches[j].startindex;
|
|
this.trigger_id = this.touches[j]["id"];
|
|
this.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnNthTouchEnd, this);
|
|
this.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnTouchEnd, this);
|
|
if (!isCancel)
|
|
this.touches[j].maybeTriggerTap(this, j);
|
|
ReleaseTouchInfo(this.touches[j]);
|
|
this.touches.splice(j, 1);
|
|
}
|
|
}
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.getAlpha = function ()
|
|
{
|
|
if (this.runtime.isCordova && this.orient_alpha === 0 && pg_accz !== 0)
|
|
return pg_accz * 90;
|
|
else
|
|
return this.orient_alpha;
|
|
};
|
|
instanceProto.getBeta = function ()
|
|
{
|
|
if (this.runtime.isCordova && this.orient_beta === 0 && pg_accy !== 0)
|
|
return pg_accy * 90;
|
|
else
|
|
return this.orient_beta;
|
|
};
|
|
instanceProto.getGamma = function ()
|
|
{
|
|
if (this.runtime.isCordova && this.orient_gamma === 0 && pg_accx !== 0)
|
|
return pg_accx * 90;
|
|
else
|
|
return this.orient_gamma;
|
|
};
|
|
var noop_func = function(){};
|
|
function isCompatibilityMouseEvent(e)
|
|
{
|
|
return (e["sourceCapabilities"] && e["sourceCapabilities"]["firesTouchEvents"]) ||
|
|
(e.originalEvent && e.originalEvent["sourceCapabilities"] && e.originalEvent["sourceCapabilities"]["firesTouchEvents"]);
|
|
};
|
|
instanceProto.onMouseDown = function(info)
|
|
{
|
|
if (isCompatibilityMouseEvent(info))
|
|
return;
|
|
var t = { pageX: info.pageX, pageY: info.pageY, "identifier": 0 };
|
|
var fakeinfo = { changedTouches: [t] };
|
|
this.onTouchStart(fakeinfo);
|
|
this.mouseDown = true;
|
|
};
|
|
instanceProto.onMouseMove = function(info)
|
|
{
|
|
if (!this.mouseDown)
|
|
return;
|
|
if (isCompatibilityMouseEvent(info))
|
|
return;
|
|
var t = { pageX: info.pageX, pageY: info.pageY, "identifier": 0 };
|
|
var fakeinfo = { changedTouches: [t] };
|
|
this.onTouchMove(fakeinfo);
|
|
};
|
|
instanceProto.onMouseUp = function(info)
|
|
{
|
|
if (info.preventDefault && this.runtime.had_a_click && !this.runtime.isMobile)
|
|
info.preventDefault();
|
|
this.runtime.had_a_click = true;
|
|
if (isCompatibilityMouseEvent(info))
|
|
return;
|
|
var t = { pageX: info.pageX, pageY: info.pageY, "identifier": 0 };
|
|
var fakeinfo = { changedTouches: [t] };
|
|
this.onTouchEnd(fakeinfo);
|
|
this.mouseDown = false;
|
|
};
|
|
instanceProto.tick2 = function()
|
|
{
|
|
var i, len, t;
|
|
var nowtime = cr.performance_now();
|
|
for (i = 0, len = this.touches.length; i < len; ++i)
|
|
{
|
|
t = this.touches[i];
|
|
if (t.time <= nowtime - 50)
|
|
t.lasttime = nowtime;
|
|
t.maybeTriggerHold(this, i);
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnTouchStart = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnTouchEnd = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsInTouch = function ()
|
|
{
|
|
return this.touches.length;
|
|
};
|
|
Cnds.prototype.OnTouchObject = function (type)
|
|
{
|
|
if (!type)
|
|
return false;
|
|
return this.runtime.testAndSelectCanvasPointOverlap(type, this.curTouchX, this.curTouchY, false);
|
|
};
|
|
var touching = [];
|
|
Cnds.prototype.IsTouchingObject = function (type)
|
|
{
|
|
if (!type)
|
|
return false;
|
|
var sol = type.getCurrentSol();
|
|
var instances = sol.getObjects();
|
|
var px, py;
|
|
var i, leni, j, lenj;
|
|
for (i = 0, leni = instances.length; i < leni; i++)
|
|
{
|
|
var inst = instances[i];
|
|
inst.update_bbox();
|
|
for (j = 0, lenj = this.touches.length; j < lenj; j++)
|
|
{
|
|
var touch = this.touches[j];
|
|
px = inst.layer.canvasToLayer(touch.x, touch.y, true);
|
|
py = inst.layer.canvasToLayer(touch.x, touch.y, false);
|
|
if (inst.contains_pt(px, py))
|
|
{
|
|
touching.push(inst);
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
if (touching.length)
|
|
{
|
|
sol.select_all = false;
|
|
cr.shallowAssignArray(sol.instances, touching);
|
|
type.applySolToContainer();
|
|
cr.clearArray(touching);
|
|
return true;
|
|
}
|
|
else
|
|
return false;
|
|
};
|
|
Cnds.prototype.CompareTouchSpeed = function (index, cmp, s)
|
|
{
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length)
|
|
return false;
|
|
var t = this.touches[index];
|
|
var dist = cr.distanceTo(t.x, t.y, t.lastx, t.lasty);
|
|
var timediff = (t.time - t.lasttime) / 1000;
|
|
var speed = 0;
|
|
if (timediff > 0)
|
|
speed = dist / timediff;
|
|
return cr.do_cmp(speed, cmp, s);
|
|
};
|
|
Cnds.prototype.OrientationSupported = function ()
|
|
{
|
|
return typeof window["DeviceOrientationEvent"] !== "undefined";
|
|
};
|
|
Cnds.prototype.MotionSupported = function ()
|
|
{
|
|
return typeof window["DeviceMotionEvent"] !== "undefined";
|
|
};
|
|
Cnds.prototype.CompareOrientation = function (orientation_, cmp_, angle_)
|
|
{
|
|
var v = 0;
|
|
if (orientation_ === 0)
|
|
v = this.getAlpha();
|
|
else if (orientation_ === 1)
|
|
v = this.getBeta();
|
|
else
|
|
v = this.getGamma();
|
|
return cr.do_cmp(v, cmp_, angle_);
|
|
};
|
|
Cnds.prototype.CompareAcceleration = function (acceleration_, cmp_, angle_)
|
|
{
|
|
var v = 0;
|
|
if (acceleration_ === 0)
|
|
v = this.acc_g_x;
|
|
else if (acceleration_ === 1)
|
|
v = this.acc_g_y;
|
|
else if (acceleration_ === 2)
|
|
v = this.acc_g_z;
|
|
else if (acceleration_ === 3)
|
|
v = this.acc_x;
|
|
else if (acceleration_ === 4)
|
|
v = this.acc_y;
|
|
else if (acceleration_ === 5)
|
|
v = this.acc_z;
|
|
return cr.do_cmp(v, cmp_, angle_);
|
|
};
|
|
Cnds.prototype.OnNthTouchStart = function (touch_)
|
|
{
|
|
touch_ = Math.floor(touch_);
|
|
return touch_ === this.trigger_index;
|
|
};
|
|
Cnds.prototype.OnNthTouchEnd = function (touch_)
|
|
{
|
|
touch_ = Math.floor(touch_);
|
|
return touch_ === this.trigger_index;
|
|
};
|
|
Cnds.prototype.HasNthTouch = function (touch_)
|
|
{
|
|
touch_ = Math.floor(touch_);
|
|
return this.touches.length >= touch_ + 1;
|
|
};
|
|
Cnds.prototype.OnHoldGesture = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnTapGesture = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnDoubleTapGesture = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnHoldGestureObject = function (type)
|
|
{
|
|
if (!type)
|
|
return false;
|
|
return this.runtime.testAndSelectCanvasPointOverlap(type, this.curTouchX, this.curTouchY, false);
|
|
};
|
|
Cnds.prototype.OnTapGestureObject = function (type)
|
|
{
|
|
if (!type)
|
|
return false;
|
|
return this.runtime.testAndSelectCanvasPointOverlap(type, this.curTouchX, this.curTouchY, false);
|
|
};
|
|
Cnds.prototype.OnDoubleTapGestureObject = function (type)
|
|
{
|
|
if (!type)
|
|
return false;
|
|
return this.runtime.testAndSelectCanvasPointOverlap(type, this.curTouchX, this.curTouchY, false);
|
|
};
|
|
Cnds.prototype.OnPermissionGranted = function (type)
|
|
{
|
|
return this.trigger_permission === type;
|
|
};
|
|
Cnds.prototype.OnPermissionDenied = function (type)
|
|
{
|
|
return this.trigger_permission === type;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.RequestPermission = function (type)
|
|
{
|
|
var self = this;
|
|
var promise = Promise.resolve(true);
|
|
if (type === 0) // orientation
|
|
{
|
|
if (window["DeviceOrientationEvent"] && window["DeviceOrientationEvent"]["requestPermission"])
|
|
{
|
|
promise = window["DeviceOrientationEvent"]["requestPermission"]()
|
|
.then(function (state)
|
|
{
|
|
return state === "granted";
|
|
});
|
|
}
|
|
}
|
|
else // motion
|
|
{
|
|
if (window["DeviceMotionEvent"] && window["DeviceMotionEvent"]["requestPermission"])
|
|
{
|
|
promise = window["DeviceMotionEvent"]["requestPermission"]()
|
|
.then(function (state)
|
|
{
|
|
return state === "granted";
|
|
});
|
|
}
|
|
}
|
|
promise.then(function (result)
|
|
{
|
|
self.trigger_permission = type;
|
|
if (result)
|
|
self.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnPermissionGranted, self);
|
|
else
|
|
self.runtime.trigger(cr.plugins_.Touch.prototype.cnds.OnPermissionDenied, self);
|
|
});
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.TouchCount = function (ret)
|
|
{
|
|
ret.set_int(this.touches.length);
|
|
};
|
|
Exps.prototype.X = function (ret, layerparam)
|
|
{
|
|
var index = this.getTouchIndex;
|
|
if (index < 0 || index >= this.touches.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var layer, oldScale, oldZoomRate, oldParallaxX, oldAngle;
|
|
if (cr.is_undefined(layerparam))
|
|
{
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxX = layer.parallaxX;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxX = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(layer.canvasToLayer(this.touches[index].x, this.touches[index].y, true));
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxX = oldParallaxX;
|
|
layer.angle = oldAngle;
|
|
}
|
|
else
|
|
{
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else
|
|
layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
ret.set_float(layer.canvasToLayer(this.touches[index].x, this.touches[index].y, true));
|
|
else
|
|
ret.set_float(0);
|
|
}
|
|
};
|
|
Exps.prototype.XAt = function (ret, index, layerparam)
|
|
{
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var layer, oldScale, oldZoomRate, oldParallaxX, oldAngle;
|
|
if (cr.is_undefined(layerparam))
|
|
{
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxX = layer.parallaxX;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxX = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(layer.canvasToLayer(this.touches[index].x, this.touches[index].y, true));
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxX = oldParallaxX;
|
|
layer.angle = oldAngle;
|
|
}
|
|
else
|
|
{
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else
|
|
layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
ret.set_float(layer.canvasToLayer(this.touches[index].x, this.touches[index].y, true));
|
|
else
|
|
ret.set_float(0);
|
|
}
|
|
};
|
|
Exps.prototype.XForID = function (ret, id, layerparam)
|
|
{
|
|
var index = this.findTouch(id);
|
|
if (index < 0)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
var layer, oldScale, oldZoomRate, oldParallaxX, oldAngle;
|
|
if (cr.is_undefined(layerparam))
|
|
{
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxX = layer.parallaxX;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxX = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(layer.canvasToLayer(touch.x, touch.y, true));
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxX = oldParallaxX;
|
|
layer.angle = oldAngle;
|
|
}
|
|
else
|
|
{
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else
|
|
layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
ret.set_float(layer.canvasToLayer(touch.x, touch.y, true));
|
|
else
|
|
ret.set_float(0);
|
|
}
|
|
};
|
|
Exps.prototype.Y = function (ret, layerparam)
|
|
{
|
|
var index = this.getTouchIndex;
|
|
if (index < 0 || index >= this.touches.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var layer, oldScale, oldZoomRate, oldParallaxY, oldAngle;
|
|
if (cr.is_undefined(layerparam))
|
|
{
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxY = layer.parallaxY;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxY = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(layer.canvasToLayer(this.touches[index].x, this.touches[index].y, false));
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxY = oldParallaxY;
|
|
layer.angle = oldAngle;
|
|
}
|
|
else
|
|
{
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else
|
|
layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
ret.set_float(layer.canvasToLayer(this.touches[index].x, this.touches[index].y, false));
|
|
else
|
|
ret.set_float(0);
|
|
}
|
|
};
|
|
Exps.prototype.YAt = function (ret, index, layerparam)
|
|
{
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var layer, oldScale, oldZoomRate, oldParallaxY, oldAngle;
|
|
if (cr.is_undefined(layerparam))
|
|
{
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxY = layer.parallaxY;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxY = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(layer.canvasToLayer(this.touches[index].x, this.touches[index].y, false));
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxY = oldParallaxY;
|
|
layer.angle = oldAngle;
|
|
}
|
|
else
|
|
{
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else
|
|
layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
ret.set_float(layer.canvasToLayer(this.touches[index].x, this.touches[index].y, false));
|
|
else
|
|
ret.set_float(0);
|
|
}
|
|
};
|
|
Exps.prototype.YForID = function (ret, id, layerparam)
|
|
{
|
|
var index = this.findTouch(id);
|
|
if (index < 0)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
var layer, oldScale, oldZoomRate, oldParallaxY, oldAngle;
|
|
if (cr.is_undefined(layerparam))
|
|
{
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxY = layer.parallaxY;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxY = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(layer.canvasToLayer(touch.x, touch.y, false));
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxY = oldParallaxY;
|
|
layer.angle = oldAngle;
|
|
}
|
|
else
|
|
{
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else
|
|
layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
ret.set_float(layer.canvasToLayer(touch.x, touch.y, false));
|
|
else
|
|
ret.set_float(0);
|
|
}
|
|
};
|
|
Exps.prototype.AbsoluteX = function (ret)
|
|
{
|
|
if (this.touches.length)
|
|
ret.set_float(this.touches[0].x);
|
|
else
|
|
ret.set_float(0);
|
|
};
|
|
Exps.prototype.AbsoluteXAt = function (ret, index)
|
|
{
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
ret.set_float(this.touches[index].x);
|
|
};
|
|
Exps.prototype.AbsoluteXForID = function (ret, id)
|
|
{
|
|
var index = this.findTouch(id);
|
|
if (index < 0)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
ret.set_float(touch.x);
|
|
};
|
|
Exps.prototype.AbsoluteY = function (ret)
|
|
{
|
|
if (this.touches.length)
|
|
ret.set_float(this.touches[0].y);
|
|
else
|
|
ret.set_float(0);
|
|
};
|
|
Exps.prototype.AbsoluteYAt = function (ret, index)
|
|
{
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
ret.set_float(this.touches[index].y);
|
|
};
|
|
Exps.prototype.AbsoluteYForID = function (ret, id)
|
|
{
|
|
var index = this.findTouch(id);
|
|
if (index < 0)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
ret.set_float(touch.y);
|
|
};
|
|
Exps.prototype.SpeedAt = function (ret, index)
|
|
{
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var t = this.touches[index];
|
|
var dist = cr.distanceTo(t.x, t.y, t.lastx, t.lasty);
|
|
var timediff = (t.time - t.lasttime) / 1000;
|
|
if (timediff <= 0)
|
|
ret.set_float(0);
|
|
else
|
|
ret.set_float(dist / timediff);
|
|
};
|
|
Exps.prototype.SpeedForID = function (ret, id)
|
|
{
|
|
var index = this.findTouch(id);
|
|
if (index < 0)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
var dist = cr.distanceTo(touch.x, touch.y, touch.lastx, touch.lasty);
|
|
var timediff = (touch.time - touch.lasttime) / 1000;
|
|
if (timediff <= 0)
|
|
ret.set_float(0);
|
|
else
|
|
ret.set_float(dist / timediff);
|
|
};
|
|
Exps.prototype.AngleAt = function (ret, index)
|
|
{
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var t = this.touches[index];
|
|
ret.set_float(cr.to_degrees(cr.angleTo(t.lastx, t.lasty, t.x, t.y)));
|
|
};
|
|
Exps.prototype.AngleForID = function (ret, id)
|
|
{
|
|
var index = this.findTouch(id);
|
|
if (index < 0)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
ret.set_float(cr.to_degrees(cr.angleTo(touch.lastx, touch.lasty, touch.x, touch.y)));
|
|
};
|
|
Exps.prototype.Alpha = function (ret)
|
|
{
|
|
ret.set_float(this.getAlpha());
|
|
};
|
|
Exps.prototype.Beta = function (ret)
|
|
{
|
|
ret.set_float(this.getBeta());
|
|
};
|
|
Exps.prototype.Gamma = function (ret)
|
|
{
|
|
ret.set_float(this.getGamma());
|
|
};
|
|
Exps.prototype.AccelerationXWithG = function (ret)
|
|
{
|
|
ret.set_float(this.acc_g_x);
|
|
};
|
|
Exps.prototype.AccelerationYWithG = function (ret)
|
|
{
|
|
ret.set_float(this.acc_g_y);
|
|
};
|
|
Exps.prototype.AccelerationZWithG = function (ret)
|
|
{
|
|
ret.set_float(this.acc_g_z);
|
|
};
|
|
Exps.prototype.AccelerationX = function (ret)
|
|
{
|
|
ret.set_float(this.acc_x);
|
|
};
|
|
Exps.prototype.AccelerationY = function (ret)
|
|
{
|
|
ret.set_float(this.acc_y);
|
|
};
|
|
Exps.prototype.AccelerationZ = function (ret)
|
|
{
|
|
ret.set_float(this.acc_z);
|
|
};
|
|
Exps.prototype.TouchIndex = function (ret)
|
|
{
|
|
ret.set_int(this.trigger_index);
|
|
};
|
|
Exps.prototype.TouchID = function (ret)
|
|
{
|
|
ret.set_float(this.trigger_id);
|
|
};
|
|
Exps.prototype.WidthForID = function (ret, id)
|
|
{
|
|
var index = this.findTouch(id);
|
|
if (index < 0)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
ret.set_float(touch.width);
|
|
};
|
|
Exps.prototype.HeightForID = function (ret, id)
|
|
{
|
|
var index = this.findTouch(id);
|
|
if (index < 0)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
ret.set_float(touch.height);
|
|
};
|
|
Exps.prototype.PressureForID = function (ret, id)
|
|
{
|
|
var index = this.findTouch(id);
|
|
if (index < 0)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
ret.set_float(touch.pressure);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
if( window === undefined )
|
|
{
|
|
var window = ("undefined" == typeof window) ?
|
|
("undefined" == typeof global) ?
|
|
("undefined" == typeof self) ?
|
|
this
|
|
:self
|
|
:global
|
|
:window;
|
|
}
|
|
var __CONSTRUCT2_RUNTIME2__ = true;
|
|
var __CONSTRUCT3_RUNTIME2__ = false;
|
|
var __CONSTRUCT3_RUNTIME3__ = false;
|
|
var __DEBUG__ = false;
|
|
;
|
|
;
|
|
cr.plugins_.ValerypopoffJSPlugin = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.ValerypopoffJSPlugin.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.returnValue = undefined;
|
|
this.sciptsToLoad = 0;
|
|
this.Aliases = {};
|
|
this.construct_compare_function_prefix = "ConstructCompare_";
|
|
this.AliasDotpartsCache =
|
|
{
|
|
count: 0,
|
|
max_count: 4096,
|
|
Dotparts: {},
|
|
AliasNames: {},
|
|
AliasTrailers: {},
|
|
IsAlias: {}
|
|
};
|
|
this.NonAliasDotpartsCache =
|
|
{
|
|
count: 0,
|
|
max_count: 2048,
|
|
Dotparts: {}
|
|
};
|
|
function AddScriptToPage(this_, nameOfExternalScript)
|
|
{
|
|
if( document === undefined )
|
|
{
|
|
this_.ShowError(
|
|
{
|
|
debug_caller: "Including '"+ nameOfExternalScript +"' script to the page",
|
|
caller_name: "Including '"+ nameOfExternalScript +"' script to the page",
|
|
error_message: "'document' is not defined. You're probably launching the game in a Worker. Workers are not supported yet. Export project with 'Use worker' option unchecked in the 'Advanced' section of the 'Project properties' panel."
|
|
});
|
|
return;
|
|
}
|
|
/*
|
|
if( window.jQuery && window.jQuery.ajax )
|
|
{
|
|
$.ajax(
|
|
{
|
|
url: nameOfExternalScript,
|
|
dataType: "script",
|
|
async: false,
|
|
success: function()
|
|
{
|
|
this_.sciptsToLoad-- ;
|
|
},
|
|
error: function(XMLHttpRequest)
|
|
{
|
|
this_.ShowError(
|
|
{
|
|
debug_caller: "Including '"+ nameOfExternalScript +"' script to the page",
|
|
caller_name: "Including '"+ nameOfExternalScript +"' script to the page",
|
|
error_message: XMLHttpRequest.status
|
|
});
|
|
}
|
|
});
|
|
} else */
|
|
{
|
|
var myScriptTag = document.createElement('script');
|
|
myScriptTag.setAttribute("type","text/javascript");
|
|
myScriptTag.setAttribute("src", nameOfExternalScript);
|
|
myScriptTag.onreadystatechange = function ()
|
|
{
|
|
if (this.readyState == 'complete')
|
|
this_.sciptsToLoad--;
|
|
}
|
|
myScriptTag.onload = function(){ this_.sciptsToLoad--; };
|
|
myScriptTag.onerror = function()
|
|
{
|
|
this_.ShowError(
|
|
{
|
|
debug_caller: "Including '"+ nameOfExternalScript +"' script to the page",
|
|
caller_name: "Including '"+ nameOfExternalScript +"' script to the page",
|
|
error_message: "Probably file not found"
|
|
});
|
|
};
|
|
document.getElementsByTagName("head")[0].appendChild(myScriptTag);
|
|
}
|
|
}
|
|
if( this.properties[0] != "" )
|
|
{
|
|
var lines = [];
|
|
if( __CONSTRUCT2_RUNTIME2__ )
|
|
lines = this.properties[0].split(';');
|
|
else
|
|
lines = this.properties[0].split(/[;\n\r]/);
|
|
for(var i=0; i<lines.length; i++)
|
|
{
|
|
lines[i] = lines[i].trim();
|
|
if( lines[i].length == 0 )
|
|
{
|
|
continue;
|
|
}
|
|
this.sciptsToLoad++;
|
|
if( __CONSTRUCT2_RUNTIME2__ )
|
|
{
|
|
AddScriptToPage(this, lines[i]);
|
|
}
|
|
if( __CONSTRUCT3_RUNTIME2__ )
|
|
{
|
|
AddScriptToPage(this, this.runtime.getLocalFileUrl( lines[i] ) );
|
|
}
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
{
|
|
var this_ = this;
|
|
if( this_._runtime.GetAssetManager().LoadProjectFileUrl !== undefined )
|
|
{
|
|
this_._runtime.GetAssetManager().LoadProjectFileUrl( lines[i] )
|
|
.then(function(url)
|
|
{
|
|
AddScriptToPage(this_, url)
|
|
}, function(err)
|
|
{
|
|
this_.ShowError(
|
|
{
|
|
debug_caller: "Including '"+ lines[i] +"' script to the page",
|
|
caller_name: "Including '"+ lines[i] +"' script to the page",
|
|
error_message: err.message
|
|
});
|
|
}).catch(function(err)
|
|
{
|
|
this_.ShowError(
|
|
{
|
|
debug_caller: "Including '"+ lines[i] +"' script to the page",
|
|
caller_name: "Including '"+ lines[i] +"' script to the page",
|
|
error_message: err.message
|
|
});
|
|
})
|
|
}
|
|
else
|
|
{
|
|
AddScriptToPage(this_, this_._runtime.GetAssetManager().GetLocalFileUrl( lines[i] ));
|
|
}
|
|
}
|
|
}
|
|
}
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function (glw)
|
|
{
|
|
};
|
|
var IsValidIdentifier = function(name_)
|
|
{
|
|
var fnNameRegex = /^[$A-Z_][0-9A-Z_$]*$/i;
|
|
return fnNameRegex.test( name_ );
|
|
}
|
|
var DotStringToDotArray = function( str_ )
|
|
{
|
|
var SplitArray = [];
|
|
var left = 0;
|
|
var right = 0;
|
|
for( var i=0, str_length=str_.length; i<str_length; i++ )
|
|
{
|
|
if( str_[i] == '[' )
|
|
{
|
|
left++;
|
|
continue;
|
|
}
|
|
if( str_[i] == ']' )
|
|
{
|
|
right++;
|
|
continue;
|
|
}
|
|
if( str_[i] == '.' && (left == right) )
|
|
{
|
|
SplitArray.push(i);
|
|
}
|
|
}
|
|
var Dotparts = [];
|
|
var splitArrayLengthMinusOne = SplitArray.length-1;
|
|
SplitArray.forEach( function(currentValue, index, arr)
|
|
{
|
|
var prevValue = SplitArray[index-1];
|
|
var substr = str_.substring( prevValue+1, currentValue );
|
|
if( substr != "" ) Dotparts.push( substr );
|
|
if( index == splitArrayLengthMinusOne )
|
|
{
|
|
substr = str_.substring( currentValue+1 );
|
|
if( substr != "" ) Dotparts.push( substr );
|
|
}
|
|
});
|
|
if( Dotparts.length == 0 )
|
|
{
|
|
Dotparts.push( str_ )
|
|
}
|
|
Dotparts.forEach( function(currentValue, index, arr)
|
|
{
|
|
if( currentValue[0] == '[' )
|
|
arr[index] = DotStringToDotArray( currentValue.substring(1, currentValue.length-1) ) ;
|
|
});
|
|
return Dotparts;
|
|
}
|
|
var HashtagParamsToCode = function(code_, params_)
|
|
{
|
|
code_ = code_.replace( /#[0-9]+/g, function(str)
|
|
{
|
|
var temp = params_[ str.substr(1) ];
|
|
if (typeof temp === "string")
|
|
return "'" + temp + "'";
|
|
else
|
|
return temp;
|
|
}
|
|
);
|
|
return code_;
|
|
}
|
|
var MakeCallString = function (funcname_,funcparams_)
|
|
{
|
|
var callstring = funcname_ + "(";
|
|
if (funcparams_)
|
|
for (var i=0, funcparams_length=funcparams_.length; i<funcparams_length; ++i)
|
|
{
|
|
if (typeof funcparams_[i] === "string")
|
|
callstring = callstring + "'" + funcparams_[i] + "'";
|
|
else
|
|
callstring = callstring + funcparams_[i];
|
|
if( i != funcparams_.length-1 )
|
|
callstring = callstring + ",";
|
|
}
|
|
callstring = callstring + ")";
|
|
return callstring;
|
|
}
|
|
var InstanceFunctionsObject = {
|
|
Value( caller_name_, params_ )
|
|
{
|
|
/*
|
|
var params_ = Array.prototype.slice.call(arguments);
|
|
var ret;
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
ret = {set_int: function(){}, set_float: function(){}, set_string: function(){}, set_any: function(){}};
|
|
else
|
|
{
|
|
ret = params_[0];
|
|
for( var i=0; i<params_.length-1; i++ )
|
|
params_[i] = params_[i+1];
|
|
params_.pop();
|
|
}
|
|
*/
|
|
var alias_exp_ = params_[0];
|
|
params_.splice(0, 1);
|
|
var store_return_value_ = false;
|
|
var final = this.ParseJS(alias_exp_, true, caller_name_);
|
|
/*
|
|
if( !final.alias_found )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "Value",
|
|
caller_name: caller_name_,
|
|
error_message: "No such alias '" + final.trimmed_code + "'"
|
|
}
|
|
this.ShowError( info );
|
|
ret.set_any( undefined );
|
|
return;
|
|
}*/
|
|
if( final.error )
|
|
{
|
|
ret.set_any( undefined );
|
|
return;
|
|
}
|
|
var jsret = undefined;
|
|
try
|
|
{
|
|
jsret = final.end;
|
|
} catch(err)
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "Value",
|
|
caller_name: caller_name_,
|
|
"show-alias-expression": final.alias_found,
|
|
alias_expression: final.trimmed_code,
|
|
error_message: err.message
|
|
}
|
|
this.ShowError( info );
|
|
ret.set_any( undefined );
|
|
return;
|
|
}
|
|
if( typeof final.end == "function" )
|
|
jsret = this.CallJSfunction(alias_exp_, params_, store_return_value_, caller_name_, final );
|
|
return jsret;
|
|
},
|
|
CallJSfunction: function(funcname_, funcparams_, store_return_value_, caller_name_, final_)
|
|
{
|
|
if( store_return_value_ === undefined )
|
|
store_return_value_ = true;
|
|
if( caller_name_ === undefined )
|
|
caller_name_ = "'Call function' action";
|
|
if( final_ === undefined )
|
|
var final = this.ParseJS( funcname_, true, caller_name_ );
|
|
else
|
|
var final = final_;
|
|
if( final.error )
|
|
{
|
|
return;
|
|
}
|
|
if( funcname_.indexOf("(") >= 0 || funcname_.indexOf(")") >= 0 )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "CallJSfunction",
|
|
caller_name: caller_name_,
|
|
error_message: "'" + final.trimmed_code + "' must be a function name, not a function call. Remove parentheses."
|
|
}
|
|
if( final.alias_found )
|
|
{
|
|
info["show-alias-expression"] = true;
|
|
info.alias_expression = final.trimmed_code;
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
var ret = undefined;
|
|
try
|
|
{
|
|
ret = final.end.apply(final.context, funcparams_);
|
|
} catch(err)
|
|
{
|
|
if (err instanceof TypeError && err.message.indexOf("apply") >= 0 && err.message.indexOf("undefined") >= 0 )
|
|
err.message = funcname_ + " is undefined";
|
|
var info =
|
|
{
|
|
debug_caller: "CallJSfunction",
|
|
caller_name: caller_name_,
|
|
error_message: err.message
|
|
}
|
|
if( final.alias_found )
|
|
{
|
|
info["show-alias-expression"] = true;
|
|
info.alias_expression = MakeCallString(final.trimmed_code, funcparams_);
|
|
info["show-code"] = true,
|
|
info.code = MakeCallString(this.Aliases[final.alias_name].js + final.alias_trailer, funcparams_);
|
|
}
|
|
else
|
|
{
|
|
info["show-code"] = true,
|
|
info.code = MakeCallString(final.trimmed_code, funcparams_);
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
if( store_return_value_ )
|
|
this.returnValue = ret;
|
|
return ret;
|
|
},
|
|
CallAlias: function(alias_exp_, funcparams_, store_return_value_, caller_name_)
|
|
{
|
|
if( store_return_value_ === undefined )
|
|
store_return_value_ = true;
|
|
if( caller_name_ === undefined )
|
|
caller_name_ = "'Call alias' action";
|
|
var final = this.ParseJS(alias_exp_, true, caller_name_);
|
|
/*
|
|
if( !final.alias_found )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "CallAlias",
|
|
caller_name: caller_name_,
|
|
error_message: "No such alias '" + final.trimmed_code + "'"
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
*/
|
|
if( final.error )
|
|
return;
|
|
var ret = this.CallJSfunction(this.Aliases[final.alias_name].js + final.alias_trailer, funcparams_, store_return_value_, caller_name_, final );
|
|
return ret;
|
|
},
|
|
ShowError: function( info )
|
|
{
|
|
var error_str = "ValerypopoffJS plugin: Error in " + info.caller_name + "\n";
|
|
error_str += "--------------------- \n";
|
|
if( __DEBUG__ )
|
|
{
|
|
error_str += "DEBUG CALLER: " + info.debug_caller + "\n";
|
|
error_str += "--------------------- \n";
|
|
}
|
|
if( info["show-alias-expression"] )
|
|
{
|
|
error_str += "Alias expression: " + info.alias_expression + "\n";
|
|
error_str += "--------------------- \n";
|
|
}
|
|
if( info["show-code"] )
|
|
{
|
|
error_str += "JS code: " + info.code + "\n";
|
|
error_str += "--------------------- \n";
|
|
}
|
|
error_str += info.error_message;
|
|
console.error( error_str );
|
|
},
|
|
Resolve: function( dotparts_, caller_name_, code_, alias_name_, alias_trailer_ )
|
|
{
|
|
var context = window;
|
|
var end = context;
|
|
var endname = "";
|
|
for( var i=0, dotparts_length=dotparts_.length; i<dotparts_length; i++ )
|
|
{
|
|
endname = dotparts_[i];
|
|
if( typeof(endname) == "object" )
|
|
{
|
|
var temp = this.Resolve( endname, caller_name_, code_, alias_name_, alias_trailer_ );
|
|
if( temp.error ) return {error: true}
|
|
endname = temp.end;
|
|
try
|
|
{
|
|
end = end[endname];
|
|
}
|
|
catch(err)
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "Resolve",
|
|
caller_name: caller_name_,
|
|
error_message: err.message,
|
|
"show-code": true,
|
|
code: code_
|
|
}
|
|
if( alias_name_ )
|
|
{
|
|
info["show-alias-expression"] = true;
|
|
info.code = this.Aliases[alias_name_].js + alias_trailer_;
|
|
info.alias_expression = code_;
|
|
}
|
|
this.ShowError( info );
|
|
return {error: true}
|
|
}
|
|
} else
|
|
{
|
|
try
|
|
{
|
|
if(context == window)
|
|
{
|
|
if( !IsValidIdentifier(endname) )
|
|
{
|
|
if( endname[0] == '\'' )
|
|
endname = endname.substring(1, endname.length-1);
|
|
end = endname;
|
|
}
|
|
else
|
|
{
|
|
end = end[endname];
|
|
}
|
|
}
|
|
else
|
|
{
|
|
end = end[endname];
|
|
}
|
|
}
|
|
catch(err)
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "Resolve",
|
|
caller_name: caller_name_,
|
|
error_message: err.message,
|
|
"show-code": true,
|
|
code: code_
|
|
}
|
|
if( alias_name_ )
|
|
{
|
|
info["show-alias-expression"] = true;
|
|
info.code = this.Aliases[alias_name_].js + alias_trailer_;
|
|
info.alias_expression = code_;
|
|
}
|
|
this.ShowError( info );
|
|
return {error: true}
|
|
}
|
|
}
|
|
if( i<dotparts_length-1 )
|
|
context = end;
|
|
}
|
|
return { error: false, context: context, end: end, endname: endname };
|
|
},
|
|
ParseJS: function(code_, is_alias_, caller_name_)
|
|
{
|
|
var alias_found = false;
|
|
var alias_name = undefined;
|
|
var alias_trailer = undefined;
|
|
var Dotparts = [];
|
|
var cache = undefined;
|
|
var trimmed_code = code_.trim().replace(/\s*([\.\[\]])\s*/g, "$1");
|
|
cache = this.AliasDotpartsCache;
|
|
if( cache.Dotparts[ trimmed_code ] )
|
|
{
|
|
Dotparts = cache.Dotparts[ trimmed_code ];
|
|
if( cache.IsAlias[ trimmed_code ] )
|
|
{
|
|
alias_found = true;
|
|
alias_name = cache.AliasNames[ trimmed_code ];
|
|
alias_trailer = cache.AliasTrailers[ trimmed_code ];
|
|
}
|
|
}
|
|
else
|
|
{
|
|
{
|
|
alias_name = trimmed_code.split(/[\.\[]/)[0];
|
|
alias_trailer = trimmed_code.substring( alias_name.length );
|
|
if( this.Aliases[alias_name] )
|
|
{
|
|
alias_found = true;
|
|
if( alias_trailer )
|
|
Dotparts = DotStringToDotArray( this.Aliases[alias_name].dotstring + alias_trailer.split('[').join(".[") );
|
|
else
|
|
Dotparts = DotStringToDotArray( this.Aliases[alias_name].dotstring );
|
|
} else
|
|
{
|
|
alias_name = undefined;
|
|
alias_trailer = undefined;
|
|
Dotparts = DotStringToDotArray( trimmed_code.split('[').join(".[") );
|
|
}
|
|
/*
|
|
return {
|
|
error: true,
|
|
alias_found: alias_found,
|
|
trimmed_code: trimmed_code,
|
|
alias_name: alias_name,
|
|
alias_trailer: alias_trailer
|
|
};
|
|
*/
|
|
}
|
|
/*
|
|
else
|
|
{
|
|
Dotparts = DotStringToDotArray( trimmed_code.split('[').join(".[") );
|
|
}
|
|
*/
|
|
if( cache.count >= cache.max_count )
|
|
for( var i in cache.Dotparts )
|
|
{
|
|
delete cache.Dotparts[i];
|
|
if( cache.IsAlias[ i ] )
|
|
{
|
|
delete cache.AliasNames[ i ];
|
|
delete cache.AliasTrailers[ i ];
|
|
delete cache.IsAlias[ i ];
|
|
}
|
|
cache.count--;
|
|
if(cache.count <= cache.max_count)
|
|
break;
|
|
}
|
|
cache.Dotparts[ trimmed_code ] = Dotparts;
|
|
if( alias_found )
|
|
{
|
|
cache.AliasNames[ trimmed_code ] = alias_name;
|
|
cache.AliasTrailers[ trimmed_code ] = alias_trailer;
|
|
cache.IsAlias[ trimmed_code ] = true;
|
|
}
|
|
cache.count++;
|
|
}
|
|
var Result = this.Resolve( Dotparts, caller_name_, trimmed_code, alias_name, alias_trailer );
|
|
return {
|
|
error: Result.error,
|
|
end: Result.end,
|
|
endname: Result.endname,
|
|
context: Result.context,
|
|
trimmed_code: trimmed_code,
|
|
alias_found: alias_found,
|
|
alias_name: alias_name,
|
|
alias_trailer: alias_trailer
|
|
};
|
|
}
|
|
}
|
|
for( var k in InstanceFunctionsObject )
|
|
{
|
|
instanceProto[k] = InstanceFunctionsObject[k];
|
|
}
|
|
function Cnds() {};
|
|
var CndsObject =
|
|
{
|
|
C2CompareFunctionReturnValue: function(value_, cmp_, funcname_, funcparams_)
|
|
{
|
|
switch( cmp_ )
|
|
{
|
|
case 2: cmp_=4; break;
|
|
case 3: cmp_=5; break;
|
|
case 4: cmp_=2; break;
|
|
case 5: cmp_=3; break;
|
|
}
|
|
return this.CNDS.CompareFunctionReturnValue.call( this, funcname_, funcparams_, cmp_, value_ );
|
|
},
|
|
C2CompareAliasCallReturnValue: function(value_, cmp_, alias_exp_, funcparams_)
|
|
{
|
|
switch( cmp_ )
|
|
{
|
|
case 2: cmp_=4; break;
|
|
case 3: cmp_=5; break;
|
|
case 4: cmp_=2; break;
|
|
case 5: cmp_=3; break;
|
|
}
|
|
return this.CNDS.CompareAliasCallReturnValue.call( this, alias_exp_, funcparams_, cmp_, value_ );
|
|
},
|
|
C2CompareExecReturnWithParams: function(value_, cmp_, code_, params_)
|
|
{
|
|
switch( cmp_ )
|
|
{
|
|
case 2: cmp_=4; break;
|
|
case 3: cmp_=5; break;
|
|
case 4: cmp_=2; break;
|
|
case 5: cmp_=3; break;
|
|
}
|
|
return this.CNDS.CompareExecReturnWithParams.call( this, code_, params_, cmp_, value_ );
|
|
},
|
|
C2CompareValue: function(value_, cmp_, alias_exp_, funcparams_)
|
|
{
|
|
switch( cmp_ )
|
|
{
|
|
case 2: cmp_=4; break;
|
|
case 3: cmp_=5; break;
|
|
case 4: cmp_=2; break;
|
|
case 5: cmp_=3; break;
|
|
}
|
|
return this.CNDS.CompareValue.call(this, alias_exp_, funcparams_, cmp_, value_)
|
|
},
|
|
CompareExecReturnWithParams: function(code_, params_, cmp_, value_)
|
|
{
|
|
var ret = undefined;
|
|
var caller_name_ = "'Compare JS code Completion value' condition";
|
|
if( params_.length )
|
|
code_ = HashtagParamsToCode(code_, params_);
|
|
try
|
|
{
|
|
ret = eval(code_);
|
|
} catch(err)
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "CompareExecReturnWithParams",
|
|
caller_name: caller_name_,
|
|
error_message: err.message,
|
|
"show-code": true,
|
|
code: code_
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
if( typeof ret === "boolean" )
|
|
ret = ret ? 1 : 0;
|
|
return cr.do_cmp(ret, cmp_, value_);
|
|
},
|
|
CompareFunctionReturnValue: function(funcname_, funcparams_, cmp_, value_)
|
|
{
|
|
var store_return_value_ = false;
|
|
var ret = undefined;
|
|
ret = this.CallJSfunction(funcname_, funcparams_, store_return_value_, "'Compare Function return value' condition" );
|
|
if( typeof ret === "boolean" )
|
|
ret = ret ? 1 : 0;
|
|
return cr.do_cmp(ret, cmp_, value_);
|
|
},
|
|
CompareStoredReturnValue: function(cmp_, value_)
|
|
{
|
|
var ret = this.returnValue;
|
|
if( typeof ret === "boolean" )
|
|
ret = ret ? 1 : 0;
|
|
return cr.do_cmp(ret, cmp_, value_);
|
|
},
|
|
AllScriptsLoaded: function()
|
|
{
|
|
return ( this.sciptsToLoad <= 0 ) ? true : false;
|
|
},
|
|
CompareValue: function(alias_exp_, funcparams_, cmp_, value_)
|
|
{
|
|
var ret = undefined;
|
|
var caller_name = "'Compare Value' condition";
|
|
ret = this.Value( caller_name, [].concat(alias_exp_, funcparams_) );
|
|
if( typeof ret === "boolean" )
|
|
ret = ret ? 1 : 0;
|
|
return cr.do_cmp(ret, cmp_, value_);
|
|
},
|
|
CompareAliasValue: function(alias_exp_, cmp_, value_)
|
|
{
|
|
var caller_name_ = "'Compare alias' condition";
|
|
var store_return_value_ = false;
|
|
var final = this.ParseJS(alias_exp_, true, "'Set alias' action");
|
|
if( !final.alias_found )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "CompareAliasValue",
|
|
caller_name: caller_name_,
|
|
error_message: "No such alias '" + alias_exp_ + "'"
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
if( final.error )
|
|
{
|
|
return;
|
|
}
|
|
var custom_method = final.context[ this.construct_compare_function_prefix + final.endname ];
|
|
if( custom_method && typeof(final.context) == "object" )
|
|
{
|
|
try
|
|
{
|
|
return custom_method.call( final.context, cmp_, value_ );
|
|
} catch(err)
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "CompareAliasValue",
|
|
caller_name: caller_name_,
|
|
"show-alias-expression": true,
|
|
alias_expression: final.trimmed_code,
|
|
error_message: "Error in user defined '" + this.construct_compare_function_prefix + final.endname + "' function: " + err.message
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
} else
|
|
{
|
|
var ret = final.end;
|
|
if( typeof ret === "boolean" )
|
|
ret = ret ? 1 : 0;
|
|
return cr.do_cmp(ret, cmp_, value_);
|
|
}
|
|
},
|
|
CompareAliasCallReturnValue: function(alias_exp_, funcparams_, cmp_, value_)
|
|
{
|
|
var store_return_value_ = false;
|
|
var ret = undefined;
|
|
ret = this.CallAlias(alias_exp_, funcparams_, store_return_value_, "'Compare Alias Call return value' condition" );
|
|
if( typeof ret === "boolean" )
|
|
ret = ret ? 1 : 0;
|
|
return cr.do_cmp(ret, cmp_, value_);
|
|
}
|
|
};
|
|
for( var k in CndsObject )
|
|
{
|
|
Cnds.prototype[k] = CndsObject[k];
|
|
}
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
var ActsObject =
|
|
{
|
|
ExecuteJSWithParams: function(code, params_)
|
|
{
|
|
var caller_name_ = "'Execute JS code' action";
|
|
this.returnValue = undefined;
|
|
code = code.replace( /#[0-9]+/g, function(str)
|
|
{
|
|
var temp = params_[ str.substr(1) ];
|
|
if (typeof temp === "string")
|
|
return "'" + temp + "'";
|
|
else
|
|
return temp;
|
|
}
|
|
);
|
|
try
|
|
{
|
|
this.returnValue = eval(code);
|
|
} catch(err)
|
|
{
|
|
this.ShowError(
|
|
{
|
|
debug_caller: "ExecuteJSWithParams",
|
|
caller_name: caller_name_,
|
|
"show-code": true,
|
|
code: code,
|
|
error_message: err.message
|
|
});
|
|
return;
|
|
}
|
|
},
|
|
CallJSfunction: function(funcname_, funcparams_, store_return_value_, caller_name_, final_)
|
|
{
|
|
this.CallJSfunction(funcname_, funcparams_, store_return_value_, caller_name_, final_);
|
|
},
|
|
SetValue: function(alias_exp_, alias_value_)
|
|
{
|
|
var caller_name_ = "'Set value' action";
|
|
var final = this.ParseJS(alias_exp_, true, caller_name_);
|
|
/*
|
|
if( !final.alias_found )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "SetValue",
|
|
caller_name: caller_name_,
|
|
error_message: "No such alias '" + final.trimmed_code + "'"
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
} */
|
|
if( final.error )
|
|
return;
|
|
try
|
|
{
|
|
final.context[final.endname] = alias_value_;
|
|
} catch(err)
|
|
{
|
|
var code = alias_exp_ + "=";
|
|
if( typeof alias_value_ == "string" )
|
|
code = code + "'" + alias_value_ + "'";
|
|
else
|
|
code = code + alias_value_;
|
|
var info =
|
|
{
|
|
debug_caller: "SetValue",
|
|
caller_name: caller_name_,
|
|
"show-alias-expression": final.alias_found,
|
|
alias_expression: final.trimmed_code,
|
|
"show-code": true,
|
|
code: code,
|
|
error_message: err.message
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
},
|
|
Call: function(alias_exp_, funcparams_, store_return_value_, caller_name_)
|
|
{
|
|
this.CallJSfunction(alias_exp_, funcparams_, true, "'Call' action" );
|
|
},
|
|
InitAlias: function(alias_name_, alias_js_)
|
|
{
|
|
var caller_name_ = "'Init alias' action";
|
|
alias_name_ = alias_name_.trim();
|
|
alias_js_ = alias_js_.trim();
|
|
if( alias_js_.length == 0 )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "InitAlias",
|
|
caller_name: caller_name_,
|
|
error_message: "Javascript string of alias '" + alias_name_ + "' must not be empty."
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
if( alias_name_.indexOf(".") >= 0 || alias_name_.indexOf("[") >= 0 || alias_name_.indexOf("]") >= 0 )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "InitAlias",
|
|
caller_name: caller_name_,
|
|
error_message: "Alias name must not contain '.', '[' or ']' signs: '" + alias_name_ + "'"
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
if( this.Aliases[alias_name_] != undefined )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "InitAlias",
|
|
caller_name: caller_name_,
|
|
error_message: "Alias '" + alias_name_ + "' already exists"
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
var newAlias = new Object();
|
|
newAlias.js = alias_js_;
|
|
newAlias.dotstring = alias_js_.split('[').join(".[");
|
|
this.Aliases[alias_name_] = newAlias;
|
|
},
|
|
SetAlias: function(alias_exp_, alias_value_)
|
|
{
|
|
var caller_name_ = "'Set alias' action";
|
|
var final = this.ParseJS(alias_exp_, true, "'Set alias' action");
|
|
if( !final.alias_found )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "SetAlias",
|
|
caller_name: caller_name_,
|
|
error_message: "No such alias '" + final.trimmed_code + "'"
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
if( final.error )
|
|
return;
|
|
try
|
|
{
|
|
final.context[final.endname] = alias_value_;
|
|
} catch(err)
|
|
{
|
|
var code = alias_exp_ + "=";
|
|
if( typeof alias_value_ == "string" )
|
|
code = code + "'" + alias_value_ + "'";
|
|
else
|
|
code = code + alias_value_;
|
|
var info =
|
|
{
|
|
debug_caller: "SetAlias",
|
|
caller_name: caller_name_,
|
|
"show-alias-expression": true,
|
|
alias_expression: final.trimmed_code,
|
|
"show-code": true,
|
|
code: code,
|
|
error_message: err.message
|
|
}
|
|
this.ShowError( info );
|
|
return;
|
|
}
|
|
},
|
|
CallAlias: function(alias_exp_, funcparams_, store_return_value_, caller_name_)
|
|
{
|
|
this.CallAlias(alias_exp_, funcparams_, store_return_value_, caller_name_);
|
|
}
|
|
};
|
|
for( var k in ActsObject )
|
|
{
|
|
Acts.prototype[k] = ActsObject[k];
|
|
}
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
var ExpsObject =
|
|
{
|
|
JSCodeValue: function()
|
|
{
|
|
var params_ = Array.prototype.slice.call(arguments);
|
|
var ret;
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
ret = {set_int: function(){}, set_float: function(){}, set_string: function(){}, set_any: function(){}};
|
|
else
|
|
{
|
|
ret = params_[0];
|
|
for( var i=0; i<params_.length-1; i++ )
|
|
params_[i] = params_[i+1];
|
|
params_.pop();
|
|
}
|
|
var code_ = params_[0];
|
|
var caller_name_ = "'JSCodeValue' expression";
|
|
var jscode = code_;
|
|
params_.splice(0, 1);
|
|
if( params_.length )
|
|
jscode = HashtagParamsToCode(jscode, params_);
|
|
var jsret = undefined;
|
|
try
|
|
{
|
|
jsret = eval(jscode);
|
|
} catch(err)
|
|
{
|
|
this.ShowError(
|
|
{
|
|
debug_caller: "JSCodeValue",
|
|
caller_name: caller_name_,
|
|
"show-code": true,
|
|
code: jscode,
|
|
error_message: err.message
|
|
});
|
|
ret.set_any( undefined );
|
|
return;
|
|
}
|
|
if( typeof jsret == "boolean" )
|
|
{
|
|
ret.set_any( jsret ? 1 : 0 );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return jsret ? 1 : 0;
|
|
}
|
|
else
|
|
{
|
|
ret.set_any( jsret );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return jsret;
|
|
}
|
|
},
|
|
StoredReturnValue: function()
|
|
{
|
|
var params_ = Array.prototype.slice.call(arguments);
|
|
var ret;
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
ret = {set_int: function(){}, set_float: function(){}, set_string: function(){}, set_any: function(){}};
|
|
else
|
|
{
|
|
ret = params_[0];
|
|
for( var i=0; i<params_.length-1; i++ )
|
|
params_[i] = params_[i+1];
|
|
params_.pop();
|
|
}
|
|
if( typeof this.returnValue === "boolean" )
|
|
{
|
|
ret.set_any( this.returnValue ? 1 : 0 );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return this.returnValue ? 1 : 0;
|
|
}
|
|
else
|
|
{
|
|
ret.set_any( this.returnValue );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return this.returnValue;
|
|
}
|
|
},
|
|
FunctionReturnValue: function()
|
|
{
|
|
var params_ = Array.prototype.slice.call(arguments);
|
|
var ret;
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
ret = {set_int: function(){}, set_float: function(){}, set_string: function(){}, set_any: function(){}};
|
|
else
|
|
{
|
|
ret = params_[0];
|
|
for( var i=0; i<params_.length-1; i++ )
|
|
params_[i] = params_[i+1];
|
|
params_.pop();
|
|
}
|
|
var func_exp_ = params_[0];
|
|
var caller_name_ = "'FunctionReturnValue' expression";
|
|
var store_return_value_ = false;
|
|
var final = this.ParseJS(func_exp_, false, caller_name_);
|
|
params_.splice(0, 1);
|
|
if( final.error )
|
|
{
|
|
ret.set_any( undefined );
|
|
return;
|
|
}
|
|
var jsret = undefined;
|
|
jsret = this.CallJSfunction(func_exp_, params_, store_return_value_, caller_name_, final );
|
|
if( typeof jsret === "boolean" )
|
|
{
|
|
ret.set_any( jsret ? 1 : 0 );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return jsret ? 1 : 0;
|
|
}
|
|
else
|
|
{
|
|
ret.set_any( jsret );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return jsret;
|
|
}
|
|
return;
|
|
},
|
|
Value: function()
|
|
{
|
|
var params_ = Array.prototype.slice.call(arguments);
|
|
var ret;
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
ret = {set_int: function(){}, set_float: function(){}, set_string: function(){}, set_any: function(){}};
|
|
else
|
|
{
|
|
ret = params_[0];
|
|
for( var i=0; i<params_.length-1; i++ )
|
|
params_[i] = params_[i+1];
|
|
params_.pop();
|
|
}
|
|
var caller_name = "'Value' expression";
|
|
var jsret = this.Value( caller_name, params_ );
|
|
if( typeof jsret === "boolean" )
|
|
{
|
|
ret.set_any( jsret ? 1 : 0 );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return jsret ? 1 : 0;
|
|
}
|
|
else
|
|
{
|
|
ret.set_any( jsret );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return jsret;
|
|
}
|
|
return;
|
|
},
|
|
AliasValue: function()
|
|
{
|
|
var params_ = Array.prototype.slice.call(arguments);
|
|
var ret;
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
ret = {set_int: function(){}, set_float: function(){}, set_string: function(){}, set_any: function(){}};
|
|
else
|
|
{
|
|
ret = params_[0];
|
|
for( var i=0; i<params_.length-1; i++ )
|
|
params_[i] = params_[i+1];
|
|
params_.pop();
|
|
}
|
|
var alias_exp_ = params_[0];
|
|
var caller_name_ = "'AliasValue' expression";
|
|
var final = this.ParseJS(alias_exp_, true, caller_name_);
|
|
if( !final.alias_found )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "AliasValue",
|
|
caller_name: caller_name_,
|
|
error_message: "No such alias '" + final.trimmed_code + "'"
|
|
}
|
|
this.ShowError( info );
|
|
ret.set_any( undefined );
|
|
return;
|
|
}
|
|
if( final.error )
|
|
{
|
|
ret.set_any( undefined );
|
|
return;
|
|
}
|
|
var jsret = undefined;
|
|
try
|
|
{
|
|
jsret = final.end;
|
|
} catch(err)
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "AliasValue",
|
|
caller_name: caller_name_,
|
|
"show-alias-expression": true,
|
|
alias_expression: final.trimmed_code,
|
|
error_message: err.message
|
|
}
|
|
this.ShowError( info );
|
|
ret.set_any( undefined );
|
|
return;
|
|
}
|
|
if( typeof jsret === "boolean" )
|
|
{
|
|
ret.set_any( jsret ? 1 : 0 );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return jsret ? 1 : 0;
|
|
}
|
|
else
|
|
{
|
|
ret.set_any( jsret );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return jsret;
|
|
}
|
|
return;
|
|
},
|
|
AliasCallReturnValue: function()
|
|
{
|
|
var params_ = Array.prototype.slice.call(arguments);
|
|
var ret;
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
ret = {set_int: function(){}, set_float: function(){}, set_string: function(){}, set_any: function(){}};
|
|
else
|
|
{
|
|
ret = params_[0];
|
|
for( var i=0; i<params_.length-1; i++ )
|
|
params_[i] = params_[i+1];
|
|
params_.pop();
|
|
}
|
|
var alias_exp_ = params_[0];
|
|
var caller_name_ = "'AliasCallValue' expression";
|
|
var store_return_value_ = false;
|
|
var final = this.ParseJS(alias_exp_, true, caller_name_);
|
|
params_.splice(0, 1);
|
|
if( !final.alias_found )
|
|
{
|
|
var info =
|
|
{
|
|
debug_caller: "AliasCallValue",
|
|
caller_name: caller_name_,
|
|
error_message: "No such alias '" + final.trimmed_code + "'"
|
|
}
|
|
this.ShowError( info );
|
|
ret.set_any( undefined );
|
|
return;
|
|
}
|
|
if( final.error )
|
|
{
|
|
ret.set_any( undefined );
|
|
return;
|
|
}
|
|
var jsret = undefined;
|
|
jsret = this.CallJSfunction(alias_exp_, params_, store_return_value_, caller_name_, final );
|
|
if( typeof jsret === "boolean" )
|
|
{
|
|
ret.set_any( jsret ? 1 : 0 );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return jsret ? 1 : 0;
|
|
}
|
|
else
|
|
{
|
|
ret.set_any( jsret );
|
|
if( __CONSTRUCT3_RUNTIME3__ )
|
|
return jsret;
|
|
}
|
|
return;
|
|
}
|
|
};
|
|
for( var k in ExpsObject )
|
|
{
|
|
Exps.prototype[k] = ExpsObject[k];
|
|
}
|
|
pluginProto.exps = new Exps();
|
|
instanceProto.EXPS = pluginProto.exps;
|
|
instanceProto.CNDS = pluginProto.cnds;
|
|
instanceProto.ACTS = pluginProto.acts;
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.aekiro_model = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.aekiro_model.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.tag = this.properties[0];
|
|
this.lang_root = this.properties[1];
|
|
this.hashtable = {};
|
|
this.currentEntry = this.hashtable;//??
|
|
this.exp_CurKey = "";
|
|
this.exp_CurValue = 0;
|
|
this.exp_Loopindex = 0;
|
|
this.uiType = "model";
|
|
this.linkedBehaviors = [];
|
|
this.linkedBehaviors_lastResetTick = 0;
|
|
this.linkedLabels = [];
|
|
this.linkedLabels_lastResetTick = 0;
|
|
this.lang_code ="";
|
|
this.hashtable = {};
|
|
if(this.tag){
|
|
if(!cr.proui){
|
|
throw new Error("ProUI Plugin not found. Please add it to the project.");
|
|
return;
|
|
}
|
|
cr.proui.addTag(this.tag,this);
|
|
}
|
|
this.proui = cr.proui;
|
|
this.model_plugin = cr.plugins_.aekiro_model.prototype;
|
|
var self = this;
|
|
window["aekiro_model_value_set"] = function (model_tag,key,value)
|
|
{
|
|
var model_inst = self.proui.tags[model_tag];
|
|
self.model_plugin.acts.SetValueByKeyString.call(model_inst, key, value);
|
|
};
|
|
window["aekiro_model_json_set"] = function (model_tag,key,value)
|
|
{
|
|
var model_inst = self.proui.tags[model_tag];
|
|
self.model_plugin.acts.SetJSONByKeyString.call(model_inst, key, value);
|
|
};
|
|
window["aekiro_model"] = function (model_tag,action_name,params)
|
|
{
|
|
var model_inst = self.proui.tags[model_tag];
|
|
self.model_plugin.acts[action_name].apply(model_inst,params);
|
|
};
|
|
};
|
|
instanceProto.registerBehavior = function(behavior){
|
|
if(!this.runtime.extra.notRegister){
|
|
if(this.runtime.changelayout && this.linkedBehaviors_lastResetTick != this.runtime.tickcount){
|
|
this.linkedBehaviors.length = 0;
|
|
this.linkedBehaviors_lastResetTick = this.runtime.tickcount;
|
|
}
|
|
this.linkedBehaviors.push(behavior);
|
|
}
|
|
};
|
|
instanceProto.registerLabel = function(behavior){
|
|
if(!this.runtime.extra.notRegister){
|
|
if(this.runtime.changelayout && this.linkedLabels_lastResetTick != this.runtime.tickcount){
|
|
this.linkedLabels.length = 0;
|
|
this.linkedLabels_lastResetTick = this.runtime.tickcount;
|
|
}
|
|
this.linkedLabels.push(behavior);
|
|
}
|
|
};
|
|
instanceProto.unregisterBehavior = function(behavior){
|
|
this.removeFromArray(this.linkedBehaviors,behavior);
|
|
};
|
|
instanceProto.unregisterLabel = function(behavior){
|
|
this.removeFromArray(this.linkedLabels,behavior);
|
|
};
|
|
instanceProto.removeFromArray = function(array,e){
|
|
for (var i = 0,l=array.length; i < l; i++) {
|
|
if(array[i] == e){
|
|
array.splice(i, 1);
|
|
return;
|
|
}
|
|
}
|
|
};
|
|
instanceProto.notifyBehaviorModels = function(key, options)
|
|
{
|
|
var except = null;
|
|
if(options){
|
|
except = options.except;
|
|
}
|
|
var behaviors = this.linkedBehaviors;
|
|
if(!behaviors.length) return;
|
|
for (var i = 0,l = behaviors.length; i < l; i++) {
|
|
if(behaviors[i] == except){
|
|
console.log("except :"+except.inst.uid);
|
|
continue;
|
|
}
|
|
if(key=="root" || behaviors[i].modelKey=="root" || doKeysMatch(behaviors[i].modelKey,key)){
|
|
behaviors[i].setElementValue(this.getValue(behaviors[i].modelKey),options);
|
|
}
|
|
}
|
|
};
|
|
instanceProto.updateLabels = function(){
|
|
var behaviors = this.linkedLabels;
|
|
if(!behaviors) return;
|
|
var value;
|
|
var prefix;
|
|
if(!this.lang_root){
|
|
prefix = this.lang_code;
|
|
}else{
|
|
prefix = this.lang_root+"."+this.lang_code;
|
|
}
|
|
value = this.getValue(prefix);
|
|
if(!value){
|
|
return;
|
|
}
|
|
for (var i = 0,l = behaviors.length; i < l; i++) {
|
|
value = this.getValue(prefix+"."+behaviors[i].modelKey);
|
|
if(value!=undefined){
|
|
behaviors[i]._setValue(value);
|
|
}
|
|
}
|
|
};
|
|
instanceProto.getLocalisedLabel = function(key){
|
|
var value;
|
|
var prefix;
|
|
if(!this.lang_root){
|
|
prefix = this.lang_code;
|
|
}else{
|
|
prefix = this.lang_root+"."+this.lang_code;
|
|
}
|
|
value = this.getValue(prefix+"."+key);
|
|
return value;
|
|
};
|
|
function doKeysMatch(k1,k2){
|
|
if( (k1==null) || (k2==null)){
|
|
return false;
|
|
}
|
|
if(k1==k2){
|
|
return true;
|
|
}
|
|
if(k1.slice(0, k2.length+1) == (k2+".") ){ //k2 a parent of k1
|
|
return true;
|
|
}
|
|
if(k2.slice(0, k1.length+1) == (k1+".") ){
|
|
return true;
|
|
}
|
|
return false;
|
|
};
|
|
instanceProto.cleanAll = function()
|
|
{
|
|
var key;
|
|
for (key in this.hashtable)
|
|
delete this.hashtable[key];
|
|
this.currentEntry = this.hashtable;
|
|
};
|
|
instanceProto.getEntry = function(keys, root)
|
|
{
|
|
var entry = root || this.hashtable;
|
|
if (!keys || keys === "" || keys == "root" || keys.length == 0)
|
|
{
|
|
return entry;
|
|
}
|
|
if (typeof (keys) === "string"){
|
|
keys = keys.split(".");
|
|
}
|
|
var key;
|
|
for (var i=0,l=keys.length; i< l; i++)
|
|
{
|
|
key = keys[i];
|
|
if(isArray(entry)){
|
|
var index = parseInt(key);
|
|
if(index < 0 || index >= entry.length){
|
|
console.error("MODEL %s: setting item %s while array only have %s !",this.uid,index,entry.length);
|
|
throw "err";
|
|
return;
|
|
}
|
|
}
|
|
/*
|
|
if entry[key] is not array or an object (typeof(entry[key]) != "object")
|
|
and since typeof(null)= "object" we had to add it in the condition
|
|
*/
|
|
if ( entry[key] == null || typeof(entry[key]) != "object"){
|
|
entry[key] = {};
|
|
}
|
|
entry = entry[key];
|
|
}
|
|
return entry;
|
|
};
|
|
instanceProto.getValue = function(keys, root)
|
|
{
|
|
var entry = root || this.hashtable;
|
|
if (!keys || keys === "" || keys == "root"|| keys.length == 0)
|
|
{
|
|
return entry;
|
|
}
|
|
if (typeof (keys) === "string"){
|
|
keys = keys.split(".");
|
|
}
|
|
var key;
|
|
for (var i=0,l=keys.length; i< l; i++)
|
|
{
|
|
key = keys[i];
|
|
if (entry.hasOwnProperty(key)){
|
|
entry = entry[key];
|
|
}else{
|
|
return;
|
|
}
|
|
}
|
|
return entry;
|
|
};
|
|
/*
|
|
keys=""
|
|
keys is an object/array
|
|
keys is a simple value
|
|
keys is a.b... where b dosent exist and a is a simple value
|
|
a.b.c
|
|
*/
|
|
instanceProto.setValue = function(keys, value, root)
|
|
{
|
|
if (keys === "" || keys.length === 0)
|
|
{
|
|
if (value !== null && typeof(value) === "object")
|
|
{
|
|
if (root == null){
|
|
this.hashtable = value;
|
|
}else{
|
|
root = value;
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (root == null){
|
|
root = this.hashtable;
|
|
}
|
|
if (typeof (keys) === "string"){
|
|
keys = keys.split(".");
|
|
}
|
|
var lastKey = keys.pop();
|
|
try{
|
|
var entry = this.getEntry(keys, root);
|
|
}catch(error){
|
|
throw "err";
|
|
return;
|
|
}
|
|
if(isArray(entry)){
|
|
var index = parseInt(lastKey);
|
|
if(index < 0 || index >= entry.length){
|
|
console.error("MODEL %s: setting item %s while array only have %s !",this.uid,index,entry.length);
|
|
return;
|
|
}
|
|
}
|
|
entry[lastKey] = value;
|
|
}
|
|
};
|
|
instanceProto.removeKey = function (keys)
|
|
{
|
|
if ((keys === "") || (keys.length === 0))
|
|
{
|
|
this.cleanAll();
|
|
}
|
|
else
|
|
{
|
|
if (typeof (keys) === "string")
|
|
keys = keys.split(".");
|
|
var data = this.getValue(keys);
|
|
if (data === undefined)
|
|
return;
|
|
var lastKey = keys.pop();
|
|
var entry = this.getEntry(keys);
|
|
if (!isArray(entry))
|
|
{
|
|
delete entry[lastKey];
|
|
}
|
|
else
|
|
{
|
|
if ((lastKey < 0) || (lastKey >= entry.length))
|
|
return;
|
|
else if (lastKey === (entry.length-1))
|
|
entry.pop();
|
|
else if (lastKey === 0)
|
|
entry.shift();
|
|
else
|
|
entry.splice(lastKey, 1);
|
|
}
|
|
}
|
|
};
|
|
var getItemsCount = function (o)
|
|
{
|
|
if (o == null)// nothing
|
|
return (-1);
|
|
else if ((typeof o == "number") || (typeof o == "string"))// number/string
|
|
return 0;
|
|
else if (o.length != null)// list
|
|
return o.length;
|
|
var key,cnt=0;
|
|
for (key in o)
|
|
cnt += 1;
|
|
return cnt;
|
|
};
|
|
var din = function (d, default_value)
|
|
{
|
|
var o;
|
|
if (d === true)
|
|
o = 1;
|
|
else if (d === false)
|
|
o = 0;
|
|
else if ((d == null) || (d==undefined))
|
|
{
|
|
if ( (default_value != null) && (default_value != undefined) )
|
|
o = default_value;
|
|
else
|
|
o = 0;
|
|
}
|
|
else if (typeof(d) == "object")
|
|
o = JSON.stringify(d);
|
|
else
|
|
o = d;
|
|
return o;
|
|
};
|
|
var isArray = function(o)
|
|
{
|
|
return (o instanceof Array);
|
|
};
|
|
var isObject = function(val) {
|
|
if (val === null) { return false;}
|
|
return ( (typeof val === 'function') || (typeof val === 'object') );
|
|
}
|
|
function isObjectEmpty(obj) {
|
|
for(var prop in obj) {
|
|
if(obj.hasOwnProperty(prop))
|
|
return false;
|
|
}
|
|
return true;
|
|
}
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return { "d": this.hashtable };
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.hashtable = o["d"];
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
/*
|
|
delete tag from proui
|
|
deactivated the binding with all linked elements
|
|
*/
|
|
};
|
|
function Cnds() {};
|
|
pluginProto.cnds = new Cnds();
|
|
Cnds.prototype.ForEachItem = function (key)
|
|
{
|
|
var entry = this.getEntry(key);
|
|
var current_frame = this.runtime.getCurrentEventStack();
|
|
var current_event = current_frame.current_event;
|
|
var solModifierAfterCnds = current_frame.isModifierAfterCnds();
|
|
var key, value;
|
|
this.exp_Loopindex = -1;
|
|
for (key in entry)
|
|
{
|
|
if (solModifierAfterCnds)
|
|
this.runtime.pushCopySol(current_event.solModifiers);
|
|
this.exp_CurKey = key;
|
|
this.exp_CurValue = entry[key];
|
|
this.exp_Loopindex ++;
|
|
current_event.retrigger();
|
|
if (solModifierAfterCnds)
|
|
this.runtime.popSol(current_event.solModifiers);
|
|
}
|
|
this.exp_CurKey = "";
|
|
this.exp_CurValue = 0;
|
|
return false;
|
|
};
|
|
Cnds.prototype.KeyExists = function (keys)
|
|
{
|
|
if (keys == "")
|
|
return false;
|
|
var data = this.getValue(keys);
|
|
return (data !== undefined);
|
|
};
|
|
Cnds.prototype.IsEmpty = function (keys)
|
|
{
|
|
var entry = this.getEntry(keys);
|
|
var cnt = getItemsCount(entry);
|
|
return (cnt <= 0);
|
|
};
|
|
/*Cnds.prototype.OnKeySet = function (key)
|
|
{
|
|
return cr.equals_nocase(tag, this.curTag);
|
|
};*/
|
|
function Acts() {};
|
|
pluginProto.acts = new Acts();
|
|
Acts.prototype.SetValueByKeyString = function (key, value,options)
|
|
{
|
|
if (key == "" || key == "root"){
|
|
console.error("MODEL %s: You can't set the root to a simple value !",this.tag);
|
|
return;
|
|
}
|
|
try{
|
|
this.setValue(key, value);
|
|
}catch(error){
|
|
return;
|
|
}
|
|
if(!options){
|
|
options = {};
|
|
}
|
|
options.op = 4;
|
|
options.key = key;
|
|
options.value = value;
|
|
this.notifyBehaviorModels(key,options);
|
|
};
|
|
Acts.prototype.SetJSONByKeyString = function (key, value)
|
|
{
|
|
if(!isObject(value)){
|
|
try {
|
|
value = JSON.parse(value);
|
|
} catch(e) {
|
|
console.error("MODEL %s: SetJSONByKeyString() **** The json you are trying to set is not valid !");
|
|
console.error("key = %s", key);
|
|
console.error("value = %s", value);
|
|
console.error("********************* ");
|
|
return;
|
|
}
|
|
}
|
|
try{
|
|
this.setValue(key, value);
|
|
}catch(error){
|
|
return;
|
|
}
|
|
this.notifyBehaviorModels(key,{op:2}); //2 for load
|
|
};
|
|
Acts.prototype.AddToValueByKeyString = function (key, value,options)
|
|
{
|
|
if (key === "")
|
|
return;
|
|
var _key = key.split(".");
|
|
var curValue = this.getValue(_key) || 0;
|
|
try{
|
|
this.setValue(_key, curValue + value);
|
|
}catch(error){
|
|
return;
|
|
}
|
|
if(!options){
|
|
options = {};
|
|
}
|
|
value = this.getValue(key) || 0;
|
|
options.op = 4;
|
|
options.key = key;
|
|
options.value = value;
|
|
this.notifyBehaviorModels(key,options);
|
|
};
|
|
Acts.prototype.PushValue = function (key, val)
|
|
{
|
|
var arr = this.getEntry(key);
|
|
if (arr == null || isObjectEmpty(arr))//If there's nothing on key then we create a empty array
|
|
{
|
|
this.setValue(key, []);
|
|
arr = this.getEntry(key);
|
|
}
|
|
if (!isArray(arr)){//if there's something on keys but it's not an array, then we do nothing
|
|
console.log("not an array");
|
|
return;
|
|
}
|
|
arr.push(val);
|
|
this.notifyBehaviorModels(key,{op:1}); //1 for push
|
|
};
|
|
Acts.prototype.PushJSON = function (keys, val)
|
|
{
|
|
try {
|
|
val = JSON.parse(val);
|
|
} catch(e) {
|
|
console.error("MODEL PLugin: The json you are trying to push is not valid !");
|
|
return;
|
|
}
|
|
Acts.prototype.PushValue.call(this, keys, val);
|
|
};
|
|
Acts.prototype.InsertValue = function (key, val, index)
|
|
{
|
|
var array = this.getEntry(key);
|
|
if (array == null || isObjectEmpty(array))
|
|
{
|
|
this.setValue(key, []);
|
|
array = this.getEntry(key);
|
|
}
|
|
if (!isArray(array)){
|
|
console.log(this.hashtable);
|
|
return;
|
|
}
|
|
if(array.length<index){
|
|
console.error("MODEL PLugin: Can't insert item at %s while array only has %s !",index,array.length);
|
|
return;
|
|
}
|
|
array.splice(index, 0, val);
|
|
this.notifyBehaviorModels(key,{op:3, idx: index});
|
|
};
|
|
Acts.prototype.InsertJSON = function (key, val, index)
|
|
{
|
|
try {
|
|
val = JSON.parse(val);
|
|
} catch(e) {
|
|
console.error("MODEL PLugin: The json you are trying to insert is not valid !");
|
|
return;
|
|
}
|
|
Acts.prototype.InsertValue.call(this, key, val, index);
|
|
};
|
|
Acts.prototype.RemoveItemByIndex = function (key,index)
|
|
{
|
|
var array = this.getEntry(key);
|
|
if (array == null || isObjectEmpty(array) || !isArray(array))
|
|
{
|
|
console.log("The value at key = "+key+" is empty or not an array");
|
|
return;
|
|
}
|
|
if ((index < 0) || (index >= array.length)){
|
|
return;
|
|
}
|
|
if (index === (array.length-1)){
|
|
array.pop();
|
|
}
|
|
else if (index === 0){
|
|
array.shift();
|
|
}
|
|
else{
|
|
array.splice(index, 1);
|
|
}
|
|
this.notifyBehaviorModels(key,{op:-1, idx: index});
|
|
};
|
|
Acts.prototype.RemoveByKeyString = function (key)
|
|
{
|
|
this.removeKey(key);
|
|
this.notifyBehaviorModels(key);
|
|
};
|
|
Acts.prototype.CleanAll = function ()
|
|
{
|
|
this.cleanAll();
|
|
this.notifyBehaviorModels("root");
|
|
};
|
|
Acts.prototype.StringToHashTable = function (json)
|
|
{
|
|
if (json != ""){
|
|
try {
|
|
this.hashtable = JSON.parse(json);
|
|
} catch(e) {
|
|
console.error("MODEL PLugin: The json you are trying to load is not valid !",e);
|
|
return;
|
|
}
|
|
this.notifyBehaviorModels("root",{op:2});
|
|
}else{
|
|
this.cleanAll();
|
|
}
|
|
};
|
|
Acts.prototype.SetLanguage = function(lang)
|
|
{
|
|
this.lang_code = lang;
|
|
this.updateLabels();
|
|
}
|
|
/*Acts.prototype.SetKeyToKey = function (key1,key2)
|
|
{
|
|
var value = this.getValue(key1);
|
|
var entry = this.getEntry(key1, root);
|
|
this.notifyBehaviorModels(key1,{op:-1, idx: index});
|
|
};*/
|
|
function Exps() {};
|
|
pluginProto.exps = new Exps();
|
|
Exps.prototype.at = function (ret, keys, default_value)
|
|
{
|
|
keys = keys.split(".");
|
|
var val = din(this.getValue(keys), default_value);
|
|
ret.set_any(val);
|
|
};
|
|
Exps.prototype.arrayValueByValue = function (ret, arrayKey,idKey,idValue,key2,default_value)
|
|
{
|
|
var array = this.getValue(arrayKey);
|
|
var val = 0;
|
|
if (!isArray(array)){
|
|
console.log("not an array");
|
|
ret.set_any(val);
|
|
return;
|
|
}
|
|
for (var i = 0, l=array.length; i < l; i++) {
|
|
if(this.getValue(idKey,array[i]) == idValue){
|
|
val = this.getValue(key2,array[i]);
|
|
break;
|
|
}
|
|
}
|
|
val = din(val, default_value);
|
|
ret.set_any(val);
|
|
};
|
|
Exps.prototype.curKey = function (ret)
|
|
{
|
|
ret.set_string(this.exp_CurKey);
|
|
};
|
|
Exps.prototype.curValue = function (ret, subKeys, default_value)
|
|
{
|
|
var val = this.getValue(subKeys, this.exp_CurValue);
|
|
val = din(val, default_value);
|
|
ret.set_any(val);
|
|
};
|
|
Exps.prototype.loopindex = function (ret)
|
|
{
|
|
ret.set_int(this.exp_Loopindex);
|
|
};
|
|
Exps.prototype.asJSON = function (ret)
|
|
{
|
|
var json = JSON.stringify(this.hashtable);
|
|
ret.set_string(json);
|
|
};
|
|
Exps.prototype.makeJSON = function (ret)
|
|
{
|
|
var object = {};
|
|
if (arguments.length > 1)
|
|
{
|
|
var i, cnt=arguments.length;
|
|
for(i=1; i<cnt; i=i+2)
|
|
object[arguments[i]]=arguments[i+1];
|
|
}
|
|
ret.set_string(JSON.stringify(object));
|
|
};
|
|
Exps.prototype.makeArray = function (ret)
|
|
{
|
|
var array = [];
|
|
if (arguments.length > 1)
|
|
{
|
|
var i, cnt=arguments.length;
|
|
for(i=1; i<cnt; i++){
|
|
array.push(arguments[i]);
|
|
}
|
|
}
|
|
ret.set_string(JSON.stringify(array));
|
|
};
|
|
Exps.prototype.pop = function (ret, keys, idx)
|
|
{
|
|
var arr = this.getEntry(keys);
|
|
var val;
|
|
if (arr == null)
|
|
val = 0;
|
|
else if ((idx == null) || (idx === (arr.length-1)))
|
|
val = arr.pop();
|
|
else
|
|
val = arr.splice(idx, 1);
|
|
ret.set_any( din(val) );
|
|
};
|
|
Exps.prototype.shift = function (ret, keys)
|
|
{
|
|
var arr = this.getEntry(keys);
|
|
var val;
|
|
if (arr == null)
|
|
val = 0;
|
|
else
|
|
val = arr.shift();
|
|
ret.set_any( din(val) );
|
|
};
|
|
Exps.prototype.itemCnt = function (ret, keys)
|
|
{
|
|
var cnt = getItemsCount(this.getValue(keys));
|
|
ret.set_int(cnt);
|
|
};
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.aekiro_proui2 = function (runtime) {
|
|
this.runtime = runtime;
|
|
};
|
|
(function () {
|
|
var pluginProto = cr.plugins_.aekiro_proui2.prototype;
|
|
pluginProto.Type = function (plugin) {
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function () {};
|
|
pluginProto.Instance = function (type) {
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
this.touches = [];
|
|
this.mouseDown = false;
|
|
this.touchDown = false;
|
|
this.cursor = { x: null, y: null };
|
|
this._callbackObjs = {};
|
|
this._callbackObjs["touch"] = [];
|
|
this._callbackObjs["wheel"] = [];
|
|
this.handled = false;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var dummyoffset = { left: 0, top: 0 };
|
|
instanceProto.findTouch = function (id) {
|
|
var i, len;
|
|
for (i = 0, len = this.touches.length; i < len; i++) {
|
|
if (this.touches[i]["id"] === id) return i;
|
|
}
|
|
return -1;
|
|
};
|
|
var theInstance = null;
|
|
var touchinfo_cache = [];
|
|
function AllocTouchInfo(x, y, id, index) {
|
|
var ret;
|
|
if (touchinfo_cache.length) ret = touchinfo_cache.pop();
|
|
else ret = new TouchInfo();
|
|
ret.init(x, y, id, index);
|
|
return ret;
|
|
}
|
|
function ReleaseTouchInfo(ti) {
|
|
if (touchinfo_cache.length < 100) touchinfo_cache.push(ti);
|
|
}
|
|
var GESTURE_HOLD_THRESHOLD = 15; // max px motion for hold gesture to register
|
|
var GESTURE_HOLD_TIMEOUT = 500; // time for hold gesture to register
|
|
var GESTURE_TAP_TIMEOUT = 333; // time for tap gesture to register
|
|
var GESTURE_DOUBLETAP_THRESHOLD = 25; // max distance apart for taps to be
|
|
function TouchInfo() {
|
|
this.starttime = 0;
|
|
this.time = 0;
|
|
this.lasttime = 0;
|
|
this.startx = 0;
|
|
this.starty = 0;
|
|
this.x = 0;
|
|
this.y = 0;
|
|
this.lastx = 0;
|
|
this.lasty = 0;
|
|
this["id"] = 0;
|
|
this.startindex = 0;
|
|
this.triggeredHold = false;
|
|
this.tooFarForHold = false;
|
|
}
|
|
TouchInfo.prototype.init = function (x, y, id, index) {
|
|
var nowtime = cr.performance_now();
|
|
this.time = nowtime;
|
|
this.lasttime = nowtime;
|
|
this.starttime = nowtime;
|
|
this.startx = x;
|
|
this.starty = y;
|
|
this.x = x;
|
|
this.y = y;
|
|
this.lastx = x;
|
|
this.lasty = y;
|
|
this.width = 0;
|
|
this.height = 0;
|
|
this.pressure = 0;
|
|
this["id"] = id;
|
|
this.startindex = index;
|
|
this.triggeredHold = false;
|
|
this.tooFarForHold = false;
|
|
};
|
|
TouchInfo.prototype.update = function (
|
|
nowtime,
|
|
x,
|
|
y,
|
|
width,
|
|
height,
|
|
pressure
|
|
) {
|
|
this.lasttime = this.time;
|
|
this.time = nowtime;
|
|
this.lastx = this.x;
|
|
this.lasty = this.y;
|
|
this.x = x;
|
|
this.y = y;
|
|
this.width = width;
|
|
this.height = height;
|
|
this.pressure = pressure;
|
|
if (
|
|
!this.tooFarForHold &&
|
|
cr.distanceTo(this.startx, this.starty, this.x, this.y) >=
|
|
GESTURE_HOLD_THRESHOLD
|
|
) {
|
|
this.tooFarForHold = true;
|
|
}
|
|
};
|
|
var lastTapX = -1000;
|
|
var lastTapY = -1000;
|
|
var lastTapTime = -10000;
|
|
TouchInfo.prototype.maybeTriggerTap = function (inst, index) {
|
|
if (this.triggeredHold) return;
|
|
var nowtime = cr.performance_now();
|
|
if (
|
|
nowtime - this.starttime <= GESTURE_TAP_TIMEOUT &&
|
|
!this.tooFarForHold &&
|
|
cr.distanceTo(this.startx, this.starty, this.x, this.y) <
|
|
GESTURE_HOLD_THRESHOLD
|
|
) {
|
|
inst.trigger_index = this.startindex;
|
|
inst.trigger_id = this["id"];
|
|
inst.getTouchIndex = index;
|
|
if (
|
|
nowtime - lastTapTime <= GESTURE_TAP_TIMEOUT * 2 &&
|
|
cr.distanceTo(lastTapX, lastTapY, this.x, this.y) <
|
|
GESTURE_DOUBLETAP_THRESHOLD
|
|
) {
|
|
inst.curTouchX = this.x;
|
|
inst.curTouchY = this.y;
|
|
lastTapX = -1000;
|
|
lastTapY = -1000;
|
|
lastTapTime = -10000;
|
|
}
|
|
else {
|
|
inst.curTouchX = this.x;
|
|
inst.curTouchY = this.y;
|
|
lastTapX = this.x;
|
|
lastTapY = this.y;
|
|
lastTapTime = nowtime;
|
|
}
|
|
inst.getTouchIndex = 0;
|
|
}
|
|
};
|
|
instanceProto.onCreate = function () {
|
|
theInstance = this;
|
|
this.isWindows8 = !!(
|
|
typeof window["c2isWindows8"] !== "undefined" && window["c2isWindows8"]
|
|
);
|
|
this.curTouchX = 0;
|
|
this.curTouchY = 0;
|
|
this.trigger_index = 0;
|
|
this.trigger_id = 0;
|
|
this.getTouchIndex = 0;
|
|
this.useMouseInput = true;
|
|
var elem =
|
|
this.runtime.fullscreen_mode > 0 ? document : this.runtime.canvas;
|
|
var elem2 = document;
|
|
if (this.runtime.isDirectCanvas) elem2 = elem = window["Canvas"];
|
|
else if (this.runtime.isCocoonJs) elem2 = elem = window;
|
|
var self = this;
|
|
if (typeof PointerEvent !== "undefined") {
|
|
elem.addEventListener(
|
|
"pointerdown",
|
|
function (info) {
|
|
self.onPointerStart(info);
|
|
},
|
|
false
|
|
);
|
|
elem.addEventListener(
|
|
"pointermove",
|
|
function (info) {
|
|
self.onPointerMove(info);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener(
|
|
"pointerup",
|
|
function (info) {
|
|
self.onPointerEnd(info, false);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener(
|
|
"pointercancel",
|
|
function (info) {
|
|
self.onPointerEnd(info, true);
|
|
},
|
|
false
|
|
);
|
|
if (this.runtime.canvas) {
|
|
this.runtime.canvas.addEventListener(
|
|
"MSGestureHold",
|
|
function (e) {
|
|
e.preventDefault();
|
|
},
|
|
false
|
|
);
|
|
document.addEventListener(
|
|
"MSGestureHold",
|
|
function (e) {
|
|
e.preventDefault();
|
|
},
|
|
false
|
|
);
|
|
this.runtime.canvas.addEventListener(
|
|
"gesturehold",
|
|
function (e) {
|
|
e.preventDefault();
|
|
},
|
|
false
|
|
);
|
|
document.addEventListener(
|
|
"gesturehold",
|
|
function (e) {
|
|
e.preventDefault();
|
|
},
|
|
false
|
|
);
|
|
}
|
|
}
|
|
else if (window.navigator["msPointerEnabled"]) {
|
|
elem.addEventListener(
|
|
"MSPointerDown",
|
|
function (info) {
|
|
self.onPointerStart(info);
|
|
},
|
|
false
|
|
);
|
|
elem.addEventListener(
|
|
"MSPointerMove",
|
|
function (info) {
|
|
self.onPointerMove(info);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener(
|
|
"MSPointerUp",
|
|
function (info) {
|
|
self.onPointerEnd(info, false);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener(
|
|
"MSPointerCancel",
|
|
function (info) {
|
|
self.onPointerEnd(info, true);
|
|
},
|
|
false
|
|
);
|
|
if (this.runtime.canvas) {
|
|
this.runtime.canvas.addEventListener(
|
|
"MSGestureHold",
|
|
function (e) {
|
|
e.preventDefault();
|
|
},
|
|
false
|
|
);
|
|
document.addEventListener(
|
|
"MSGestureHold",
|
|
function (e) {
|
|
e.preventDefault();
|
|
},
|
|
false
|
|
);
|
|
}
|
|
}
|
|
else {
|
|
elem.addEventListener(
|
|
"touchstart",
|
|
function (info) {
|
|
self.onTouchStart(info);
|
|
},
|
|
false
|
|
);
|
|
elem.addEventListener(
|
|
"touchmove",
|
|
function (info) {
|
|
self.onTouchMove(info);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener(
|
|
"touchend",
|
|
function (info) {
|
|
self.onTouchEnd(info, false);
|
|
},
|
|
false
|
|
);
|
|
elem2.addEventListener(
|
|
"touchcancel",
|
|
function (info) {
|
|
self.onTouchEnd(info, true);
|
|
},
|
|
false
|
|
);
|
|
}
|
|
if (this.useMouseInput && !this.runtime.isDomFree) {
|
|
jQuery(document).mousemove(function (info) {
|
|
self.onMouseMove(info);
|
|
});
|
|
jQuery(document).mousedown(function (info) {
|
|
self.onMouseDown(info);
|
|
});
|
|
jQuery(document).mouseup(function (info) {
|
|
self.onMouseUp(info);
|
|
});
|
|
}
|
|
if (!this.runtime.isDomFree) {
|
|
var wheelevent = function (info) {
|
|
self.onWheel(info);
|
|
};
|
|
document.addEventListener("mousewheel", wheelevent, false);
|
|
document.addEventListener("DOMMouseScroll", wheelevent, false);
|
|
}
|
|
this.runtime.tick2Me(this);
|
|
this.enable = true;
|
|
this.lastTouchX = null;
|
|
this.lastTouchY = null;
|
|
cr.proui = this;
|
|
this.cssURL = this.properties[0];
|
|
this.fontFamily = this.properties[1];
|
|
this.defaultSoundTag = this.properties[2];
|
|
this.useHowler = this.properties[3] === 0;
|
|
this.firstFrame = true;
|
|
/*The following is to get around not being able to destroy other instance in onDestroy of an instance,
|
|
cf onDestroy of radiogroup
|
|
*/
|
|
var runtime = this.runtime;
|
|
this.toBeDestroyed = [];
|
|
this.currentDialogs = [];
|
|
this.currentDialogs_lastResetTick = 0;
|
|
this.tags = {};
|
|
this.tags_lastResetTick = 0;
|
|
this.scrollViews = {};
|
|
this.iter = 0;
|
|
this.notRegister = false;
|
|
this.areInputsActive = true;
|
|
};
|
|
instanceProto.getIter = function () {
|
|
this.iter++;
|
|
return this.iter;
|
|
};
|
|
instanceProto.setNoRegister = function () {};
|
|
instanceProto.addTag = function (tag, inst) {
|
|
if (!this.runtime.extra) {
|
|
this.runtime.extra = {};
|
|
}
|
|
if (this.runtime.extra.notRegister || !tag) {
|
|
return;
|
|
}
|
|
/*if(this.runtime.changelayout && this.tags_lastResetTick != this.runtime.tickcount){
|
|
this.tags = {} ;
|
|
this.tags_lastResetTick = this.runtime.tickcount;
|
|
}*/
|
|
if (this.tags.hasOwnProperty(tag)) {
|
|
console.error("PROUI: Tag %s already exist !", tag);
|
|
return;
|
|
}
|
|
this.tags[tag] = inst;
|
|
};
|
|
instanceProto.removeTag = function (tag) {
|
|
delete this.tags[tag];
|
|
};
|
|
instanceProto.addDialog = function (behavior) {
|
|
if (
|
|
this.runtime.changelayout &&
|
|
this.currentDialogs_lastResetTick != this.runtime.tickcount
|
|
) {
|
|
this.currentDialogs.length = 0;
|
|
this.currentDialogs_lastResetTick = this.runtime.tickcount;
|
|
}
|
|
this.currentDialogs.push(behavior);
|
|
};
|
|
instanceProto.isModalDialogOpened = function () {
|
|
for (var i = 0; i < this.currentDialogs.length; i++) {
|
|
if (this.currentDialogs[i].isModal) {
|
|
return true;
|
|
}
|
|
}
|
|
return false;
|
|
};
|
|
instanceProto.removeDialog = function (behavior) {
|
|
this.removeFromArray(this.currentDialogs, behavior);
|
|
};
|
|
instanceProto.removeFromArray = function (array, e) {
|
|
for (var i = 0, l = array.length; i < l; i++) {
|
|
if (array[i] == e) {
|
|
array.splice(i, 1);
|
|
return;
|
|
}
|
|
}
|
|
};
|
|
instanceProto.clearDestroyList = function () {
|
|
var toBeDestroyed = this.toBeDestroyed;
|
|
for (var i = 0, l = toBeDestroyed.length; i < l; i++) {
|
|
this.runtime.DestroyInstance(toBeDestroyed[i]);
|
|
}
|
|
toBeDestroyed.length = 0;
|
|
};
|
|
instanceProto.playAudio = function (fileName) {
|
|
if (this.useHowler) {
|
|
this.getDependency(cr.plugins_.skymenhowlerjs, "howler");
|
|
if (this["howler"]) {
|
|
cr.plugins_.skymenhowlerjs.prototype.acts.PlayByName.call(
|
|
this["howler"],
|
|
fileName,
|
|
this.defaultSoundTag
|
|
);
|
|
} else {
|
|
console.error("ProUI: Please add the Howler plugin to the project.");
|
|
}
|
|
} else {
|
|
this.getDependency(cr.plugins_.Audio, "audio");
|
|
if (this["audio"]) {
|
|
var ret = {
|
|
val: 0,
|
|
set_float(val) {
|
|
ret.val = val;
|
|
},
|
|
};
|
|
cr.plugins_.Audio.prototype.exps.Volume.call(
|
|
this["audio"],
|
|
ret,
|
|
this.defaultSoundTag
|
|
);
|
|
var volume = ret.val;
|
|
cr.plugins_.Audio.prototype.acts.PlayByName.call(
|
|
this["audio"],
|
|
0,
|
|
fileName,
|
|
0,
|
|
volume,
|
|
this.defaultSoundTag
|
|
);
|
|
} else {
|
|
console.error("ProUI: Please add the Audio plugin to the project.");
|
|
}
|
|
}
|
|
};
|
|
instanceProto.getDependency = function (dependency, dependencyRef) {
|
|
if (this[dependencyRef] != null) {
|
|
return this[dependencyRef];
|
|
}
|
|
if (!dependency) {
|
|
console.error("ProUI: Can not find the " + dependencyRef + " object.");
|
|
return;
|
|
}
|
|
var plugins = this.runtime.types;
|
|
var name, inst;
|
|
for (name in plugins) {
|
|
inst = plugins[name].instances[0];
|
|
if (inst instanceof dependency.prototype.Instance) {
|
|
this[dependencyRef] = inst;
|
|
return this[dependencyRef];
|
|
}
|
|
}
|
|
if (!this[dependencyRef]) {
|
|
console.error("ProUI: Can not find " + dependencyRef + " object.");
|
|
}
|
|
};
|
|
instanceProto.isTypeValid = function (inst, types, errorMsg) {
|
|
var test;
|
|
for (var i = 0, l = types.length; i < l; i++) {
|
|
test = types[i] ? inst.type.plugin instanceof types[i] : false;
|
|
if (test) {
|
|
return;
|
|
}
|
|
}
|
|
throw new Error(errorMsg);
|
|
};
|
|
/*behinstProto.runCallback = function ()
|
|
{
|
|
if(this.callbackName == ""){
|
|
return;
|
|
}
|
|
var params = this.callbackParams.split(",");
|
|
if(this.callbackName[0]=="$"){ //$41$transitionToLayout
|
|
var callback = this.callbackName.split("$");
|
|
console.log(callback);
|
|
var inst = this.runtime.getObjectByUID(parseInt(callback[1]));
|
|
if(inst){
|
|
console.log(inst.type);
|
|
}
|
|
}else{
|
|
c2_callFunction(this.callbackName,params);
|
|
}
|
|
};*/
|
|
instanceProto.runCallback = function (callbackName, callbackParams) {
|
|
if (callbackName == "") {
|
|
return;
|
|
}
|
|
var params = callbackParams.split(",");
|
|
var callFunction = window["c2_callFunction"];
|
|
if (callFunction) {
|
|
callFunction(callbackName, params);
|
|
} else {
|
|
console.error("ProUI : Please add the Function plugin to the project.");
|
|
}
|
|
};
|
|
instanceProto.validateSimpleValue = function (value, default_value) {
|
|
var o;
|
|
if (value === true) {
|
|
o = 1;
|
|
} else if (value === false) {
|
|
o = 0;
|
|
} else if (
|
|
value == null ||
|
|
value == undefined ||
|
|
typeof value == "object"
|
|
) {
|
|
if (default_value != null && default_value != undefined)
|
|
o = default_value;
|
|
else o = 0;
|
|
} else {
|
|
o = value;
|
|
}
|
|
return o;
|
|
};
|
|
instanceProto.HookMe = function (obj, types) {
|
|
var type;
|
|
for (var i = 0, l = types.length; i < l; i++) {
|
|
type = types[i];
|
|
this._callbackObjs[type].push(obj);
|
|
}
|
|
};
|
|
instanceProto.UnHookMe = function (obj, types) {
|
|
var type;
|
|
for (var i = 0, l = types.length; i < l; i++) {
|
|
type = types[i];
|
|
cr.arrayFindRemove(this._callbackObjs[type], obj);
|
|
}
|
|
};
|
|
function getThisBehavior(inst, behaviorProto) {
|
|
var i, len;
|
|
for (i = 0, len = inst.behavior_insts.length; i < len; i++) {
|
|
if (inst.behavior_insts[i] instanceof behaviorProto.Instance)
|
|
return inst.behavior_insts[i];
|
|
}
|
|
return null;
|
|
}
|
|
/*var dispatchTouchStart = function(touchX, touchY)
|
|
{
|
|
var instances = this.my_instances.valuesRef();
|
|
var instance;
|
|
var lx, ly;
|
|
var objectInstances = [];
|
|
for (var i=0,l=instances.length; i<l; i++ )
|
|
{
|
|
instance = instances[i];
|
|
if (!instance)
|
|
continue;
|
|
if(!instance.layer.visible || !instance.visible)
|
|
continue;
|
|
lx = instance.layer.canvasToLayer(touchX, touchY, true);
|
|
ly = instance.layer.canvasToLayer(touchX, touchY, false);
|
|
instance.update_bbox();
|
|
if (instance.contains_pt(lx, ly))
|
|
objectInstances.push(instance);
|
|
}
|
|
if (objectInstances.length == 0)
|
|
return;
|
|
var maxZInstance = objectInstances[0];
|
|
for (var i=1,l=objectInstances.length; i<l; i++)
|
|
{
|
|
if ( ( objectInstances[i].layer.index > maxZInstance.layer.index) || ( (objectInstances[i].layer.index == maxZInstance.layer.index) && (objectInstances[i].get_zindex() > maxZInstance.get_zindex()) ) )
|
|
{
|
|
maxZInstance = objectInstances[i];
|
|
}
|
|
}
|
|
var maxZInstanceBehavior = getThisBehavior(maxZInstance,this);
|
|
if(maxZInstanceBehavior.OnTouchStart){
|
|
maxZInstanceBehavior.OnTouchStart();
|
|
}
|
|
objectInstances.length = 0;
|
|
};*/
|
|
var dispatchTouchStart = function (touchX, touchY) {
|
|
var instances = this.my_instances.valuesRef();
|
|
var instance;
|
|
var instanceBehavior;
|
|
var lx, ly;
|
|
for (var i = 0, l = instances.length; i < l; i++) {
|
|
instance = instances[i];
|
|
if (!instance) continue;
|
|
if (!instance.layer.visible || !instance.visible) continue;
|
|
lx = instance.layer.canvasToLayer(touchX, touchY, true);
|
|
ly = instance.layer.canvasToLayer(touchX, touchY, false);
|
|
instance.update_bbox();
|
|
instanceBehavior = getThisBehavior(instance, this);
|
|
if (instanceBehavior.OnAnyTouchStart) {
|
|
instanceBehavior.OnAnyTouchStart();
|
|
}
|
|
if (instance.contains_pt(lx, ly)) {
|
|
if (instanceBehavior.OnTouchStart) {
|
|
instanceBehavior.OnTouchStart(lx, ly);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
var dispatchTouchMove = function (touchX, touchY) {
|
|
var instances = this.my_instances.valuesRef();
|
|
var instance;
|
|
var instanceBehavior;
|
|
var lx, ly;
|
|
for (var i = 0, l = instances.length; i < l; i++) {
|
|
instance = instances[i];
|
|
if (!instance) continue;
|
|
if (!instance.layer.visible || !instance.visible) continue;
|
|
lx = instance.layer.canvasToLayer(touchX, touchY, true);
|
|
ly = instance.layer.canvasToLayer(touchX, touchY, false);
|
|
instance.update_bbox();
|
|
instanceBehavior = getThisBehavior(instance, this);
|
|
/*if(instanceBehavior.OnAnyTouchStart){
|
|
instanceBehavior.OnAnyTouchStart();
|
|
}*/
|
|
if (instance.contains_pt(lx, ly)) {
|
|
if (instanceBehavior.OnTouchMove) {
|
|
instanceBehavior.OnTouchMove(lx, ly);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
var dispatchTouchEnd = function (touchX, touchY) {
|
|
var instances = this.my_instances.valuesRef();
|
|
var instance;
|
|
var instanceBehavior;
|
|
var tx, ty;
|
|
for (var i = 0, l = instances.length; i < l; i++) {
|
|
instance = instances[i];
|
|
if (!instance) continue;
|
|
/*if(!instance.layer.visible || !instance.visible)
|
|
continue;*/
|
|
tx = instance.layer.canvasToLayer(touchX, touchY, true);
|
|
ty = instance.layer.canvasToLayer(touchX, touchY, false);
|
|
instanceBehavior = getThisBehavior(instance, this);
|
|
if (instanceBehavior.OnAnyTouchEnd) {
|
|
instanceBehavior.OnAnyTouchEnd(tx, ty);
|
|
}
|
|
}
|
|
};
|
|
var dispatchWheel = function (triggerDir) {
|
|
var instances = this.my_instances.valuesRef();
|
|
var instance;
|
|
var instanceBehavior;
|
|
for (var i = 0, l = instances.length; i < l; i++) {
|
|
instance = instances[i];
|
|
if (!instance) continue;
|
|
instanceBehavior = getThisBehavior(instance, this);
|
|
if (instanceBehavior.OnWheel) {
|
|
instanceBehavior.OnWheel(triggerDir);
|
|
}
|
|
}
|
|
};
|
|
instanceProto.onWheel = function (info) {
|
|
var delta = info.wheelDelta
|
|
? info.wheelDelta
|
|
: info.detail
|
|
? -info.detail
|
|
: 0;
|
|
this.triggerDir = delta < 0 ? 0 : 1;
|
|
this.handled = false;
|
|
this.runtime.isInUserInputEvent = true;
|
|
for (var i = 0, l = this._callbackObjs["wheel"].length; i < l; i++) {
|
|
this.handled = true;
|
|
dispatchWheel.call(this._callbackObjs["wheel"][i], this.triggerDir);
|
|
}
|
|
this.runtime.isInUserInputEvent = false;
|
|
if (this.handled && cr.isCanvasInputEvent(info)) info.preventDefault();
|
|
};
|
|
instanceProto.onPointerMove = function (info) {
|
|
if (!this.enable) return;
|
|
if (
|
|
info["pointerType"] === info["MSPOINTER_TYPE_MOUSE"] ||
|
|
info["pointerType"] === "mouse"
|
|
)
|
|
return;
|
|
if (info.preventDefault) info.preventDefault();
|
|
var i = this.findTouch(info["pointerId"]);
|
|
var nowtime = cr.performance_now();
|
|
if (i >= 0) {
|
|
var offset = this.runtime.isDomFree
|
|
? dummyoffset
|
|
: jQuery(this.runtime.canvas).offset();
|
|
var t = this.touches[i];
|
|
if (nowtime - t.time < 2) return;
|
|
t.update(
|
|
nowtime,
|
|
info.pageX - offset.left,
|
|
info.pageY - offset.top,
|
|
info.width || 0,
|
|
info.height || 0,
|
|
info.pressure || 0
|
|
);
|
|
var touchx = info.pageX - offset.left;
|
|
var touchy = info.pageY - offset.top;
|
|
var cnt = this._callbackObjs["touch"].length,
|
|
hooki;
|
|
for (hooki = 0; hooki < cnt; hooki++) {
|
|
dispatchTouchMove.call(
|
|
this._callbackObjs["touch"][hooki],
|
|
touchx,
|
|
touchy
|
|
);
|
|
}
|
|
}
|
|
};
|
|
instanceProto.onPointerStart = function (info) {
|
|
if (!this.enable) return;
|
|
if (
|
|
info["pointerType"] === info["MSPOINTER_TYPE_MOUSE"] ||
|
|
info["pointerType"] === "mouse"
|
|
)
|
|
return;
|
|
if (info.preventDefault && cr.isCanvasInputEvent(info))
|
|
info.preventDefault();
|
|
var offset = this.runtime.isDomFree
|
|
? dummyoffset
|
|
: jQuery(this.runtime.canvas).offset();
|
|
var touchx = info.pageX - offset.left;
|
|
var touchy = info.pageY - offset.top;
|
|
var nowtime = cr.performance_now();
|
|
this.trigger_index = this.touches.length;
|
|
this.trigger_id = info["pointerId"];
|
|
this.touches.push(
|
|
AllocTouchInfo(touchx, touchy, info["pointerId"], this.trigger_index)
|
|
);
|
|
this.runtime.isInUserInputEvent = true;
|
|
this.curTouchX = touchx;
|
|
this.curTouchY = touchy;
|
|
var hooki,
|
|
cnt = this._callbackObjs["touch"].length;
|
|
for (hooki = 0; hooki < cnt; hooki++) {
|
|
dispatchTouchStart.call(
|
|
this._callbackObjs["touch"][hooki],
|
|
this.curTouchX,
|
|
this.curTouchY
|
|
);
|
|
}
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.onPointerEnd = function (info, isCancel) {
|
|
if (!this.enable) return;
|
|
if (
|
|
info["pointerType"] === info["MSPOINTER_TYPE_MOUSE"] ||
|
|
info["pointerType"] === "mouse"
|
|
)
|
|
return;
|
|
if (info.preventDefault && cr.isCanvasInputEvent(info))
|
|
info.preventDefault();
|
|
var i = this.findTouch(info["pointerId"]);
|
|
this.trigger_index = i >= 0 ? this.touches[i].startindex : -1;
|
|
this.trigger_id = i >= 0 ? this.touches[i]["id"] : -1;
|
|
this.runtime.isInUserInputEvent = true;
|
|
if (i >= 0) {
|
|
this.lastTouchX = this.touches[i].x;
|
|
this.lastTouchY = this.touches[i].y;
|
|
}
|
|
var cnt = this._callbackObjs["touch"].length,
|
|
hooki;
|
|
for (hooki = 0; hooki < cnt; hooki++) {
|
|
dispatchTouchEnd.call(
|
|
this._callbackObjs["touch"][hooki],
|
|
this.lastTouchX,
|
|
this.lastTouchY
|
|
);
|
|
}
|
|
if (i >= 0) {
|
|
if (!isCancel) this.touches[i].maybeTriggerTap(this, i);
|
|
ReleaseTouchInfo(this.touches[i]);
|
|
this.touches.splice(i, 1);
|
|
}
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.onTouchMove = function (info) {
|
|
if (!this.enable) return;
|
|
if (info.preventDefault) info.preventDefault();
|
|
var nowtime = cr.performance_now();
|
|
var i, len, t, u;
|
|
var cnt = this._callbackObjs["touch"].length,
|
|
hooki;
|
|
for (i = 0, len = info.changedTouches.length; i < len; i++) {
|
|
t = info.changedTouches[i];
|
|
var j = this.findTouch(t["identifier"]);
|
|
if (j >= 0) {
|
|
var offset = this.runtime.isDomFree
|
|
? dummyoffset
|
|
: jQuery(this.runtime.canvas).offset();
|
|
u = this.touches[j];
|
|
if (nowtime - u.time < 2) continue;
|
|
var touchWidth =
|
|
(t.radiusX || t.webkitRadiusX || t.mozRadiusX || t.msRadiusX || 0) *
|
|
2;
|
|
var touchHeight =
|
|
(t.radiusY || t.webkitRadiusY || t.mozRadiusY || t.msRadiusY || 0) *
|
|
2;
|
|
var touchForce =
|
|
t.force || t.webkitForce || t.mozForce || t.msForce || 0;
|
|
u.update(
|
|
nowtime,
|
|
t.pageX - offset.left,
|
|
t.pageY - offset.top,
|
|
touchWidth,
|
|
touchHeight,
|
|
touchForce
|
|
);
|
|
var touchx = t.pageX - offset.left;
|
|
var touchy = t.pageY - offset.top;
|
|
for (hooki = 0; hooki < cnt; hooki++) {
|
|
dispatchTouchMove.call(
|
|
this._callbackObjs["touch"][hooki],
|
|
touchx,
|
|
touchy
|
|
);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
instanceProto.onTouchStart = function (info) {
|
|
if (!this.enable) return;
|
|
if (info.preventDefault && cr.isCanvasInputEvent(info))
|
|
info.preventDefault();
|
|
var offset = this.runtime.isDomFree
|
|
? dummyoffset
|
|
: jQuery(this.runtime.canvas).offset();
|
|
var nowtime = cr.performance_now();
|
|
this.runtime.isInUserInputEvent = true;
|
|
var i, len, t, j;
|
|
var cnt = this._callbackObjs["touch"].length,
|
|
hooki;
|
|
for (i = 0, len = info.changedTouches.length; i < len; i++) {
|
|
t = info.changedTouches[i];
|
|
j = this.findTouch(t["identifier"]);
|
|
if (j !== -1) continue;
|
|
var touchx = t.pageX - offset.left;
|
|
var touchy = t.pageY - offset.top;
|
|
this.trigger_index = this.touches.length;
|
|
this.trigger_id = t["identifier"];
|
|
this.touches.push(
|
|
AllocTouchInfo(touchx, touchy, t["identifier"], this.trigger_index)
|
|
);
|
|
for (hooki = 0; hooki < cnt; hooki++) {
|
|
dispatchTouchStart.call(
|
|
this._callbackObjs["touch"][hooki],
|
|
touchx,
|
|
touchy
|
|
);
|
|
}
|
|
}
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.onTouchEnd = function (info, isCancel) {
|
|
if (!this.enable) return;
|
|
if (info.preventDefault && cr.isCanvasInputEvent(info))
|
|
info.preventDefault();
|
|
this.runtime.isInUserInputEvent = true;
|
|
var i, len, t, j;
|
|
var cnt = this._callbackObjs["touch"].length,
|
|
hooki;
|
|
for (i = 0, len = info.changedTouches.length; i < len; i++) {
|
|
t = info.changedTouches[i];
|
|
j = this.findTouch(t["identifier"]);
|
|
if (j >= 0) {
|
|
this.trigger_index = this.touches[j].startindex;
|
|
this.trigger_id = this.touches[j]["id"];
|
|
this.lastTouchX = this.touches[j].x;
|
|
this.lastTouchY = this.touches[j].y;
|
|
for (hooki = 0; hooki < cnt; hooki++) {
|
|
dispatchTouchEnd.call(
|
|
this._callbackObjs["touch"][hooki],
|
|
this.lastTouchX,
|
|
this.lastTouchY
|
|
);
|
|
}
|
|
if (!isCancel) this.touches[j].maybeTriggerTap(this, j);
|
|
ReleaseTouchInfo(this.touches[j]);
|
|
this.touches.splice(j, 1);
|
|
}
|
|
}
|
|
this.runtime.isInUserInputEvent = false;
|
|
};
|
|
instanceProto.updateCursor = function (info) {
|
|
var offset = this.runtime.isDomFree
|
|
? dummyoffset
|
|
: jQuery(this.runtime.canvas).offset();
|
|
this.cursor.x = info.pageX - offset.left;
|
|
this.cursor.y = info.pageY - offset.top;
|
|
};
|
|
instanceProto.onMouseDown = function (info) {
|
|
if (!this.enable) return;
|
|
this.updateCursor(info);
|
|
this.mouseDown = true;
|
|
if (
|
|
info.preventDefault &&
|
|
this.runtime.had_a_click &&
|
|
!this.runtime.isMobile
|
|
)
|
|
info.preventDefault();
|
|
var index = this.findTouch(0);
|
|
if (index !== -1) {
|
|
ReleaseTouchInfo(this.touches[index]);
|
|
cr.arrayRemove(this.touches, index);
|
|
}
|
|
var t = { pageX: info.pageX, pageY: info.pageY, identifier: 0 };
|
|
var fakeinfo = { changedTouches: [t] };
|
|
this.onTouchStart(fakeinfo);
|
|
};
|
|
instanceProto.onMouseMove = function (info) {
|
|
if (!this.enable) return;
|
|
this.updateCursor(info);
|
|
if (!this.mouseDown) return;
|
|
var t = { pageX: info.pageX, pageY: info.pageY, identifier: 0 };
|
|
var fakeinfo = { changedTouches: [t] };
|
|
this.onTouchMove(fakeinfo);
|
|
};
|
|
instanceProto.onMouseUp = function (info) {
|
|
if (!this.enable) return;
|
|
this.updateCursor(info);
|
|
this.mouseDown = false;
|
|
if (
|
|
info.preventDefault &&
|
|
this.runtime.had_a_click &&
|
|
!this.runtime.isMobile
|
|
)
|
|
info.preventDefault();
|
|
this.runtime.had_a_click = true;
|
|
var t = { pageX: info.pageX, pageY: info.pageY, identifier: 0 };
|
|
var fakeinfo = { changedTouches: [t] };
|
|
this.onTouchEnd(fakeinfo);
|
|
};
|
|
instanceProto.tick2 = function () {
|
|
if (!this.enable) return;
|
|
var i, len, t;
|
|
var nowtime = cr.performance_now();
|
|
for (i = 0, len = this.touches.length; i < len; ++i) {
|
|
t = this.touches[i];
|
|
if (t.time <= nowtime - 50) t.lasttime = nowtime;
|
|
}
|
|
this.lastTouchX = null;
|
|
this.lastTouchY = null;
|
|
/*if(this.firstFrame){
|
|
this.firstFrame = false;
|
|
}*/
|
|
};
|
|
function Cnds() {}
|
|
Cnds.prototype.IsDialogOpened = function () {
|
|
return this.currentDialogs.length;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {}
|
|
pluginProto.acts = new Acts();
|
|
Acts.prototype.SetInputEnabled = function (en) {
|
|
this.enable = en == 1;
|
|
};
|
|
function Exps() {}
|
|
pluginProto.exps = new Exps();
|
|
instanceProto.TouchCount = function (ret) {
|
|
ret.set_int(this.touches.length);
|
|
};
|
|
instanceProto.X = function (layerparam) {
|
|
var index = this.getTouchIndex;
|
|
var result;
|
|
if (index < 0 || index >= this.touches.length) {
|
|
result = 0;
|
|
return result;
|
|
}
|
|
var layer, oldScale, oldZoomRate, oldParallaxX, oldAngle;
|
|
if (cr.is_undefined(layerparam)) {
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxX = layer.parallaxX;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxX = 1.0;
|
|
layer.angle = 0;
|
|
result = layer.canvasToLayer(
|
|
this.touches[index].x,
|
|
this.touches[index].y,
|
|
true
|
|
);
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxX = oldParallaxX;
|
|
layer.angle = oldAngle;
|
|
} else {
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
result = layer.canvasToLayer(
|
|
this.touches[index].x,
|
|
this.touches[index].y,
|
|
true
|
|
);
|
|
else result = 0;
|
|
}
|
|
return result;
|
|
};
|
|
instanceProto.XAt = function (ret, index, layerparam) {
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length) {
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var layer, oldScale, oldZoomRate, oldParallaxX, oldAngle;
|
|
if (cr.is_undefined(layerparam)) {
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxX = layer.parallaxX;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxX = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(
|
|
layer.canvasToLayer(this.touches[index].x, this.touches[index].y, true)
|
|
);
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxX = oldParallaxX;
|
|
layer.angle = oldAngle;
|
|
} else {
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
ret.set_float(
|
|
layer.canvasToLayer(
|
|
this.touches[index].x,
|
|
this.touches[index].y,
|
|
true
|
|
)
|
|
);
|
|
else ret.set_float(0);
|
|
}
|
|
};
|
|
instanceProto.XForID = function (ret, id, layerparam) {
|
|
var index = this.findTouch(id);
|
|
if (index < 0) {
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
var layer, oldScale, oldZoomRate, oldParallaxX, oldAngle;
|
|
if (cr.is_undefined(layerparam)) {
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxX = layer.parallaxX;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxX = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(layer.canvasToLayer(touch.x, touch.y, true));
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxX = oldParallaxX;
|
|
layer.angle = oldAngle;
|
|
} else {
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer) ret.set_float(layer.canvasToLayer(touch.x, touch.y, true));
|
|
else ret.set_float(0);
|
|
}
|
|
};
|
|
instanceProto.Y = function (layerparam) {
|
|
var index = this.getTouchIndex;
|
|
var result;
|
|
if (index < 0 || index >= this.touches.length) {
|
|
result = 0;
|
|
return;
|
|
}
|
|
var layer, oldScale, oldZoomRate, oldParallaxY, oldAngle;
|
|
if (cr.is_undefined(layerparam)) {
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxY = layer.parallaxY;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxY = 1.0;
|
|
layer.angle = 0;
|
|
result = layer.canvasToLayer(
|
|
this.touches[index].x,
|
|
this.touches[index].y,
|
|
false
|
|
);
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxY = oldParallaxY;
|
|
layer.angle = oldAngle;
|
|
} else {
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
result = layer.canvasToLayer(
|
|
this.touches[index].x,
|
|
this.touches[index].y,
|
|
false
|
|
);
|
|
else result = 0;
|
|
}
|
|
return result;
|
|
};
|
|
instanceProto.YAt = function (ret, index, layerparam) {
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length) {
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var layer, oldScale, oldZoomRate, oldParallaxY, oldAngle;
|
|
if (cr.is_undefined(layerparam)) {
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxY = layer.parallaxY;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxY = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(
|
|
layer.canvasToLayer(this.touches[index].x, this.touches[index].y, false)
|
|
);
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxY = oldParallaxY;
|
|
layer.angle = oldAngle;
|
|
} else {
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer)
|
|
ret.set_float(
|
|
layer.canvasToLayer(
|
|
this.touches[index].x,
|
|
this.touches[index].y,
|
|
false
|
|
)
|
|
);
|
|
else ret.set_float(0);
|
|
}
|
|
};
|
|
instanceProto.YForID = function (ret, id, layerparam) {
|
|
var index = this.findTouch(id);
|
|
if (index < 0) {
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
var layer, oldScale, oldZoomRate, oldParallaxY, oldAngle;
|
|
if (cr.is_undefined(layerparam)) {
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxY = layer.parallaxY;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxY = 1.0;
|
|
layer.angle = 0;
|
|
ret.set_float(layer.canvasToLayer(touch.x, touch.y, false));
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxY = oldParallaxY;
|
|
layer.angle = oldAngle;
|
|
} else {
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer) ret.set_float(layer.canvasToLayer(touch.x, touch.y, false));
|
|
else ret.set_float(0);
|
|
}
|
|
};
|
|
instanceProto.AbsoluteX = function (ret) {
|
|
if (this.touches.length) ret.set_float(this.touches[0].x);
|
|
else ret.set_float(0);
|
|
};
|
|
instanceProto.AbsoluteXAt = function (ret, index) {
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length) {
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
ret.set_float(this.touches[index].x);
|
|
};
|
|
instanceProto.AbsoluteXForID = function (ret, id) {
|
|
var index = this.findTouch(id);
|
|
if (index < 0) {
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
ret.set_float(touch.x);
|
|
};
|
|
instanceProto.AbsoluteY = function (ret) {
|
|
if (this.touches.length) ret.set_float(this.touches[0].y);
|
|
else ret.set_float(0);
|
|
};
|
|
instanceProto.AbsoluteYAt = function (ret, index) {
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= this.touches.length) {
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
ret.set_float(this.touches[index].y);
|
|
};
|
|
instanceProto.AbsoluteYForID = function (ret, id) {
|
|
var index = this.findTouch(id);
|
|
if (index < 0) {
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var touch = this.touches[index];
|
|
ret.set_float(touch.y);
|
|
};
|
|
instanceProto.IsInTouch = function () {
|
|
return this.touches.length > 0;
|
|
};
|
|
instanceProto.CursorX = function (layerparam) {
|
|
if (this.cursor.x == null) return null;
|
|
var x;
|
|
var layer, oldScale, oldZoomRate, oldParallaxX, oldAngle;
|
|
if (cr.is_undefined(layerparam)) {
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxX = layer.parallaxX;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxX = 1.0;
|
|
layer.angle = 0;
|
|
x = layer.canvasToLayer(this.cursor.x, this.cursor.y, true);
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxX = oldParallaxX;
|
|
layer.angle = oldAngle;
|
|
} else {
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer) x = layer.canvasToLayer(this.cursor.x, this.cursor.y, true);
|
|
else x = 0;
|
|
}
|
|
return x;
|
|
};
|
|
instanceProto.CursorY = function (layerparam) {
|
|
if (this.cursor.y == null) return null;
|
|
var y;
|
|
var layer, oldScale, oldZoomRate, oldParallaxX, oldAngle;
|
|
if (cr.is_undefined(layerparam)) {
|
|
layer = this.runtime.getLayerByNumber(0);
|
|
oldScale = layer.scale;
|
|
oldZoomRate = layer.zoomRate;
|
|
oldParallaxX = layer.parallaxX;
|
|
oldAngle = layer.angle;
|
|
layer.scale = 1;
|
|
layer.zoomRate = 1.0;
|
|
layer.parallaxX = 1.0;
|
|
layer.angle = 0;
|
|
y = layer.canvasToLayer(this.cursor.x, this.cursor.y, false);
|
|
layer.scale = oldScale;
|
|
layer.zoomRate = oldZoomRate;
|
|
layer.parallaxX = oldParallaxX;
|
|
layer.angle = oldAngle;
|
|
} else {
|
|
if (cr.is_number(layerparam))
|
|
layer = this.runtime.getLayerByNumber(layerparam);
|
|
else layer = this.runtime.getLayerByName(layerparam);
|
|
if (layer) y = layer.canvasToLayer(this.cursor.x, this.cursor.y, false);
|
|
else y = 0;
|
|
}
|
|
return y;
|
|
};
|
|
instanceProto.CursorAbsoluteX = function () {
|
|
return this.cursor.x;
|
|
};
|
|
instanceProto.CursorAbsoluteY = function () {
|
|
return this.cursor.y;
|
|
};
|
|
})();
|
|
/**
|
|
* flood fill algorithm
|
|
* image_data is an array with pixel information as provided in canvas_context.data
|
|
* (x, y) is starting point and color is the color used to replace old color
|
|
*/
|
|
function flood_fill(image_data, canvas_width, canvas_height, x, y, _color) {
|
|
if (x<0 || x>canvas_width){ return;}
|
|
if (y<0 || y>canvas_height){ return;}
|
|
var color = $('<div></div>').css('background-color', _color).css('background-color');
|
|
if(color == "transparent")
|
|
color="rgb(0,0,0)";
|
|
color=color.slice(4,-1).split(",");
|
|
var components = 4; //rgba
|
|
var fillColorR = color[0];
|
|
var fillColorG = color[1];
|
|
var fillColorB = color[2];
|
|
var pixel_pos = (y*canvas_width + x) * components;
|
|
var startR = image_data[pixel_pos];
|
|
var startG = image_data[pixel_pos + 1];
|
|
var startB = image_data[pixel_pos + 2];
|
|
if(fillColorR==startR && fillColorG==startG && fillColorB==startB)
|
|
return; //prevent inf loop.
|
|
function matchStartColor(pixel_pos) {
|
|
return startR == image_data[pixel_pos] &&
|
|
startG == image_data[pixel_pos+1] &&
|
|
startB == image_data[pixel_pos+2];
|
|
}
|
|
function colorPixel(pixel_pos) {
|
|
image_data[pixel_pos] = fillColorR;
|
|
image_data[pixel_pos+1] = fillColorG;
|
|
image_data[pixel_pos+2] = fillColorB;
|
|
image_data[pixel_pos+3] = 255;
|
|
}
|
|
function trace(dir) {
|
|
if(matchStartColor(pixel_pos + dir*components)) {
|
|
if(!sides[dir]) {
|
|
pixelStack.push([x + dir, y]);
|
|
sides[dir]= true;
|
|
}
|
|
}
|
|
else if(sides[dir]) {
|
|
sides[dir]= false;
|
|
}
|
|
}
|
|
var pixelStack = [[x, y]];
|
|
while(pixelStack.length)
|
|
{
|
|
var newPos, x, y, pixel_pos, reachLeft, reachRight;
|
|
newPos = pixelStack.pop();
|
|
x = newPos[0];
|
|
y = newPos[1];
|
|
pixel_pos = (y*canvas_width + x) * components;
|
|
while(y-- >= 0 && matchStartColor(pixel_pos))
|
|
{
|
|
pixel_pos -= canvas_width * components;
|
|
}
|
|
pixel_pos += canvas_width * components;
|
|
++y;
|
|
var sides = [];
|
|
sides[-1] = false;
|
|
sides[1] = false;
|
|
while(y++ < canvas_height-1 && matchStartColor(pixel_pos)) {
|
|
colorPixel(pixel_pos);
|
|
if(x > 0) {
|
|
trace(-1);
|
|
}
|
|
if(x < canvas_width-1) {
|
|
trace(1);
|
|
}
|
|
pixel_pos += canvas_width * components;
|
|
}
|
|
}
|
|
}
|
|
;
|
|
;
|
|
cr.plugins_.c2canvas = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.c2canvas.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
if (this.is_family)
|
|
return;
|
|
this.texture_img = new Image();
|
|
this.texture_img.src = this.texture_file;
|
|
this.texture_img.cr_filesize = this.texture_filesize;
|
|
this.runtime.wait_for_textures.push(this.texture_img);
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var fxNames = [ "lighter",
|
|
"xor",
|
|
"copy",
|
|
"destination-over",
|
|
"source-in",
|
|
"destination-in",
|
|
"source-out",
|
|
"destination-out",
|
|
"source-atop",
|
|
"destination-atop"];
|
|
instanceProto.effectToCompositeOp = function(effect)
|
|
{
|
|
if (effect <= 0 || effect >= 11)
|
|
return "source-over";
|
|
return fxNames[effect - 1]; // not including "none" so offset by 1
|
|
};
|
|
instanceProto.updateBlend = function(effect)
|
|
{
|
|
var gl = this.runtime.gl;
|
|
if (!gl)
|
|
return;
|
|
this.srcBlend = gl.ONE;
|
|
this.destBlend = gl.ONE_MINUS_SRC_ALPHA;
|
|
switch (effect) {
|
|
case 1: // lighter (additive)
|
|
this.srcBlend = gl.ONE;
|
|
this.destBlend = gl.ONE;
|
|
break;
|
|
case 2: // xor
|
|
break; // todo
|
|
case 3: // copy
|
|
this.srcBlend = gl.ONE;
|
|
this.destBlend = gl.ZERO;
|
|
break;
|
|
case 4: // destination-over
|
|
this.srcBlend = gl.ONE_MINUS_DST_ALPHA;
|
|
this.destBlend = gl.ONE;
|
|
break;
|
|
case 5: // source-in
|
|
this.srcBlend = gl.DST_ALPHA;
|
|
this.destBlend = gl.ZERO;
|
|
break;
|
|
case 6: // destination-in
|
|
this.srcBlend = gl.ZERO;
|
|
this.destBlend = gl.SRC_ALPHA;
|
|
break;
|
|
case 7: // source-out
|
|
this.srcBlend = gl.ONE_MINUS_DST_ALPHA;
|
|
this.destBlend = gl.ZERO;
|
|
break;
|
|
case 8: // destination-out
|
|
this.srcBlend = gl.ZERO;
|
|
this.destBlend = gl.ONE_MINUS_SRC_ALPHA;
|
|
break;
|
|
case 9: // source-atop
|
|
this.srcBlend = gl.DST_ALPHA;
|
|
this.destBlend = gl.ONE_MINUS_SRC_ALPHA;
|
|
break;
|
|
case 10: // destination-atop
|
|
this.srcBlend = gl.ONE_MINUS_DST_ALPHA;
|
|
this.destBlend = gl.SRC_ALPHA;
|
|
break;
|
|
}
|
|
};
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.visible = (this.properties[0] === 0); // 0=visible, 1=invisible
|
|
this.compositeOp = this.effectToCompositeOp(this.properties[1]);
|
|
this.updateBlend(this.properties[1]);
|
|
this.canvas = document.createElement('canvas');
|
|
this.canvas.width=this.width;
|
|
this.canvas.height=this.height;
|
|
this.ctx = this.canvas.getContext('2d');
|
|
this.ctx.drawImage(this.type.texture_img,0,0,this.width,this.height);
|
|
this.tCanvas = document.createElement('canvas');
|
|
this.tCtx = this.tCanvas.getContext('2d');
|
|
this.update_tex = true;
|
|
this.rcTex = new cr.rect(0, 0, 0, 0);
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"canvas_w":this.canvas.width,
|
|
"canvas_h":this.canvas.height,
|
|
"image":this.ctx.getImageData(0,0,this.canvas.width,this.canvas.height).data
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
var canvasWidth = this.canvas.width = o["canvas_w"];
|
|
var canvasHeight = this.canvas.height = o["canvas_h"];
|
|
var data = this.ctx.getImageData(0,0,this.canvas.width,this.canvas.height).data;
|
|
for (var y = 0; y < canvasHeight; ++y) {
|
|
for (var x = 0; x < canvasWidth; ++x) {
|
|
var index = (y * canvasWidth + x)*4;
|
|
for (var c = 0; c < 4; ++c)
|
|
data[index+c] = o["image"][index+c];
|
|
}
|
|
}
|
|
};
|
|
instanceProto.draw_instances = function (instances, ctx)
|
|
{
|
|
for(var x in instances)
|
|
{
|
|
if(instances[x].visible==false && this.runtime.testOverlap(this, instances[x])== false)
|
|
continue;
|
|
ctx.save();
|
|
ctx.scale(this.canvas.width/this.width, this.canvas.height/this.height);
|
|
ctx.rotate(-this.angle);
|
|
ctx.translate(-this.bquad.tlx, -this.bquad.tly);
|
|
ctx.globalCompositeOperation = instances[x].compositeOp;//rojo
|
|
if (instances[x].type.pattern !== undefined && instances[x].type.texture_img !== undefined) {
|
|
instances[x].pattern = ctx.createPattern(instances[x].type.texture_img, "repeat");
|
|
}
|
|
instances[x].draw(ctx);
|
|
ctx.restore();
|
|
}
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
ctx.save();
|
|
ctx.globalAlpha = this.opacity;
|
|
ctx.globalCompositeOperation = this.compositeOp;
|
|
var myx = this.x;
|
|
var myy = this.y;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
myx = Math.round(myx);
|
|
myy = Math.round(myy);
|
|
}
|
|
ctx.translate(myx, myy);
|
|
ctx.rotate(this.angle);
|
|
ctx.drawImage(this.canvas,
|
|
0 - (this.hotspotX * this.width),
|
|
0 - (this.hotspotY * this.height),
|
|
this.width,
|
|
this.height);
|
|
ctx.restore();
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
glw.setBlend(this.srcBlend, this.destBlend);
|
|
if (this.update_tex)
|
|
{
|
|
if (this.tex)
|
|
glw.deleteTexture(this.tex);
|
|
this.tex=glw.loadTexture(this.canvas, false, this.runtime.linearSampling);
|
|
this.update_tex = false;
|
|
}
|
|
glw.setTexture(this.tex);
|
|
glw.setOpacity(this.opacity);
|
|
var q = this.bquad;
|
|
if (this.runtime.pixel_rounding)
|
|
{
|
|
var ox = Math.round(this.x) - this.x;
|
|
var oy = Math.round(this.y) - this.y;
|
|
glw.quad(q.tlx + ox, q.tly + oy, q.trx + ox, q.try_ + oy, q.brx + ox, q.bry + oy, q.blx + ox, q.bly + oy);
|
|
}
|
|
else
|
|
glw.quad(q.tlx, q.tly, q.trx, q.try_, q.brx, q.bry, q.blx, q.bly);
|
|
};
|
|
pluginProto.cnds = {};
|
|
var cnds = pluginProto.cnds;
|
|
pluginProto.acts = {};
|
|
var acts = pluginProto.acts;
|
|
acts.SetEffect = function (effect)
|
|
{
|
|
this.compositeOp = this.effectToCompositeOp(effect);
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.DrawPoint = function (x,y, color)
|
|
{
|
|
var ctx=this.ctx;
|
|
ctx.fillStyle = color;
|
|
ctx.fillRect(x,y,1,1);
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.ResizeCanvas = function (width, height)
|
|
{
|
|
this.canvas.width=width;
|
|
this.canvas.height=height;
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.PasteObject = function (object)
|
|
{
|
|
var ctx=this.ctx;
|
|
this.update_bbox();
|
|
var sol = object.getCurrentSol();
|
|
var instances;
|
|
if (sol.select_all)
|
|
instances = sol.type.instances;
|
|
else
|
|
instances = sol.instances;
|
|
this.draw_instances(instances, ctx);
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.PasteLayer = function (layer)
|
|
{
|
|
if (!layer || !layer.visible)
|
|
return false;
|
|
var ctx=this.ctx;
|
|
this.update_bbox();
|
|
this.tCanvas.width=this.canvas.width;
|
|
this.tCanvas.height=this.canvas.height;
|
|
var t=this.tCtx;
|
|
t.clearRect(0,0,this.tCanvas.width, this.tCanvas.height);
|
|
this.draw_instances(layer.instances, t);
|
|
ctx.drawImage(this.tCanvas,0,0,this.width,this.height);
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.DrawBox = function (x, y, width, height, color)
|
|
{
|
|
this.ctx.fillStyle = color;
|
|
this.ctx.fillRect(x,y,width,height);
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.DrawLine = function (x1, y1, x2, y2, color, line_width)
|
|
{
|
|
var ctx = this.ctx;
|
|
ctx.strokeStyle = color;
|
|
ctx.lineWidth = line_width;
|
|
ctx.beginPath();
|
|
ctx.moveTo(x1,y1);
|
|
ctx.lineTo(x2, y2);
|
|
ctx.stroke();
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.ClearCanvas = function ()
|
|
{
|
|
this.ctx.clearRect(0,0,this.canvas.width, this.canvas.height);
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.FillColor = function (color)
|
|
{
|
|
this.ctx.fillStyle = color;
|
|
this.ctx.fillRect(0,0,this.canvas.width, this.canvas.height);
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.fillGradient = function (gradient_style, color1, color2)
|
|
{
|
|
var ctx = this.ctx;
|
|
var w =this.canvas.width;
|
|
var h=this.canvas.height;
|
|
var gradient;
|
|
switch(gradient_style)
|
|
{
|
|
case 0: //horizontal
|
|
gradient = ctx.createLinearGradient(0,0,w,0);
|
|
break;
|
|
case 1: //vertical
|
|
gradient = ctx.createLinearGradient(0,0,0,h);
|
|
break;
|
|
case 2: //diagonal_down_right
|
|
gradient = ctx.createLinearGradient(0,0,w,h);
|
|
break;
|
|
case 3: //diagonal_down_left
|
|
gradient = ctx.createLinearGradient(w,0,0,h);
|
|
break;
|
|
case 4: //radial
|
|
gradient = ctx.createRadialGradient(w/2,h/2,0,w/2,h/2, Math.sqrt(w*w+h*h)/2);
|
|
break;
|
|
}
|
|
try{
|
|
gradient.addColorStop(0, color1);
|
|
}catch(e){
|
|
gradient.addColorStop(0, "black");
|
|
}
|
|
try{
|
|
gradient.addColorStop(1, color2);
|
|
}catch(e){
|
|
gradient.addColorStop(1, "black");
|
|
}
|
|
this.ctx.fillStyle = gradient;
|
|
this.ctx.fillRect(0, 0, w, h);
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.beginPath = function ()
|
|
{
|
|
this.ctx.beginPath();
|
|
};
|
|
acts.drawPath = function (color, line_width)
|
|
{
|
|
var ctx = this.ctx;
|
|
ctx.strokeStyle = color;
|
|
ctx.lineWidth = line_width;
|
|
ctx.stroke();
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.setLineSettings = function (line_cap, line_joint)
|
|
{
|
|
var ctx = this.ctx;
|
|
ctx.lineCap = ["butt","round","square"][line_cap];
|
|
ctx.lineJoin = ["round","bevel","milet"][line_joint];
|
|
};
|
|
acts.fillPath = function (color)
|
|
{
|
|
this.ctx.fillStyle = color;
|
|
this.ctx.fill();
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.moveTo = function (x, y)
|
|
{
|
|
this.ctx.moveTo(x, y);
|
|
};
|
|
acts.lineTo = function (x, y)
|
|
{
|
|
this.ctx.lineTo(x, y);
|
|
};
|
|
acts.arc = function (x, y, radius, start_angle, end_angle, arc_direction)
|
|
{
|
|
this.ctx.arc(x, y, radius, cr.to_radians(start_angle), cr.to_radians(end_angle), arc_direction==1);
|
|
};
|
|
acts.drawCircle = function (x, y, radius, color, line_width)
|
|
{
|
|
var ctx = this.ctx;
|
|
ctx.strokeStyle = color;
|
|
ctx.lineWidth = line_width;
|
|
ctx.beginPath();
|
|
ctx.arc(x, y, radius, 0, cr.to_radians(360), true);
|
|
ctx.stroke();
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.bezierCurveTo = function (cp1x, cp1y, cp2x, cp2y, x, y)
|
|
{
|
|
this.ctx.bezierCurveTo(cp1x, cp1y, cp2x, cp2y, x, y);
|
|
};
|
|
acts.quadraticCurveTo = function (cpx, cpy, x, y)
|
|
{
|
|
this.ctx.quadraticCurveTo(cpx, cpy, x, y);
|
|
};
|
|
acts.rectPath = function (x, y, width, height)
|
|
{
|
|
this.ctx.rect(x,y,width,height);
|
|
};
|
|
acts.FloodFill= function (x,y,color)
|
|
{
|
|
var ctx = this.ctx;
|
|
var I = ctx.getImageData(0, 0, this.canvas.width, this.canvas.height);
|
|
flood_fill(I.data, this.canvas.width, this.canvas.height, x, y, color);
|
|
ctx.putImageData(I,0,0);
|
|
this.runtime.redraw = true;
|
|
this.update_tex = true;
|
|
};
|
|
acts.setLineDash = function (dash_width, space_width)
|
|
{
|
|
var dashArr = [dash_width, space_width];
|
|
this.ctx.setLineDash(dashArr);
|
|
};
|
|
pluginProto.exps = {};
|
|
var exps = pluginProto.exps;
|
|
exps.rgbaAt = function (ret, x, y)
|
|
{
|
|
var imageData= this.ctx.getImageData(x,y,1,1);
|
|
var data= imageData.data;
|
|
ret.set_string("rgba(" + data[0] + "," + data[1] + "," + data[2] + "," + data[3]/255 + ")");
|
|
};
|
|
exps.redAt = function (ret, x, y)
|
|
{
|
|
var imageData= this.ctx.getImageData(x,y,1,1);
|
|
var data= imageData.data;
|
|
ret.set_int(data[0]);
|
|
};
|
|
exps.greenAt = function (ret, x, y)
|
|
{
|
|
var imageData= this.ctx.getImageData(x,y,1,1);
|
|
var data= imageData.data;
|
|
ret.set_int(data[1]);
|
|
};
|
|
exps.blueAt = function (ret, x, y)
|
|
{
|
|
var imageData= this.ctx.getImageData(x,y,1,1);
|
|
var data= imageData.data;
|
|
ret.set_int(data[2]);
|
|
};
|
|
exps.alphaAt = function (ret, x, y)
|
|
{
|
|
var imageData= this.ctx.getImageData(x,y,1,1);
|
|
var data= imageData.data;
|
|
ret.set_int(data[3]*100/255);
|
|
};
|
|
exps.imageUrl = function (ret)
|
|
{
|
|
ret.set_string(this.canvas.toDataURL());
|
|
};
|
|
exps.AsJSON = function(ret)
|
|
{
|
|
ret.set_string( JSON.stringify({
|
|
"c2array": true,
|
|
"size": [1, 1, this.canvas.width * this.canvas.height * 4],
|
|
"data": [[this.ctx.getImageData(0, 0, this.canvas.width, this.canvas.height).data]]
|
|
}));
|
|
};
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.filechooser = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.filechooser.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
var c2URL = window["URL"] || window["webkitURL"] || window["mozURL"] || window["msURL"];
|
|
instanceProto.onCreate = function()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
{
|
|
cr.logexport("[Construct 2] File Chooser plugin not supported on this platform - the object will not be created");
|
|
return;
|
|
}
|
|
this.elem = document.createElement("input");
|
|
this.elem.type = "file";
|
|
this.elem.setAttribute("accept", this.properties[0]);
|
|
if (this.properties[1] !== 0) // multiple selection
|
|
this.elem.setAttribute("multiple", "");
|
|
this.elem.id = this.properties[3];
|
|
jQuery(this.elem).appendTo(this.runtime.canvasdiv ? this.runtime.canvasdiv : "body");
|
|
this.element_hidden = false;
|
|
if (this.properties[2] === 0)
|
|
{
|
|
jQuery(this.elem).hide();
|
|
this.visible = false;
|
|
this.element_hidden = true;
|
|
}
|
|
var self = this;
|
|
this.elem.onchange = function ()
|
|
{
|
|
self.runtime.trigger(cr.plugins_.filechooser.prototype.cnds.OnChanged, self);
|
|
};
|
|
this.lastLeft = 0;
|
|
this.lastTop = 0;
|
|
this.lastRight = 0;
|
|
this.lastBottom = 0;
|
|
this.lastWinWidth = 0;
|
|
this.lastWinHeight = 0;
|
|
this.updatePosition(true);
|
|
this.runtime.tickMe(this);
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
jQuery(this.elem).remove();
|
|
this.elem = null;
|
|
};
|
|
instanceProto.tick = function ()
|
|
{
|
|
this.updatePosition();
|
|
};
|
|
var last_canvas_offset = null;
|
|
var last_checked_tick = -1;
|
|
instanceProto.updatePosition = function (first)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
var left = this.layer.layerToCanvas(this.x, this.y, true);
|
|
var top = this.layer.layerToCanvas(this.x, this.y, false);
|
|
var right = this.layer.layerToCanvas(this.x + this.width, this.y + this.height, true);
|
|
var bottom = this.layer.layerToCanvas(this.x + this.width, this.y + this.height, false);
|
|
var rightEdge = this.runtime.width / this.runtime.devicePixelRatio;
|
|
var bottomEdge = this.runtime.height / this.runtime.devicePixelRatio;
|
|
if (!this.visible || !this.layer.visible || right <= 0 || bottom <= 0 || left >= rightEdge || top >= bottomEdge)
|
|
{
|
|
if (!this.element_hidden)
|
|
jQuery(this.elem).hide();
|
|
this.element_hidden = true;
|
|
return;
|
|
}
|
|
if (left < 1)
|
|
left = 1;
|
|
if (top < 1)
|
|
top = 1;
|
|
if (right >= rightEdge)
|
|
right = rightEdge - 1;
|
|
if (bottom >= bottomEdge)
|
|
bottom = bottomEdge - 1;
|
|
var curWinWidth = window.innerWidth;
|
|
var curWinHeight = window.innerHeight;
|
|
if (!first && this.lastLeft === left && this.lastTop === top && this.lastRight === right && this.lastBottom === bottom && this.lastWinWidth === curWinWidth && this.lastWinHeight === curWinHeight)
|
|
{
|
|
if (this.element_hidden)
|
|
{
|
|
jQuery(this.elem).show();
|
|
this.element_hidden = false;
|
|
}
|
|
return;
|
|
}
|
|
this.lastLeft = left;
|
|
this.lastTop = top;
|
|
this.lastRight = right;
|
|
this.lastBottom = bottom;
|
|
this.lastWinWidth = curWinWidth;
|
|
this.lastWinHeight = curWinHeight;
|
|
if (this.element_hidden)
|
|
{
|
|
jQuery(this.elem).show();
|
|
this.element_hidden = false;
|
|
}
|
|
var offx = Math.round(left) + jQuery(this.runtime.canvas).offset().left;
|
|
var offy = Math.round(top) + jQuery(this.runtime.canvas).offset().top;
|
|
jQuery(this.elem).css("position", "absolute");
|
|
jQuery(this.elem).offset({left: offx, top: offy});
|
|
jQuery(this.elem).width(Math.round(right - left));
|
|
jQuery(this.elem).height(Math.round(bottom - top));
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function(glw)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnChanged = function ()
|
|
{
|
|
return true;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetVisible = function (vis)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
this.visible = (vis !== 0);
|
|
};
|
|
Acts.prototype.SetCSSStyle = function (p, v)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
jQuery(this.elem).css(p, v);
|
|
};
|
|
Acts.prototype.ReleaseFile = function (f)
|
|
{
|
|
if (this.runtime.isDomFree)
|
|
return;
|
|
if (c2URL && c2URL["revokeObjectURL"])
|
|
c2URL["revokeObjectURL"](f);
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.FileCount = function (ret)
|
|
{
|
|
ret.set_int(this.runtime.isDomFree ? 0 : (this.elem["files"].length || 0));
|
|
};
|
|
function getFileAt(files, index)
|
|
{
|
|
if (!files)
|
|
return null;
|
|
index = Math.floor(index);
|
|
if (index < 0 || index >= files.length)
|
|
return null;
|
|
return files[index];
|
|
};
|
|
Exps.prototype.FileNameAt = function (ret, i)
|
|
{
|
|
var file = this.runtime.isDomFree ? null : getFileAt(this.elem["files"], i);
|
|
ret.set_string(file ? (file["name"] || "") : "");
|
|
};
|
|
Exps.prototype.FileSizeAt = function (ret, i)
|
|
{
|
|
var file = this.runtime.isDomFree ? null : getFileAt(this.elem["files"], i);
|
|
ret.set_int(file ? (file["size"] || 0) : 0);
|
|
};
|
|
Exps.prototype.FileTypeAt = function (ret, i)
|
|
{
|
|
var file = this.runtime.isDomFree ? null : getFileAt(this.elem["files"], i);
|
|
ret.set_string(file ? (file["type"] || "") : "");
|
|
};
|
|
Exps.prototype.FileURLAt = function (ret, i)
|
|
{
|
|
var file = this.runtime.isDomFree ? null : getFileAt(this.elem["files"], i);
|
|
if (!file)
|
|
{
|
|
ret.set_string("");
|
|
}
|
|
else if (file["c2url"]) // already created object URL
|
|
{
|
|
ret.set_string(file["c2url"]);
|
|
}
|
|
else if (c2URL && c2URL["createObjectURL"])
|
|
{
|
|
file["c2url"] = c2URL["createObjectURL"](file);
|
|
ret.set_string(file["c2url"]);
|
|
}
|
|
else
|
|
{
|
|
ret.set_string("");
|
|
}
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.gamepad = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.gamepad.prototype;
|
|
var isSupported = false;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
isSupported = !!(navigator["getGamepads"] || navigator["webkitGetGamepads"] || navigator["mozGetGamepads"] || navigator["gamepads"] || navigator["webkitGamepads"] || navigator["MozGamepads"] || window["cr_getGamepads"]);
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
var gamepadRuntime = null;
|
|
var gamepadInstance = null;
|
|
var controllers = new Array(16);
|
|
var padStates = new Array(16);
|
|
var padOldStates = new Array(16);
|
|
var osToken = "";
|
|
var browserToken = "";
|
|
function getPadState(i)
|
|
{
|
|
var j;
|
|
if (!padStates[i])
|
|
{
|
|
padStates[i] = new Array(20);
|
|
for (j = 0; j < 20; ++j)
|
|
padStates[i][j] = 0;
|
|
}
|
|
return padStates[i];
|
|
};
|
|
function getPadOldState(i)
|
|
{
|
|
var j;
|
|
if (!padOldStates[i])
|
|
{
|
|
padOldStates[i] = new Array(20);
|
|
for (j = 0; j < 20; ++j)
|
|
padOldStates[i][j] = 0;
|
|
}
|
|
return padOldStates[i];
|
|
};
|
|
function updatePadOldState(i)
|
|
{
|
|
var cur = getPadState(i);
|
|
var old = getPadOldState(i);
|
|
var j;
|
|
for (j = 0; j < 20; ++j)
|
|
old[j] = cur[j];
|
|
};
|
|
function clearPadState(i)
|
|
{
|
|
padStates[i] = null;
|
|
padOldStates[i] = null;
|
|
};
|
|
var axisOffset = 16;
|
|
var curCtrlMap = null;
|
|
var ctrlmap = {};
|
|
ctrlmap["windows"] = {};
|
|
ctrlmap["windows"]["firefox"] = {};
|
|
function doControllerMapping(index, isAxis, buttonmap, axismap)
|
|
{
|
|
if (isAxis)
|
|
{
|
|
if (index >= axismap.length)
|
|
return -1; // unknown axis
|
|
if (cr.is_number(axismap[index]))
|
|
return axismap[index] + axisOffset;
|
|
else
|
|
{
|
|
return axismap[index]; // returning array
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (index >= buttonmap.length)
|
|
return -1; // unknown button
|
|
return buttonmap[index];
|
|
}
|
|
};
|
|
var win_ff_xbox360_buttons = [0, 1, 2, 3, 4, 5, 8, 9, 10, 11];
|
|
var win_ff_xbox360_axes = [0, 1, [7, 6], 2, 3, [14, 15], [12, 13]];
|
|
ctrlmap["windows"]["firefox"]["xbox360"] = function (index, isAxis)
|
|
{
|
|
return doControllerMapping(index, isAxis, win_ff_xbox360_buttons, win_ff_xbox360_axes);
|
|
};
|
|
var win_ff_lda_buttons = [2, 0, 1, 3, 4, 6, 5, 7, 8, 9];
|
|
var win_ff_lda_axes = [0, 1, 2, 3, [14, 15], [12, 13]];
|
|
ctrlmap["windows"]["firefox"]["logitechdualaction"] = function (index, isAxis)
|
|
{
|
|
return doControllerMapping(index, isAxis, win_ff_lda_buttons, win_ff_lda_axes);
|
|
};
|
|
function defaultMap(index, isAxis)
|
|
{
|
|
if (isAxis)
|
|
{
|
|
if (index >= 4)
|
|
return -1; // unknown axis
|
|
return index + axisOffset;
|
|
}
|
|
else
|
|
{
|
|
if (index >= 16)
|
|
return -1; // unknown button
|
|
return index;
|
|
}
|
|
};
|
|
function getMapper(id_)
|
|
{
|
|
if (!curCtrlMap)
|
|
return defaultMap;
|
|
var controllertoken = "";
|
|
var id = id_.toLowerCase();
|
|
if (id.indexOf("xbox 360") > -1)
|
|
controllertoken = "xbox360";
|
|
else if (id.indexOf("logitech dual action") > -1)
|
|
controllertoken = "logitechdualaction";
|
|
var curmap = curCtrlMap[controllertoken];
|
|
return curmap || defaultMap;
|
|
};
|
|
function onConnected(e)
|
|
{
|
|
controllers[e["gamepad"]["index"]] = e["gamepad"];
|
|
gamepadRuntime.trigger(cr.plugins_.gamepad.prototype.cnds.OnGamepadConnected, gamepadInstance);
|
|
};
|
|
function onDisconnected(e)
|
|
{
|
|
gamepadRuntime.trigger(cr.plugins_.gamepad.prototype.cnds.OnGamepadDisconnected, gamepadInstance);
|
|
controllers[e["gamepad"]["index"]] = null;
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
gamepadRuntime = this.runtime;
|
|
gamepadInstance = this;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.deadzone = this.properties[0];
|
|
this.lastButton = 0;
|
|
var userAgent = navigator.userAgent;
|
|
osToken = "windows";
|
|
if (/mac/i.test(userAgent))
|
|
osToken = "mac";
|
|
curCtrlMap = ctrlmap[osToken];
|
|
browserToken = "chrome";
|
|
if (/firefox/i.test(userAgent))
|
|
browserToken = "firefox";
|
|
if (curCtrlMap)
|
|
curCtrlMap = curCtrlMap[browserToken];
|
|
window.addEventListener("webkitgamepadconnected", onConnected, false);
|
|
window.addEventListener("webkitgamepaddisconnected", onDisconnected, false);
|
|
window.addEventListener("MozGamepadConnected", onConnected, false);
|
|
window.addEventListener("MozGamepadDisconnected", onDisconnected, false);
|
|
window.addEventListener("gamepadconnected", onConnected, false);
|
|
window.addEventListener("gamepaddisconnected", onDisconnected, false);
|
|
this.runtime.tickMe(this);
|
|
this.activeControllers = [];
|
|
};
|
|
instanceProto.tick = function ()
|
|
{
|
|
this.activeControllers.length = 0;
|
|
var gamepads = null;
|
|
var synthetic = false;
|
|
if (navigator["getGamepads"])
|
|
gamepads = navigator["getGamepads"]();
|
|
else if (navigator["webkitGetGamepads"])
|
|
gamepads = navigator["webkitGetGamepads"]();
|
|
else if (navigator["mozGetGamepads"])
|
|
gamepads = navigator["mozGetGamepads"]();
|
|
else if (navigator["msGetGamepads"])
|
|
gamepads = navigator["msGetGamepads"]();
|
|
else if (this.runtime.isWindows8Capable && window["cr_getGamepads"])
|
|
{
|
|
gamepads = window["cr_getGamepads"]();
|
|
synthetic = true;
|
|
}
|
|
else
|
|
gamepads = navigator["gamepads"] || navigator["webkitGamepads"] || navigator["MozGamepads"] || controllers;
|
|
if (!gamepads)
|
|
return;
|
|
var i, len, j, lenj, mapfunc, index, value;
|
|
for (i = 0, len = gamepads.length; i < len; i++)
|
|
{
|
|
var pad = gamepads[i];
|
|
if (!pad)
|
|
{
|
|
clearPadState(i);
|
|
continue;
|
|
}
|
|
var state = getPadState(i);
|
|
var oldstate = getPadOldState(i);
|
|
updatePadOldState(i);
|
|
mapfunc = (synthetic ? defaultMap : getMapper(pad.id));
|
|
for (j = 0, lenj = pad["buttons"].length; j < lenj; j++)
|
|
{
|
|
if (typeof pad["buttons"][j]["value"] !== "undefined")
|
|
value = pad["buttons"][j]["value"];
|
|
else
|
|
value = pad["buttons"][j];
|
|
index = mapfunc(j, false, value);
|
|
if (index >= 0 && index < 20)
|
|
{
|
|
state[index] = value * 100;
|
|
if (state[index] >= 50 && oldstate[index] < 50)
|
|
this.lastButton = index;
|
|
}
|
|
}
|
|
for (j = 0, lenj = pad["axes"].length; j < lenj; j++)
|
|
{
|
|
value = pad["axes"][j];
|
|
index = mapfunc(j, true, value);
|
|
if (cr.is_number(index))
|
|
{
|
|
if (index >= 0 && index < 20)
|
|
state[index] = value * 100;
|
|
}
|
|
else
|
|
{
|
|
state[index[0]] = 0;
|
|
state[index[1]] = 0;
|
|
if (value <= 0)
|
|
state[index[0]] = Math.abs(value * 100);
|
|
else
|
|
state[index[1]] = Math.abs(value * 100);
|
|
}
|
|
}
|
|
this.activeControllers.push(pad);
|
|
}
|
|
for ( ; i < 20; ++i)
|
|
clearPadState(i);
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return { "lastButton": this.lastButton };
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
this.lastButton = o["lastButton"];
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.SupportsGamepad = function ()
|
|
{
|
|
return isSupported;
|
|
};
|
|
Cnds.prototype.OnGamepadConnected = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnGamepadDisconnected = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsButtonDown = function (gamepad, button)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
return false;
|
|
var state = getPadState(gamepad);
|
|
if (!state)
|
|
return false;
|
|
var ret = state[button] >= 50;
|
|
if (ret)
|
|
this.lastButton = button;
|
|
return ret;
|
|
};
|
|
Cnds.prototype.OnButtonDown = function (gamepad, button)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
return false;
|
|
var state = getPadState(gamepad);
|
|
var oldstate = getPadOldState(gamepad);
|
|
if (!state || !oldstate)
|
|
return false;
|
|
var ret = state[button] >= 50 && oldstate[button] < 50;
|
|
if (ret)
|
|
this.lastButton = button;
|
|
return ret;
|
|
};
|
|
Cnds.prototype.OnButtonUp = function (gamepad, button)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
return false;
|
|
var state = getPadState(gamepad);
|
|
var oldstate = getPadOldState(gamepad);
|
|
if (!state || !oldstate)
|
|
return false;
|
|
var ret = state[button] < 50 && oldstate[button] >= 50;
|
|
if (ret)
|
|
this.lastButton = button;
|
|
return ret;
|
|
};
|
|
Cnds.prototype.HasGamepads = function ()
|
|
{
|
|
return this.activeControllers.length > 0;
|
|
};
|
|
Cnds.prototype.CompareAxis = function (gamepad, axis, comparison, value)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
axis = Math.floor(axis);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
return false;
|
|
var state = getPadState(gamepad);
|
|
if (!state)
|
|
return;
|
|
var axisvalue = state[axis + axisOffset];
|
|
var othervalue = 0;
|
|
if (axis % 2 === 0) // is X axis
|
|
othervalue = state[axis + axisOffset + 1]; // get next axis (Y)
|
|
else
|
|
othervalue = state[axis + axisOffset - 1]; // get previous axis (X)
|
|
if (Math.sqrt(axisvalue * axisvalue + othervalue * othervalue) <= this.deadzone)
|
|
axisvalue = 0;
|
|
return cr.do_cmp(axisvalue, comparison, value);
|
|
};
|
|
Cnds.prototype.OnAnyButtonDown = function (gamepad)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
return false;
|
|
var state = getPadState(gamepad);
|
|
var oldstate = getPadOldState(gamepad);
|
|
if (!state || !oldstate)
|
|
return false;
|
|
var i, len;
|
|
for (i = 0, len = state.length; i < len; i++)
|
|
{
|
|
if (state[i] >= 50 && oldstate[i] < 50)
|
|
{
|
|
this.lastButton = i;
|
|
return true;
|
|
}
|
|
}
|
|
return false;
|
|
};
|
|
Cnds.prototype.OnAnyButtonUp = function (gamepad)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
return false;
|
|
var state = getPadState(gamepad);
|
|
var oldstate = getPadOldState(gamepad);
|
|
if (!state || !oldstate)
|
|
return false;
|
|
var i, len;
|
|
for (i = 0, len = state.length; i < len; i++)
|
|
{
|
|
if (state[i] < 50 && oldstate[i] >= 50)
|
|
{
|
|
this.lastButton = i;
|
|
return true;
|
|
}
|
|
}
|
|
return false;
|
|
};
|
|
Cnds.prototype.IsButtonIndexDown = function (gamepad, button)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
return false;
|
|
var state = getPadState(gamepad);
|
|
if (!state)
|
|
return false;
|
|
button = Math.floor(button);
|
|
if (button < 0 || button >= state.length)
|
|
return false;
|
|
var ret = state[button] >= 50;
|
|
if (ret)
|
|
this.lastButton = button;
|
|
return ret;
|
|
};
|
|
Cnds.prototype.OnButtonIndexDown = function (gamepad, button)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
return false;
|
|
var state = getPadState(gamepad);
|
|
var oldstate = getPadOldState(gamepad);
|
|
if (!state || !oldstate)
|
|
return false;
|
|
button = Math.floor(button);
|
|
if (button < 0 || button >= state.length)
|
|
return false;
|
|
var ret = state[button] >= 50 && oldstate[button] < 50;
|
|
if (ret)
|
|
this.lastButton = button;
|
|
return ret;
|
|
};
|
|
Cnds.prototype.OnButtonIndexUp = function (gamepad, button)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
return false;
|
|
var state = getPadState(gamepad);
|
|
var oldstate = getPadOldState(gamepad);
|
|
if (!state || !oldstate)
|
|
return false;
|
|
button = Math.floor(button);
|
|
if (button < 0 || button >= state.length)
|
|
return false;
|
|
var ret = state[button] < 50 && oldstate[button] >= 50;
|
|
if (ret)
|
|
this.lastButton = button;
|
|
return ret;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.GamepadCount = function (ret)
|
|
{
|
|
ret.set_int(this.activeControllers.length);
|
|
};
|
|
Exps.prototype.GamepadID = function (ret, index)
|
|
{
|
|
if (index < 0 || index >= this.activeControllers.length)
|
|
{
|
|
ret.set_string("");
|
|
return;
|
|
}
|
|
ret.set_string(this.activeControllers[index].id);
|
|
};
|
|
Exps.prototype.GamepadAxes = function (ret, index)
|
|
{
|
|
if (index < 0 || index >= this.activeControllers.length)
|
|
{
|
|
ret.set_string("");
|
|
return;
|
|
}
|
|
var axes = this.activeControllers[index]["axes"];
|
|
var str = "";
|
|
var i, len;
|
|
for (i = 0, len = axes.length; i < len; i++)
|
|
{
|
|
str += "Axis " + i + ": " + Math.round(axes[i] * 100) + "\n";
|
|
}
|
|
ret.set_string(str);
|
|
};
|
|
Exps.prototype.GamepadButtons = function (ret, index)
|
|
{
|
|
if (index < 0 || index >= this.activeControllers.length)
|
|
{
|
|
ret.set_string("");
|
|
return;
|
|
}
|
|
var buttons = this.activeControllers[index]["buttons"];
|
|
var str = "";
|
|
var i, len, value;
|
|
for (i = 0, len = buttons.length; i < len; i++)
|
|
{
|
|
if (typeof buttons[i]["value"] !== "undefined")
|
|
value = buttons[i]["value"];
|
|
else
|
|
value = buttons[i];
|
|
str += "Button " + i + ": " + Math.round(value * 100) + "\n";
|
|
}
|
|
ret.set_string(str);
|
|
};
|
|
Exps.prototype.RawButton = function (ret, gamepad, index)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
index = Math.floor(index);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var state = this.activeControllers[gamepad]["buttons"];
|
|
if (!state || index < 0 || index >= state.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
if (typeof state[index]["value"] !== "undefined")
|
|
ret.set_float(state[index]["value"]);
|
|
else
|
|
ret.set_float(state[index]);
|
|
};
|
|
Exps.prototype.RawAxis = function (ret, gamepad, index)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
index = Math.floor(index);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var state = this.activeControllers[gamepad]["axes"];
|
|
if (!state || index < 0 || index >= state.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
ret.set_float(state[index]);
|
|
};
|
|
Exps.prototype.RawButtonCount = function (ret, gamepad)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
{
|
|
ret.set_int(0);
|
|
return;
|
|
}
|
|
ret.set_int(this.activeControllers[gamepad]["buttons"].length);
|
|
};
|
|
Exps.prototype.RawAxisCount = function (ret, gamepad)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
{
|
|
ret.set_int(0);
|
|
return;
|
|
}
|
|
ret.set_int(this.activeControllers[gamepad]["axes"].length);
|
|
};
|
|
Exps.prototype.Button = function (ret, gamepad, index)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
index = Math.floor(index);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var state = getPadState(gamepad);
|
|
if (!state || index < 0 || index >= axisOffset)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
ret.set_float(state[index]);
|
|
};
|
|
Exps.prototype.Axis = function (ret, gamepad, index)
|
|
{
|
|
gamepad = Math.floor(gamepad);
|
|
index = Math.floor(index);
|
|
if (gamepad < 0 || gamepad >= this.activeControllers.length)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var state = getPadState(gamepad);
|
|
if (!state || index < 0 || index >= 4)
|
|
{
|
|
ret.set_float(0);
|
|
return;
|
|
}
|
|
var value = state[index + axisOffset];
|
|
var othervalue = 0;
|
|
if (index % 2 === 0) // is X axis
|
|
othervalue = state[index + axisOffset + 1]; // get next axis (Y)
|
|
else
|
|
othervalue = state[index + axisOffset - 1]; // get previous axis (X)
|
|
if (Math.sqrt(value * value + othervalue * othervalue) <= this.deadzone)
|
|
value = 0;
|
|
ret.set_float(value);
|
|
};
|
|
Exps.prototype.LastButton = function (ret)
|
|
{
|
|
ret.set_int(this.lastButton);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.hmmg_layoutTransition_v2 = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.hmmg_layoutTransition_v2.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
var time = this.properties[0] || null;
|
|
if(time != null)
|
|
if(time >0)
|
|
$("head").append("<style>.animated,animated.hinge,.animated.flipOutX,.animated.flipOutY,.animated.bounceIn,.animated.bounceOut,.animated.flipOutXX,.animated.flipInXX,.animated.flipInYY,.animated.flipOutYY{-webkit-animation-duration: "+time+"s !important;animation-duration: "+time+"s !important;}</style>");
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function (glw)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.isTransitionReady = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.didTransitionStart = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.didTransitionFinish = function ()
|
|
{
|
|
return true;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.prepareTransition = function ()
|
|
{
|
|
var tempcolor = this.properties[1];
|
|
var R = Math.floor(tempcolor/(65536));
|
|
var G = Math.floor(tempcolor/(256)) % 256;
|
|
var B = tempcolor % 256;
|
|
tempcolor = "rgb(" + R + "," + G + "," + B +")";
|
|
var self = this ;
|
|
function prepareCanvas(elem,callback1)
|
|
{
|
|
self.runtime.doCanvasSnapshot("image/jpeg", 100/100);
|
|
setTimeout(function()
|
|
{
|
|
callback1(self.runtime.snapshotData);
|
|
},50);
|
|
}
|
|
function isCanvasReady(callback)
|
|
{
|
|
prepareCanvas(self,function(returnedPic)
|
|
{
|
|
if($("#fakeCanvas")[0] == undefined)
|
|
{
|
|
var c2canvasdiv = $("#c2canvasdiv") ;
|
|
var fakeCanvas = $("<div id='fakeCanvas'><img src='"+returnedPic+"' height='"+c2canvasdiv.height()+"' width='"+c2canvasdiv.width()+"'/><div></div></div>");
|
|
var fakeBody = $("<div id='fakeBody'></div>");
|
|
var marginLeft = parseFloat(c2canvasdiv.css("margin-left"));
|
|
fakeBody.css(
|
|
{
|
|
"top":c2canvasdiv.offset().top,
|
|
"left":c2canvasdiv.offset().left,
|
|
"width":c2canvasdiv.width(),
|
|
"height":c2canvasdiv.height(),
|
|
"background-color": tempcolor
|
|
});
|
|
c2canvasdiv.addClass("prepared").find(" > :not(canvas)").each(function()
|
|
{
|
|
$(this).css("left",($(this).offset().left-marginLeft)+"px");
|
|
});
|
|
fakeBody.appendTo(document.body).append(c2canvasdiv).append(fakeCanvas);
|
|
if(callback)
|
|
callback();
|
|
}
|
|
});
|
|
}
|
|
isCanvasReady(function()
|
|
{
|
|
self.runtime.trigger(cr.plugins_.hmmg_layoutTransition_v2.prototype.cnds.isTransitionReady, self);
|
|
});
|
|
};
|
|
Acts.prototype.startTransition = function (transID)
|
|
{
|
|
var fakeBody = $("#fakeBody");
|
|
var c2canvasdiv = fakeBody.find("#c2canvasdiv") ;
|
|
var fakeCanvas = fakeBody.find("#fakeCanvas");
|
|
var self = this ;
|
|
function darkTheFakeCanvas(callback)
|
|
{
|
|
setTimeout(function()
|
|
{
|
|
fakeCanvas.find("div").addClass("darker");
|
|
if(callback)
|
|
callback();
|
|
},1);
|
|
}
|
|
function removeChanges()
|
|
{
|
|
fakeBody.remove();
|
|
c2canvasdiv.appendTo(document.body).removeClass("prepared");
|
|
self.runtime.trigger(cr.plugins_.hmmg_layoutTransition_v2.prototype.cnds.didTransitionFinish, self)
|
|
}
|
|
self.runtime.trigger(cr.plugins_.hmmg_layoutTransition_v2.prototype.cnds.didTransitionStart, self)
|
|
if(transID == 14)
|
|
{
|
|
c2canvasdiv.addClass("hidden");
|
|
fakeCanvas.addClass('animated rotateOut').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
fakeCanvas.addClass("hidden");
|
|
});
|
|
c2canvasdiv.removeClass("hidden").addClass('animated rotateIn').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
c2canvasdiv.removeClass("animated rotateIn");
|
|
removeChanges();
|
|
});
|
|
}
|
|
else if(transID == 13)
|
|
{
|
|
fakeCanvas.addClass('animated rollOut').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
fakeCanvas.addClass("hidden");
|
|
});
|
|
c2canvasdiv.addClass('animated rollIn').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
c2canvasdiv.removeClass("animated rollIn");
|
|
removeChanges();
|
|
});
|
|
}
|
|
else if(transID == 12)
|
|
{
|
|
fakeCanvas.addClass('animated zoomOut').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
fakeCanvas.addClass("hidden");
|
|
});
|
|
c2canvasdiv.addClass('animated zoomIn').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
c2canvasdiv.removeClass("animated zoomIn");
|
|
removeChanges();
|
|
});
|
|
}
|
|
else if(transID == 11)
|
|
{
|
|
c2canvasdiv.addClass("hidden");
|
|
fakeCanvas.addClass('animated fadeOut').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
fakeCanvas.addClass("hidden");
|
|
c2canvasdiv.removeClass("hidden").addClass('animated fadeIn').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
c2canvasdiv.removeClass("animated fadeIn");
|
|
removeChanges();
|
|
});
|
|
});
|
|
}
|
|
else if(transID == 10)
|
|
{
|
|
c2canvasdiv.addClass("hidden");
|
|
fakeCanvas.addClass('animated fadeOut').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
fakeCanvas.addClass("hidden");
|
|
});
|
|
c2canvasdiv.removeClass("hidden").addClass('animated fadeIn').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
c2canvasdiv.removeClass("animated fadeIn");
|
|
removeChanges();
|
|
});
|
|
}
|
|
else if(transID == 9)
|
|
{
|
|
c2canvasdiv.addClass("hidden");
|
|
fakeCanvas.addClass('animated flipOutYY').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
fakeCanvas.addClass("hidden");
|
|
c2canvasdiv.removeClass("hidden").addClass('animated flipInYY').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
c2canvasdiv.removeClass("animated flipInYY");
|
|
removeChanges();
|
|
});
|
|
});
|
|
}
|
|
else if(transID == 8)
|
|
{
|
|
c2canvasdiv.addClass("hidden");
|
|
fakeCanvas.addClass('animated flipOutXX').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
fakeCanvas.addClass("hidden");
|
|
c2canvasdiv.removeClass("hidden").addClass('animated flipInXX').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
c2canvasdiv.removeClass("animated flipInXX");
|
|
removeChanges();
|
|
});
|
|
});
|
|
}
|
|
else if(transID == 7)
|
|
{
|
|
c2canvasdiv.addClass('animated slideInRight').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
removeChanges();
|
|
c2canvasdiv.removeClass("animated slideInRight");
|
|
});
|
|
}
|
|
else if(transID == 6)
|
|
{
|
|
c2canvasdiv.addClass('animated slideInLeft').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
removeChanges();
|
|
c2canvasdiv.removeClass('animated slideInLeft');
|
|
});
|
|
}
|
|
else if(transID == 5)
|
|
{
|
|
c2canvasdiv.addClass('animated slideInDown').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
removeChanges();
|
|
c2canvasdiv.removeClass('animated slideInDown');
|
|
});
|
|
}
|
|
else if(transID == 4)
|
|
{
|
|
c2canvasdiv.addClass('animated slideInUp').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
removeChanges();
|
|
c2canvasdiv.removeClass('animated slideInUp');
|
|
});
|
|
}
|
|
else if(transID == 3)
|
|
{
|
|
c2canvasdiv.addClass('animated slideInRight').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
removeChanges();
|
|
c2canvasdiv.removeClass("animated slideInRight");
|
|
fakeCanvas.removeClass('animated slideOutLeft');
|
|
});
|
|
fakeCanvas.addClass('animated slideOutLeft');
|
|
}
|
|
else if(transID == 2)
|
|
{
|
|
c2canvasdiv.addClass('animated slideInLeft').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
removeChanges();
|
|
fakeCanvas.removeClass("animated slideOutRight");
|
|
c2canvasdiv.removeClass('animated slideInLeft');
|
|
});
|
|
fakeCanvas.addClass('animated slideOutRight');
|
|
}
|
|
else if(transID == 1)
|
|
{
|
|
c2canvasdiv.addClass('animated slideInDown').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
removeChanges();
|
|
fakeCanvas.removeClass("animated slideOutDown");
|
|
c2canvasdiv.removeClass('animated slideInDown');
|
|
});
|
|
fakeCanvas.addClass('animated slideOutDown');
|
|
}
|
|
else if(transID == 0)
|
|
{
|
|
c2canvasdiv.addClass('animated slideInUp').on('webkitAnimationEnd mozAnimationEnd MSAnimationEnd oanimationend animationend', function()
|
|
{
|
|
removeChanges();
|
|
fakeCanvas.removeClass("animated slideOutUp");
|
|
c2canvasdiv.removeClass('animated slideInUp');
|
|
});
|
|
fakeCanvas.addClass('animated slideOutUp');
|
|
}
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
Math.sign = Math.sign || function(x) {
|
|
x = +x; // convert to a number
|
|
if (x === 0 || isNaN(x)) {
|
|
return Number(x);
|
|
}
|
|
return x > 0 ? 1 : -1;
|
|
}
|
|
cr.plugins_.jcw_trace = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.jcw_trace.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
this.obstacleTypes = [];
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
function TR()
|
|
{
|
|
this.x1 = 0;
|
|
this.y1 = 0;
|
|
this.x2 = 0;
|
|
this.y2 = 0;
|
|
this.dx = 0;
|
|
this.dy = 0;
|
|
this.bounds = new cr.rect(0, 0, 0, 0);
|
|
this.t = 0;
|
|
this.hit = false;
|
|
this.hitx = 0;
|
|
this.hity = 0;
|
|
this.uid = -1;
|
|
this.normalang = 0;
|
|
cr.seal(this);
|
|
}
|
|
var TRProto = TR.prototype;
|
|
TRProto.CalcHitPos = function(padding)
|
|
{
|
|
this.hitx = this.x1 + this.dx * this.t;
|
|
this.hity = this.y1 + this.dy * this.t;
|
|
if (padding === 0) {return;}
|
|
var ang = Math.atan2(-this.dy, -this.dx);
|
|
this.hitx += Math.cos(ang)*padding;
|
|
this.hity += Math.sin(ang)*padding;
|
|
};
|
|
TRProto.GetReflectAng = function()
|
|
{
|
|
return 2*this.normalang - Math.atan2(-this.dy, -this.dx);
|
|
};
|
|
function PointOnLineSide(px, py, x1, y1, x2, y2)
|
|
{
|
|
var dx = x2 - x1;
|
|
var dy = y2 - y1;
|
|
return (y1 - py) * dx - (x1 - px) * dy >= 0 ? 0 : 1;
|
|
}
|
|
function SegmentAABB(tr, bbox, padx, pady)
|
|
{
|
|
var ScaleX = 1.0 / tr.dx;
|
|
var ScaleY = 1.0 / tr.dy;
|
|
var SignX = Math.sign(ScaleX);
|
|
var SignY = Math.sign(ScaleY);
|
|
var PosX = (bbox.left + bbox.right) / 2;
|
|
var PosY = (bbox.top + bbox.bottom) / 2;
|
|
var HalfW = (bbox.right - bbox.left) / 2 + padx;
|
|
var HalfH = (bbox.bottom - bbox.top) / 2 + pady;
|
|
var NearTimeX = (PosX - SignX * HalfW - tr.x1) * ScaleX;
|
|
var NearTimeY = (PosY - SignY * HalfH - tr.y1) * ScaleY;
|
|
var FarTimeX = (PosX + SignX * HalfW - tr.x1) * ScaleX;
|
|
var FarTimeY = (PosY + SignY * HalfH - tr.y1) * ScaleY;
|
|
if (NearTimeX > FarTimeY || NearTimeY > FarTimeX) return false;
|
|
var NearTime = NearTimeX > NearTimeY ? NearTimeX : NearTimeY;
|
|
var FarTime = FarTimeX < FarTimeY ? FarTimeX : FarTimeY;
|
|
if (NearTime >= tr.t || FarTime <= 0) return false;
|
|
tr.t = Math.max(NearTime, 0);
|
|
tr.hit = true;
|
|
if (NearTimeX > NearTimeY)
|
|
{
|
|
tr.normalang = Math.atan2(0, -SignX);
|
|
}
|
|
else
|
|
{
|
|
tr.normalang = Math.atan2(-SignY, 0);
|
|
}
|
|
return true;
|
|
}
|
|
function InterceptSegment(s2x1, s2y1, s2x2, s2y2, s1x1, s1y1, s1x2, s1y2)
|
|
{
|
|
var s1dx = s1x2 - s1x1;
|
|
var s1dy = s1y2 - s1y1;
|
|
var s2dx = s2x2 - s2x1;
|
|
var s2dy = s2y2 - s2y1;
|
|
var den = s1dy * s2dx - s1dx * s2dy;
|
|
if (den === 0) {return 0;}
|
|
var num = (s1x1 - s2x1) * s1dy + (s2y1 - s1y1) * s1dx;
|
|
return num / den;
|
|
}
|
|
function SegmentQuad(tr, bquad)
|
|
{
|
|
var hit = false;
|
|
if (bquad.contains_pt(tr.x1, tr.y1))
|
|
{
|
|
tr.t = 0;
|
|
tr.hit = true;
|
|
tr.normalang = Math.atan2(-tr.dy, -tr.dx);
|
|
return true;
|
|
}
|
|
var i, t;
|
|
var px1, py1, px2, py2;
|
|
for (i = 0; i < 4; i++)
|
|
{
|
|
px1 = bquad.at(i, true);
|
|
py1 = bquad.at(i, false);
|
|
px2 = bquad.at(i + 1, true);
|
|
py2 = bquad.at(i + 1, false);
|
|
if (!cr.segments_intersect(tr.x1, tr.y1, tr.x2, tr.y2, px1, py1, px2, py2)) continue;
|
|
t = InterceptSegment(tr.x1, tr.y1, tr.x2, tr.y2, px1, py1, px2, py2);
|
|
if (t < tr.t)
|
|
{
|
|
hit = true;
|
|
tr.t = t;
|
|
tr.hit = true;
|
|
tr.normalang = Math.atan2(px1 - px2, py2 - py1);
|
|
}
|
|
}
|
|
return hit;
|
|
}
|
|
function SegmentPolygon(tr, polygon, offx, offy)
|
|
{
|
|
var points = polygon.pts_cache;
|
|
if (polygon.contains_pt(tr.x1 - offx, tr.y1 - offy))
|
|
{
|
|
tr.t = 0;
|
|
tr.hit = true;
|
|
tr.normalang = Math.atan2(-tr.dy, -tr.dx);
|
|
return true;
|
|
}
|
|
var i, leni, i2, imod, t;
|
|
var px1, py1, px2, py2;
|
|
var hit = false;
|
|
for (i = 0, leni = polygon.pts_count; i < leni; i++)
|
|
{
|
|
i2 = i*2;
|
|
imod = ((i+1)%leni)*2;
|
|
px1 = points[i2] + offx;
|
|
py1 = points[i2+1] + offy;
|
|
px2 = points[imod] + offx;
|
|
py2 = points[imod+1] + offy;
|
|
if (!cr.segments_intersect(tr.x1, tr.y1, tr.x2, tr.y2, px1, py1, px2, py2)) continue;
|
|
t = InterceptSegment(tr.x1, tr.y1, tr.x2, tr.y2, px1, py1, px2, py2);
|
|
if (t < tr.t)
|
|
{
|
|
hit = true;
|
|
tr.t = t;
|
|
tr.hit = true;
|
|
if (PointOnLineSide(tr.x1, tr.y1, px1, py1, px2, py2) === 0)
|
|
{
|
|
tr.normalang = Math.atan2(px1 - px2, py2 - py1);
|
|
}
|
|
else
|
|
{
|
|
tr.normalang = Math.atan2(px2 - px1, py1 - py2);
|
|
}
|
|
}
|
|
}
|
|
return hit;
|
|
}
|
|
var collrect_candidates = [];
|
|
var tmpRect = new cr.rect(0, 0, 0, 0);
|
|
function SegmentTilemap(tr, inst)
|
|
{
|
|
inst.getCollisionRectCandidates(tr.bounds, collrect_candidates);
|
|
var i, len, c, tilerc;
|
|
var tmx = inst.x;
|
|
var tmy = inst.y;
|
|
var hit = false;
|
|
for (i = 0, len = collrect_candidates.length; i < len; ++i)
|
|
{
|
|
c = collrect_candidates[i];
|
|
tilerc = c.rc;
|
|
if (!tr.bounds.intersects_rect_off(tilerc, tmx, tmy)) continue;
|
|
tmpRect.copy(tilerc);
|
|
tmpRect.offset(tmx, tmy);
|
|
if (c.poly)
|
|
{
|
|
if (SegmentPolygon(tr, c.poly, tmpRect.left, tmpRect.top)) hit = true;
|
|
}
|
|
else
|
|
{
|
|
if (SegmentAABB(tr, tmpRect, 0, 0)) hit = true;
|
|
}
|
|
}
|
|
cr.clearArray(collrect_candidates);
|
|
return hit;
|
|
}
|
|
function SegmentOverlap(tr, inst)
|
|
{
|
|
if (!inst || !inst.collisionsEnabled) return;
|
|
inst.update_bbox();
|
|
if (!inst.bbox.intersects_rect(tr.bounds)) return;
|
|
var hit = false;
|
|
if (inst.tilemap_exists)
|
|
{
|
|
hit = SegmentTilemap(tr, inst);
|
|
}
|
|
else if (inst.collision_poly && !inst.collision_poly.is_empty())
|
|
{
|
|
var polygon = inst.collision_poly;
|
|
polygon.cache_poly(inst.width, inst.height, inst.angle);
|
|
hit = SegmentPolygon(tr, polygon, inst.x, inst.y);
|
|
}
|
|
else
|
|
{
|
|
if (inst.angle === 0) hit = SegmentAABB(tr, inst.bbox, 0, 0); else hit = SegmentQuad(tr, inst.bquad);
|
|
}
|
|
if (hit) tr.uid = inst.uid;
|
|
}
|
|
function AABBOverlap(tr, inst, halfw, halfh)
|
|
{
|
|
if (!inst || !inst.collisionsEnabled) return;
|
|
inst.update_bbox();
|
|
if (!inst.bbox.intersects_rect(tr.bounds)) return;
|
|
var hit = false;
|
|
if (inst.tilemap_exists)
|
|
{
|
|
}
|
|
else if (inst.collision_poly && !inst.collision_poly.is_empty())
|
|
{
|
|
var polygon = inst.collision_poly;
|
|
polygon.cache_poly(inst.width, inst.height, inst.angle);
|
|
}
|
|
else
|
|
{
|
|
if (inst.angle === 0) hit = SegmentAABB(tr, inst.bbox, halfw, halfh); // else hit = SegmentQuad(tr, inst.bquad);
|
|
}
|
|
if (hit) tr.uid = inst.uid;
|
|
}
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.obstacleMode = this.properties[0];
|
|
this.useCollisionCells = (this.properties[1] !== 0);
|
|
this.padding = cr.clamp(this.properties[2], 0, 1);
|
|
this.tr = new TR();
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
var candidates = [];
|
|
instanceProto.GetOverlapCandidates = function()
|
|
{
|
|
var tr = this.tr;
|
|
var i, leni;
|
|
if (this.obstacleMode === 0)
|
|
{
|
|
if (this.useCollisionCells)
|
|
{
|
|
this.runtime.getSolidCollisionCandidates(null, tr.bounds, candidates);
|
|
}
|
|
else
|
|
{
|
|
var solid = this.runtime.getSolidBehavior();
|
|
if (solid) cr.appendArray(candidates, solid.my_instances.valuesRef());
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (this.useCollisionCells)
|
|
{
|
|
this.runtime.getTypesCollisionCandidates(null, this.type.obstacleTypes, tr.bounds, candidates);
|
|
}
|
|
else
|
|
{
|
|
for (i = 0, leni = this.type.obstacleTypes.length; i < leni; ++i)
|
|
{
|
|
cr.appendArray(candidates, this.type.obstacleTypes[i].instances);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
function Cnds() {}
|
|
Cnds.prototype.Hit = function () { return this.tr.hit; };
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {}
|
|
Acts.prototype.AddObstacle = function (obj_)
|
|
{
|
|
var obstacleTypes = this.type.obstacleTypes;
|
|
if (obstacleTypes.indexOf(obj_) !== -1) return;
|
|
var i, len, t;
|
|
for (i = 0, len = obstacleTypes.length; i < len; i++)
|
|
{
|
|
t = obstacleTypes[i];
|
|
if (t.is_family && t.members.indexOf(obj_) !== -1) return;
|
|
}
|
|
obstacleTypes.push(obj_);
|
|
};
|
|
Acts.prototype.ClearObstacles = function ()
|
|
{
|
|
cr.clearArray(this.type.obstacleTypes);
|
|
};
|
|
Acts.prototype.TraceLine = function (x1, y1, x2, y2)
|
|
{
|
|
var tr = this.tr;
|
|
tr.x1 = x1;
|
|
tr.y1 = y1;
|
|
tr.x2 = x2;
|
|
tr.y2 = y2;
|
|
tr.dx = x2 - x1;
|
|
tr.dy = y2 - y1;
|
|
tr.bounds.set(x1, y1, x2, y2);
|
|
tr.bounds.normalize();
|
|
tr.t = 1;
|
|
tr.hit = false;
|
|
var i, leni, rinst;
|
|
this.GetOverlapCandidates();
|
|
if (this.obstacleMode === 0)
|
|
{
|
|
for (i = 0, leni = candidates.length; i < leni; ++i)
|
|
{
|
|
rinst = candidates[i];
|
|
if (!rinst.extra["solidEnabled"]) continue;
|
|
SegmentOverlap(tr, rinst);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
for (i = 0, leni = candidates.length; i < leni; ++i)
|
|
{
|
|
rinst = candidates[i];
|
|
SegmentOverlap(tr, rinst);
|
|
}
|
|
}
|
|
cr.clearArray(candidates);
|
|
if (tr.hit)
|
|
{
|
|
tr.CalcHitPos(this.padding);
|
|
}
|
|
else
|
|
{
|
|
tr.hitx = x2;
|
|
tr.hity = y2;
|
|
tr.uid = -1;
|
|
tr.normalang = Math.atan2(-tr.dy, -tr.dx);
|
|
}
|
|
};
|
|
Acts.prototype.TraceBox = function (x1, y1, x2, y2, w, h)
|
|
{
|
|
var halfw = w / 2;
|
|
var halfh = h / 2;
|
|
var tr = this.tr;
|
|
tr.x1 = x1;
|
|
tr.y1 = y1;
|
|
tr.x2 = x2;
|
|
tr.y2 = y2;
|
|
tr.dx = x2 - x1;
|
|
tr.dy = y2 - y1;
|
|
tr.bounds.set(x1, y1, x2, y2);
|
|
tr.bounds.normalize();
|
|
tr.bounds.left -= halfw;
|
|
tr.bounds.right += halfw;
|
|
tr.bounds.top -= halfh;
|
|
tr.bounds.bottom += halfh;
|
|
tr.t = 1;
|
|
tr.hit = false;
|
|
var i, leni, rinst;
|
|
this.GetOverlapCandidates()
|
|
if (this.obstacleMode === 0)
|
|
{
|
|
for (i = 0, leni = candidates.length; i < leni; ++i)
|
|
{
|
|
rinst = candidates[i];
|
|
if (!rinst.extra["solidEnabled"]) continue;
|
|
AABBOverlap(tr, rinst, halfw, halfh);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
for (i = 0, leni = candidates.length; i < leni; ++i)
|
|
{
|
|
rinst = candidates[i];
|
|
AABBOverlap(tr, rinst, halfw, halfh);
|
|
}
|
|
}
|
|
cr.clearArray(candidates);
|
|
if (tr.hit)
|
|
{
|
|
tr.CalcHitPos(this.padding);
|
|
}
|
|
else
|
|
{
|
|
tr.hitx = x2;
|
|
tr.hity = y2;
|
|
tr.uid = -1;
|
|
tr.normalang = Math.atan2(-tr.dy, -tr.dx);
|
|
}
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {}
|
|
Exps.prototype.HitUID = function (ret) { ret.set_int(this.tr.uid); };
|
|
Exps.prototype.HitX = function (ret) { ret.set_float(this.tr.hitx); };
|
|
Exps.prototype.HitY = function (ret) { ret.set_float(this.tr.hity); };
|
|
Exps.prototype.NormalAngle = function (ret) { ret.set_float(cr.to_degrees(this.tr.normalang)); };
|
|
Exps.prototype.ReflectAngle = function (ret) { ret.set_float(cr.to_degrees(this.tr.GetReflectAng())); };
|
|
Exps.prototype.HitFrac = function (ret) { ret.set_float(this.tr.t); };
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.rojoPaster = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.rojoPaster.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.visible = (this.properties[0] === 0); // 0=visible, 1=invisible
|
|
this.resx = this.width;
|
|
this.resy = this.height;
|
|
this.verts = [{x:0,y:0,u:0,v:0},
|
|
{x:0,y:0,u:0,v:0},
|
|
{x:0,y:0,u:0,v:0},
|
|
{x:0,y:0,u:0,v:0}];
|
|
this.points=null;
|
|
this.canvas2textureNextTick = 0;
|
|
var glw = this.runtime.glwrap;
|
|
if(glw)
|
|
{
|
|
;
|
|
this.texture = glw.createEmptyTexture(this.resx, this.resy, this.runtime.linearSampling, false);
|
|
this.temp_texture = glw.createEmptyTexture(this.resx, this.resy, this.runtime.linearSampling, false);
|
|
this.quadtex = glw.createEmptyTexture(1, 1, this.runtime.linearSampling, false);
|
|
glw.setTexture(null);
|
|
glw.setRenderingToTexture(this.quadtex);
|
|
glw.clear(0,0,0,1);
|
|
glw.setRenderingToTexture(null);
|
|
this.quadblend = new Object();
|
|
this.quadblend.srcBlend = glw.gl.ONE;
|
|
this.quadblend.destBlend = glw.gl.ONE_MINUS_SRC_ALPHA;
|
|
}
|
|
else
|
|
{
|
|
this.canvas = document.createElement('canvas');
|
|
this.canvas.width=this.resx;
|
|
this.canvas.height=this.resy;
|
|
this.ctx = this.canvas.getContext('2d');
|
|
if (!this.runtime.linearSampling)
|
|
{
|
|
this.ctx.mozImageSmoothingEnabled = false;
|
|
this.ctx.webkitImageSmoothingEnabled = false;
|
|
this.ctx.msImageSmoothingEnabled = false;
|
|
this.ctx.imageSmoothingEnabled = false;
|
|
}
|
|
this.fill="black";
|
|
}
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
if(this.texture)
|
|
{
|
|
this.runtime.glwrap.deleteTexture(this.texture);
|
|
this.runtime.glwrap.deleteTexture(this.quadtex);
|
|
this.runtime.glwrap.deleteTexture(this.temp_texture);
|
|
}
|
|
this.texture=null;
|
|
this.quadtex=null;
|
|
this.temp_texture=null;
|
|
this.canvas=null;
|
|
this.ctx=null;
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
instanceProto.grabCanvas = function()
|
|
{
|
|
var glw = this.runtime.glwrap;
|
|
var img = this.runtime.canvas;
|
|
if(glw)
|
|
{
|
|
if (this.type.plugin.canvasflip == null)
|
|
{
|
|
var canvas = document.createElement('canvas');
|
|
canvas.width = 1;
|
|
canvas.height = 2;
|
|
var gl = canvas.getContext("experimental-webgl");
|
|
gl.clearColor(1, 1, 1, 1);
|
|
gl.clear(gl.COLOR_BUFFER_BIT);
|
|
var prog = gl.createProgram();
|
|
var vss = gl.createShader(gl.VERTEX_SHADER);
|
|
gl.shaderSource(vss, "attribute vec3 pos;void main() {gl_Position = vec4(pos, 1.0);}");
|
|
gl.compileShader(vss);
|
|
gl.attachShader(prog, vss);
|
|
var fss = gl.createShader(gl.FRAGMENT_SHADER);
|
|
gl.shaderSource(fss, "void main() {gl_FragColor = vec4(0.0, 0.0, 0.0, 1.0);}");
|
|
gl.compileShader(fss);
|
|
gl.attachShader(prog, fss);
|
|
gl.linkProgram(prog);
|
|
gl.useProgram(prog);
|
|
gl.bindBuffer(gl.ARRAY_BUFFER, gl.createBuffer());
|
|
gl.bufferData(gl.ARRAY_BUFFER, new Float32Array([-1, -1, 0, 1, -1, 0, -1, 0, 0, 1, 0, 0]), gl.STATIC_DRAW);
|
|
var attr = gl.getAttribLocation(prog, "pos");
|
|
gl.enableVertexAttribArray(attr);
|
|
gl.vertexAttribPointer(attr, 3, gl.FLOAT, false, 0, 0);
|
|
gl.drawArrays(gl.TRIANGLE_STRIP, 0, 4);
|
|
var tex_small = gl.createTexture();
|
|
gl.bindTexture(gl.TEXTURE_2D, tex_small);
|
|
gl.texImage2D(gl.TEXTURE_2D, 0, gl.RGBA, gl.RGBA, gl.UNSIGNED_BYTE, gl.canvas);
|
|
gl.bindTexture(gl.TEXTURE_2D, null);
|
|
var fbo = gl.createFramebuffer();
|
|
gl.bindFramebuffer(gl.FRAMEBUFFER, fbo);
|
|
gl.framebufferTexture2D(gl.FRAMEBUFFER, gl.COLOR_ATTACHMENT0, gl.TEXTURE_2D, tex_small, 0);
|
|
var pixels = new Uint8Array(1 * 2 * 4);
|
|
gl.readPixels( 0, 0, 1, 2, gl.RGBA, gl.UNSIGNED_BYTE, pixels);
|
|
gl.bindFramebuffer(gl.FRAMEBUFFER, null);
|
|
this.type.plugin.canvasflip = pixels[0] == 0;
|
|
gl.deleteTexture(tex_small);
|
|
}
|
|
var gl = glw.gl;
|
|
if(this.texture.c2width != img.width || this.texture.c2height != img.height)
|
|
{
|
|
glw.deleteTexture(this.texture);
|
|
this.texture = null;
|
|
}
|
|
if ( this.texture == null)
|
|
this.texture = glw.createEmptyTexture(img.width, img.height, this.runtime.linearSampling, this.runtime.isMobile);
|
|
if(this.type.plugin.canvasflip)
|
|
{
|
|
glw.gl.pixelStorei(glw.gl.UNPACK_FLIP_Y_WEBGL, true);
|
|
}
|
|
glw.videoToTexture(img, this.texture, this.runtime.isMobile);
|
|
glw.gl.pixelStorei(glw.gl.UNPACK_FLIP_Y_WEBGL, false);
|
|
}
|
|
else
|
|
{
|
|
this.canvas.width = img.width;
|
|
this.canvas.height = img.height;
|
|
this.ctx.drawImage(img, 0, 0, img.width, img.height);
|
|
}
|
|
};
|
|
/* instanceProto.tick = function()
|
|
{
|
|
this.canvas2textureNextTick--;
|
|
if(this.canvas2textureNextTick > 0)
|
|
{
|
|
this.canvas2textureNextTick = 0;
|
|
this.runtime.redraw = true;
|
|
this.grabCanvas();
|
|
}
|
|
};
|
|
*/
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
ctx.globalAlpha = this.opacity;
|
|
ctx.save();
|
|
ctx.translate(this.x, this.y);
|
|
var widthfactor = this.width > 0 ? 1 : -1;
|
|
var heightfactor = this.height > 0 ? 1 : -1;
|
|
if (widthfactor !== 1 || heightfactor !== 1)
|
|
ctx.scale(widthfactor, heightfactor);
|
|
ctx.rotate(this.angle * widthfactor * heightfactor);
|
|
ctx.drawImage(this.canvas,
|
|
0 - (this.hotspotX * cr.abs(this.width)),
|
|
0 - (this.hotspotY * cr.abs(this.height)),
|
|
cr.abs(this.width),
|
|
cr.abs(this.height));
|
|
ctx.restore();
|
|
};
|
|
instanceProto.drawGL = function (glw)
|
|
{
|
|
glw.setTexture(this.texture);
|
|
glw.setOpacity(this.opacity);
|
|
var q = this.bquad;
|
|
glw.quad(q.tlx, q.tly, q.trx, q.try_, q.brx, q.bry, q.blx, q.bly);
|
|
};
|
|
function Cnds() {};
|
|
/* Cnds.prototype.MyCondition = function (myparam)
|
|
{
|
|
return myparam >= 0;
|
|
};*/
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetEffect = function (effect)
|
|
{
|
|
this.compositeOp = cr.effectToCompositeOp(effect);
|
|
cr.setGLBlend(this, effect, this.runtime.gl);
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.PasteObject = function (object)
|
|
{
|
|
var sol = object.getCurrentSol();
|
|
var instances;
|
|
if (sol.select_all)
|
|
instances = sol.type.instances;
|
|
else
|
|
instances = sol.instances;
|
|
this.update_bbox();
|
|
var inst, i, len;
|
|
var glw = this.runtime.glwrap;
|
|
if(glw) //webgl
|
|
{
|
|
if(!this.texture) //bad tex
|
|
return;
|
|
var old_width = glw.width;
|
|
var old_height = glw.height;
|
|
glw.setSize(this.resx,this.resy);
|
|
glw.setTexture(null);
|
|
glw.setRenderingToTexture(this.texture);
|
|
glw.resetModelView();
|
|
glw.scale(this.resx/this.width, -this.resy/this.height);
|
|
glw.rotateZ(-this.angle);
|
|
glw.translate((this.bbox.left + this.bbox.right) / -2, (this.bbox.top + this.bbox.bottom) / -2);
|
|
glw.updateModelView();
|
|
var shaderindex = 0, etindex = 0;
|
|
var e, elen;
|
|
for (i = 0, len = instances.length; i < len; i++)
|
|
{
|
|
inst = instances[i];
|
|
if (this == inst || !inst.visible || inst.width === 0 || inst.height === 0)
|
|
continue;
|
|
inst.update_bbox();
|
|
if( !this.bbox.intersects_rect(inst.bbox))
|
|
continue;
|
|
if (inst.uses_shaders)
|
|
{
|
|
for(e=0, elen=inst.active_effect_types.length; e<elen; ++e)
|
|
{
|
|
glw.setTexture(null);
|
|
glw.setRenderingToTexture(this.temp_texture);
|
|
glw.clear(0,0,0,0);
|
|
shaderindex = inst.active_effect_types[e].shaderindex;
|
|
etindex = inst.active_effect_types[e].index;
|
|
glw.switchProgram(shaderindex);
|
|
glw.setBlend(inst.srcBlend, inst.destBlend);
|
|
glw.setProgramParameters(this.temp_texture, // backTex
|
|
1.0 / inst.width, // pixelWidth
|
|
1.0 / inst.height, // pixelHeight
|
|
0, 1, // destStartX, destStartY,
|
|
1, 0, // destEndX, destEndY,
|
|
1, // this.getScale(),
|
|
0, // this.getAngle(),
|
|
0, 0, // this.viewLeft, this.viewTop,
|
|
0.5, 0.5, // (this.viewLeft + this.viewRight) / 2, (this.viewTop + this.viewBottom) / 2,
|
|
this.runtime.kahanTime.sum,
|
|
inst.effect_params[etindex]);
|
|
inst.drawGL(glw);
|
|
glw.switchProgram(0);
|
|
glw.setTexture(null);
|
|
glw.setRenderingToTexture(this.texture);
|
|
glw.setTexture(this.temp_texture);
|
|
glw.resetModelView();
|
|
glw.scale(this.resx, -this.resy);
|
|
glw.translate(-0.5, -0.5);
|
|
glw.updateModelView();
|
|
glw.setOpacity(inst.opacity);
|
|
glw.setAlphaBlend();
|
|
glw.quad(0,0, 1,0, 1,1, 0,1);
|
|
glw.resetModelView();
|
|
glw.scale(this.resx/this.width, -this.resy/this.height);
|
|
glw.rotateZ(-this.angle);
|
|
glw.translate((this.bbox.left + this.bbox.right) / -2, (this.bbox.top + this.bbox.bottom) / -2);
|
|
glw.updateModelView();
|
|
}
|
|
}
|
|
else // Draw normally without any special shaders
|
|
{
|
|
glw.switchProgram(0); // un-set any previously set shader
|
|
glw.setBlend(inst.srcBlend, inst.destBlend);
|
|
inst.drawGL(glw);
|
|
}
|
|
}
|
|
glw.setRenderingToTexture(null);
|
|
glw.setSize(old_width, old_height);
|
|
}
|
|
else //canvas2d
|
|
{
|
|
var ctx = this.ctx;
|
|
for(i = 0, len = instances.length; i < len; i++)
|
|
{
|
|
inst = instances[i];
|
|
inst.update_bbox();
|
|
if(inst.visible==false && this.runtime.testOverlap(this, inst)== false)
|
|
continue;
|
|
ctx.save();
|
|
ctx.scale(this.canvas.width/this.width, this.canvas.height/this.height);
|
|
ctx.rotate(-this.angle);
|
|
ctx.translate(-this.bquad.tlx, -this.bquad.tly);
|
|
ctx.globalCompositeOperation = inst.compositeOp;
|
|
inst.draw(ctx);
|
|
ctx.restore();
|
|
}
|
|
}
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.ClearColor = function (red,green,blue,alpha)
|
|
{
|
|
red=cr.clamp(red,0,255);
|
|
green=cr.clamp(green,0,255);
|
|
blue=cr.clamp(blue,0,255);
|
|
alpha=cr.clamp(alpha,0,100);
|
|
var glw = this.runtime.glwrap;
|
|
if(glw)
|
|
{
|
|
glw.setTexture(null);
|
|
glw.setRenderingToTexture(this.texture);
|
|
glw.clear(red/255,green/255,blue/255,alpha/100);
|
|
glw.setRenderingToTexture(null);
|
|
}
|
|
else
|
|
{
|
|
this.ctx.fillStyle = "rgba("+parseInt(red)+","+parseInt(green)+","+parseInt(blue)+","+alpha/100+")";
|
|
this.ctx.clearRect(0, 0, this.canvas.width, this.canvas.height);
|
|
this.ctx.fillRect(0,0,this.canvas.width, this.canvas.height);
|
|
}
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.SetResolution = function (resx, resy)
|
|
{
|
|
this.resx = resx;
|
|
this.resy = resy;
|
|
var glw = this.runtime.glwrap;
|
|
if(glw)
|
|
{
|
|
if(this.texture)
|
|
{
|
|
glw.deleteTexture(this.texture);
|
|
glw.deleteTexture(this.temp_texture);
|
|
}
|
|
;
|
|
this.texture = glw.createEmptyTexture(resx, resy, this.runtime.linearSampling, false);
|
|
this.temp_texture = glw.createEmptyTexture(resx, resy, this.runtime.linearSampling, false);
|
|
}
|
|
else
|
|
{
|
|
this.canvas.width=resx;
|
|
this.canvas.height=resy;
|
|
}
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.QuadColor = function (red,green,blue,alpha)
|
|
{
|
|
red=cr.clamp(red,0,255);
|
|
green=cr.clamp(green,0,255);
|
|
blue=cr.clamp(blue,0,255);
|
|
alpha=cr.clamp(alpha,0,100);
|
|
var glw = this.runtime.glwrap;
|
|
if(glw)
|
|
{
|
|
glw.setTexture(null);
|
|
glw.setRenderingToTexture(this.quadtex);
|
|
glw.clear(red/255,green/255,blue/255,alpha/100);
|
|
glw.setRenderingToTexture(null);
|
|
}
|
|
else
|
|
{
|
|
this.fill="rgba("+parseInt(red)+","+parseInt(green)+","+parseInt(blue)+","+alpha/100+")";
|
|
}
|
|
};
|
|
Acts.prototype.DrawQuad = function (x1,y1,x2,y2,x3,y3,x4,y4, blend)
|
|
{
|
|
this.update_bbox();
|
|
var glw = this.runtime.glwrap;
|
|
if(glw)
|
|
{
|
|
glw.setTexture(null);
|
|
glw.setRenderingToTexture(this.texture);
|
|
var old_width = glw.width;
|
|
var old_height = glw.height;
|
|
glw.setSize(this.resx,this.resy);
|
|
glw.resetModelView();
|
|
glw.scale(this.resx/this.width, -this.resy/this.height);
|
|
glw.rotateZ(-this.angle);
|
|
glw.translate((this.bbox.left + this.bbox.right) / -2, (this.bbox.top + this.bbox.bottom) / -2);
|
|
glw.updateModelView();
|
|
glw.setTexture(this.quadtex);
|
|
glw.setOpacity(1);
|
|
cr.setGLBlend(this.quadblend, blend, glw.gl);
|
|
glw.setBlend(this.quadblend.srcBlend, this.quadblend.destBlend);
|
|
glw.quad(x1,y1,x2,y2,x3,y3,x4,y4);
|
|
glw.setRenderingToTexture(null);
|
|
glw.setSize(old_width, old_height);
|
|
}
|
|
else
|
|
{
|
|
var ctx = this.ctx;
|
|
ctx.save();
|
|
ctx.scale(this.canvas.width/this.width, this.canvas.height/this.height);
|
|
ctx.rotate(-this.angle);
|
|
ctx.translate(-this.bquad.tlx, -this.bquad.tly);
|
|
ctx.globalCompositeOperation = cr.effectToCompositeOp(blend);//"source-over";
|
|
ctx.globalAlpha = 1.0;
|
|
ctx.fillStyle = this.fill;
|
|
ctx.beginPath();
|
|
ctx.moveTo(x1, y1);
|
|
ctx.lineTo(x2,y2);
|
|
ctx.lineTo(x3, y3);
|
|
ctx.lineTo(x4, y4);
|
|
ctx.closePath();
|
|
ctx.fill();
|
|
ctx.restore();
|
|
}
|
|
this.runtime.redraw = true;
|
|
};
|
|
function textureMap(ctx, texture, pts)
|
|
{
|
|
var tris = [[0, 1, 2], [2, 3, 0]]; // Split in two triangles
|
|
for (var t=0; t<2; t++) {
|
|
var pp = tris[t];
|
|
var x0 = pts[pp[0]].x, x1 = pts[pp[1]].x, x2 = pts[pp[2]].x;
|
|
var y0 = pts[pp[0]].y, y1 = pts[pp[1]].y, y2 = pts[pp[2]].y;
|
|
var u0 = pts[pp[0]].u, u1 = pts[pp[1]].u, u2 = pts[pp[2]].u;
|
|
var v0 = pts[pp[0]].v, v1 = pts[pp[1]].v, v2 = pts[pp[2]].v;
|
|
ctx.save(); ctx.beginPath(); ctx.moveTo(x0, y0); ctx.lineTo(x1, y1);
|
|
ctx.lineTo(x2, y2); ctx.closePath(); ctx.clip();
|
|
var delta = u0*v1 + v0*u2 + u1*v2 - v1*u2 - v0*u1 - u0*v2;
|
|
var delta_a = x0*v1 + v0*x2 + x1*v2 - v1*x2 - v0*x1 - x0*v2;
|
|
var delta_b = u0*x1 + x0*u2 + u1*x2 - x1*u2 - x0*u1 - u0*x2;
|
|
var delta_c = u0*v1*x2 + v0*x1*u2 + x0*u1*v2 - x0*v1*u2
|
|
- v0*u1*x2 - u0*x1*v2;
|
|
var delta_d = y0*v1 + v0*y2 + y1*v2 - v1*y2 - v0*y1 - y0*v2;
|
|
var delta_e = u0*y1 + y0*u2 + u1*y2 - y1*u2 - y0*u1 - u0*y2;
|
|
var delta_f = u0*v1*y2 + v0*y1*u2 + y0*u1*v2 - y0*v1*u2
|
|
- v0*u1*y2 - u0*y1*v2;
|
|
ctx.transform(delta_a/delta, delta_d/delta,
|
|
delta_b/delta, delta_e/delta,
|
|
delta_c/delta, delta_f/delta);
|
|
ctx.drawImage(texture, 0, 0);
|
|
ctx.restore();
|
|
}
|
|
}
|
|
Acts.prototype.DrawTexQuad = function (x1,y1,x2,y2,x3,y3,x4,y4, blend, opacity, object_type)
|
|
{
|
|
var obj = object_type.getFirstPicked();
|
|
if(!obj)
|
|
return; //no obj picked
|
|
var sprite = obj.curFrame;
|
|
var texture_2d = null;
|
|
var texture_webgl= null;
|
|
if(!sprite)
|
|
{
|
|
if(obj.canvas)
|
|
texture_2d = obj.canvas;
|
|
if(obj.tex)
|
|
texture_webgl = obj.tex;
|
|
if(obj.texture)
|
|
texture_webgl = obj.texture;
|
|
if(obj.texture_img)
|
|
{
|
|
texture_2d = obj.texture_img;
|
|
texture_webgl = obj.webGL_texture;
|
|
}
|
|
}
|
|
this.update_bbox();
|
|
var glw = this.runtime.glwrap;
|
|
if(glw && (sprite || texture_webgl))
|
|
{
|
|
glw.setTexture(null);
|
|
glw.setRenderingToTexture(this.texture);
|
|
var old_width = glw.width;
|
|
var old_height = glw.height;
|
|
glw.setSize(this.resx,this.resy);
|
|
glw.resetModelView();
|
|
glw.scale(this.resx/this.width, -this.resy/this.height);
|
|
glw.rotateZ(-this.angle);
|
|
glw.translate((this.bbox.left + this.bbox.right) / -2, (this.bbox.top + this.bbox.bottom) / -2);
|
|
glw.updateModelView();
|
|
glw.setOpacity(opacity/100);
|
|
cr.setGLBlend(this.quadblend, blend, glw.gl);
|
|
glw.setBlend(this.quadblend.srcBlend, this.quadblend.destBlend);
|
|
if(sprite)
|
|
{
|
|
glw.setTexture(obj.curWebGLTexture);
|
|
if (sprite.spritesheeted)
|
|
glw.quadTex(x1,y1,x2,y2,x3,y3,x4,y4, sprite.sheetTex);
|
|
else
|
|
glw.quad(x1,y1,x2,y2,x3,y3,x4,y4);
|
|
}
|
|
else
|
|
{
|
|
glw.setTexture(texture_webgl);
|
|
glw.quad(x1,y1,x2,y2,x3,y3,x4,y4);
|
|
}
|
|
glw.setRenderingToTexture(null);
|
|
glw.setSize(old_width, old_height);
|
|
}
|
|
else if (sprite || texture_2d)
|
|
{
|
|
var ctx = this.ctx;
|
|
var img = null;
|
|
ctx.save();
|
|
ctx.scale(this.canvas.width/this.width, this.canvas.height/this.height);
|
|
ctx.rotate(-this.angle);
|
|
ctx.translate(-this.bquad.tlx, -this.bquad.tly);
|
|
ctx.globalCompositeOperation = cr.effectToCompositeOp(blend);
|
|
ctx.globalAlpha = opacity/100;
|
|
if(!this.points)
|
|
{
|
|
this.points=[new Object(),new Object(),new Object(),new Object()];
|
|
}
|
|
if(sprite)
|
|
img = sprite.texture_img;
|
|
else
|
|
img = texture_2d;
|
|
if (sprite && sprite.spritesheeted)
|
|
{
|
|
this.points[0].x=x1;
|
|
this.points[0].y=y1;
|
|
this.points[0].u=sprite.offx;
|
|
this.points[0].v=sprite.offy;
|
|
this.points[1].x=x2;
|
|
this.points[1].y=y2;
|
|
this.points[1].u=sprite.offx + sprite.width;
|
|
this.points[1].v=sprite.offy;
|
|
this.points[2].x=x3;
|
|
this.points[2].y=y3;
|
|
this.points[2].u=sprite.offx + sprite.width;
|
|
this.points[2].v=sprite.offy + sprite.height;
|
|
this.points[3].x=x4;
|
|
this.points[3].y=y4;
|
|
this.points[3].u=sprite.offx;
|
|
this.points[3].v=sprite.offy + sprite.height;
|
|
}
|
|
else
|
|
{
|
|
this.points[0].x=x1;
|
|
this.points[0].y=y1;
|
|
this.points[0].u=0;
|
|
this.points[0].v=0;
|
|
this.points[1].x=x2;
|
|
this.points[1].y=y2;
|
|
this.points[1].u=img.width;
|
|
this.points[1].v=0;
|
|
this.points[2].x=x3;
|
|
this.points[2].y=y3;
|
|
this.points[2].u=img.width;
|
|
this.points[2].v=img.height;
|
|
this.points[3].x=x4;
|
|
this.points[3].y=y4;
|
|
this.points[3].u=0;
|
|
this.points[3].v=img.height;
|
|
}
|
|
textureMap(ctx, img, this.points)
|
|
ctx.restore();
|
|
}
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.setVertice = function(index, x,y,u,v)
|
|
{
|
|
index |=0; //make int
|
|
if(index<0 || index>3)
|
|
return;
|
|
this.verts[index].x = x;
|
|
this.verts[index].y = y;
|
|
this.verts[index].u = u;
|
|
this.verts[index].v = v;
|
|
};
|
|
Acts.prototype.DrawSubTexQuad = function (blend, opacity, object_type)
|
|
{
|
|
var obj = object_type.getFirstPicked();
|
|
if(!obj)
|
|
return; //no obj picked
|
|
var x1 = this.verts[0].x;
|
|
var y1 = this.verts[0].y;
|
|
var u1 = this.verts[0].u;
|
|
var v1 = this.verts[0].v;
|
|
var x2 = this.verts[1].x;
|
|
var y2 = this.verts[1].y;
|
|
var u2 = this.verts[1].u;
|
|
var v2 = this.verts[1].v;
|
|
var x3 = this.verts[2].x;
|
|
var y3 = this.verts[2].y;
|
|
var u3 = this.verts[2].u;
|
|
var v3 = this.verts[2].v;
|
|
var x4 = this.verts[3].x;
|
|
var y4 = this.verts[3].y;
|
|
var u4 = this.verts[3].u;
|
|
var v4 = this.verts[3].v;
|
|
var sprite = obj.curFrame;
|
|
var texture_2d = null;
|
|
var texture_webgl= null;
|
|
if(!sprite)
|
|
{
|
|
if(obj.canvas)
|
|
texture_2d = obj.canvas;
|
|
if(obj.tex)
|
|
texture_webgl = obj.tex;
|
|
if(obj.texture)
|
|
texture_webgl = obj.texture;
|
|
if(obj.texture_img)
|
|
{
|
|
texture_2d = obj.texture_img;
|
|
texture_webgl = obj.webGL_texture;
|
|
}
|
|
}
|
|
this.update_bbox();
|
|
var glw = this.runtime.glwrap;
|
|
if(glw && (sprite || texture_webgl))
|
|
{
|
|
glw.setTexture(null);
|
|
glw.setRenderingToTexture(this.texture);
|
|
var old_width = glw.width;
|
|
var old_height = glw.height;
|
|
glw.setSize(this.resx,this.resy);
|
|
glw.resetModelView();
|
|
glw.scale(this.resx/this.width, -this.resy/this.height);
|
|
glw.rotateZ(-this.angle);
|
|
glw.translate((this.bbox.left + this.bbox.right) / -2, (this.bbox.top + this.bbox.bottom) / -2);
|
|
glw.updateModelView();
|
|
glw.setOpacity(opacity/100);
|
|
cr.setGLBlend(this.quadblend, blend, glw.gl);
|
|
glw.setBlend(this.quadblend.srcBlend, this.quadblend.destBlend);
|
|
if(sprite)
|
|
{
|
|
glw.setTexture(obj.curWebGLTexture);
|
|
if (sprite.spritesheeted)
|
|
{
|
|
var bbox = sprite.sheetTex;
|
|
bbox.width = bbox.right - bbox.left;
|
|
bbox.height = bbox.bottom - bbox.top;
|
|
glw.quadTexUV(x1,y1,x2,y2,x3,y3,x4,y4,
|
|
bbox.left + u1*bbox.width,
|
|
bbox.top + v1*bbox.height,
|
|
bbox.left + u2*bbox.width,
|
|
bbox.top + v2*bbox.height,
|
|
bbox.left + u3*bbox.width,
|
|
bbox.top + v3*bbox.height,
|
|
bbox.left + u4*bbox.width,
|
|
bbox.top + v4*bbox.height);
|
|
}
|
|
else
|
|
{
|
|
glw.quadTexUV(x1,y1,x2,y2,x3,y3,x4,y4,u1,v1,u2,v2,u3,v3,u4,v4);
|
|
}
|
|
}
|
|
else
|
|
{
|
|
glw.setTexture(texture_webgl);
|
|
glw.quadTexUV(x1,y1,x2,y2,x3,y3,x4,y4,u1,v1,u2,v2,u3,v3,u4,v4);
|
|
}
|
|
glw.setRenderingToTexture(null);
|
|
glw.setSize(old_width, old_height);
|
|
}
|
|
else if (sprite || texture_2d)
|
|
{
|
|
var ctx = this.ctx;
|
|
var img = null;
|
|
ctx.save();
|
|
ctx.scale(this.canvas.width/this.width, this.canvas.height/this.height);
|
|
ctx.rotate(-this.angle);
|
|
ctx.translate(-this.bquad.tlx, -this.bquad.tly);
|
|
ctx.globalCompositeOperation = cr.effectToCompositeOp(blend);
|
|
ctx.globalAlpha = opacity/100;
|
|
if(!this.points)
|
|
{
|
|
this.points=[new Object(),new Object(),new Object(),new Object()];
|
|
}
|
|
if(sprite)
|
|
img = sprite.texture_img;
|
|
else
|
|
img = texture_2d;
|
|
if (sprite && sprite.spritesheeted)
|
|
{
|
|
this.points[0].x=x1;
|
|
this.points[0].y=y1;
|
|
this.points[0].u=sprite.offx + u1*sprite.width;
|
|
this.points[0].v=sprite.offy + v1*sprite.height;
|
|
this.points[1].x=x2;
|
|
this.points[1].y=y2;
|
|
this.points[1].u=sprite.offx + u2*sprite.width;
|
|
this.points[1].v=sprite.offy + v2*sprite.height;
|
|
this.points[2].x=x3;
|
|
this.points[2].y=y3;
|
|
this.points[2].u=sprite.offx + u3*sprite.width;
|
|
this.points[2].v=sprite.offy + v3*sprite.height;
|
|
this.points[3].x=x4;
|
|
this.points[3].y=y4;
|
|
this.points[3].u=sprite.offx + u4*sprite.width;
|
|
this.points[3].v=sprite.offy + v4*sprite.height;
|
|
}
|
|
else
|
|
{
|
|
this.points[0].x=x1;
|
|
this.points[0].y=y1;
|
|
this.points[0].u=u1*img.width;
|
|
this.points[0].v=v1*img.height;
|
|
this.points[1].x=x2;
|
|
this.points[1].y=y2;
|
|
this.points[1].u=u2*img.width;
|
|
this.points[1].v=v2*img.height;
|
|
this.points[2].x=x3;
|
|
this.points[2].y=y3;
|
|
this.points[2].u=u3*img.width;
|
|
this.points[2].v=v3*img.height;
|
|
this.points[3].x=x4;
|
|
this.points[3].y=y4;
|
|
this.points[3].u=u4*img.width;
|
|
this.points[3].v=v4*img.height;
|
|
}
|
|
textureMap(ctx, img, this.points)
|
|
ctx.restore();
|
|
}
|
|
this.runtime.redraw = true;
|
|
};
|
|
Acts.prototype.LoadImage = function (url_, resize_)
|
|
{
|
|
var self = this;
|
|
var img = new Image();
|
|
img.onload = function()
|
|
{
|
|
self.resx = img.width;
|
|
self.resy = img.height;
|
|
var glw = self.runtime.glwrap;
|
|
if(glw)
|
|
{
|
|
glw.deleteTexture(this.texture);
|
|
glw.deleteTexture(this.temp_texture);
|
|
self.texture = glw.loadTexture(img, false, self.runtime.linearSampling);
|
|
}
|
|
else
|
|
{
|
|
self.canvas.width = img.width;
|
|
self.canvas.height = img.height;
|
|
self.ctx.drawImage(img, 0, 0, img.width, img.height);
|
|
}
|
|
if (resize_ === 0) // resize to image size
|
|
{
|
|
self.width = img.width;
|
|
self.height = img.height;
|
|
self.set_bbox_changed();
|
|
}
|
|
self.runtime.redraw = true;
|
|
}
|
|
if (url_.substr(0, 5) !== "data:")
|
|
img.crossOrigin = 'anonymous';
|
|
img.src = url_;
|
|
};
|
|
Acts.prototype.LoadCanvas = function ()
|
|
{
|
|
this.grabCanvas();
|
|
this.runtime.redraw = true;
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.imageUrl = function (ret)
|
|
{
|
|
var glw = this.runtime.glwrap;
|
|
if(glw)
|
|
{
|
|
var gl = glw.gl;
|
|
var width = this.resx;
|
|
var height = this.resy;
|
|
glw.present();
|
|
var framebuffer = gl.createFramebuffer();
|
|
gl.bindFramebuffer(gl.FRAMEBUFFER, framebuffer);
|
|
gl.framebufferTexture2D(gl.FRAMEBUFFER, gl.COLOR_ATTACHMENT0, gl.TEXTURE_2D, this.texture, 0);
|
|
var dsize=width * height * 4;
|
|
var data = new Uint8Array(dsize);
|
|
gl.readPixels(0, 0, width, height, gl.RGBA, gl.UNSIGNED_BYTE, data);
|
|
for(var i=0, r,g,b,a; i<dsize; i+=4)
|
|
{
|
|
r=data[i]/255;
|
|
g=data[i+1]/255;
|
|
b=data[i+2]/255;
|
|
a=data[i+3]/255;
|
|
data[i]=r/a*255;
|
|
data[i+1]=g/a*255;
|
|
data[i+2]=b/a*255;
|
|
}
|
|
gl.bindFramebuffer(gl.FRAMEBUFFER, null);
|
|
gl.deleteFramebuffer(framebuffer);
|
|
var canvas = document.createElement('canvas');
|
|
canvas.width = width;
|
|
canvas.height = height;
|
|
var context = canvas.getContext('2d');
|
|
var imageData = context.createImageData(width, height);
|
|
imageData.data.set(data);
|
|
context.putImageData(imageData, 0, 0);
|
|
ret.set_string(canvas.toDataURL());
|
|
}
|
|
else
|
|
{
|
|
ret.set_string(this.canvas.toDataURL());
|
|
}
|
|
};
|
|
Exps.prototype.getresx = function (ret)
|
|
{
|
|
ret.set_float(this.resx);
|
|
};
|
|
Exps.prototype.getresy = function (ret)
|
|
{
|
|
ret.set_float(this.resy);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.sirg_notifications = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.sirg_notifications.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
function indexToParamPosition(i){
|
|
switch (i) {
|
|
case 0: return 'top-right';
|
|
case 1: return 'top-left';
|
|
case 2: return 'bottom-left';
|
|
case 3: return 'bottom-right';
|
|
}
|
|
return 'bottom-right';
|
|
};
|
|
function indexToParamFadeInSpeed(i){
|
|
switch (i) {
|
|
case 0: return 'slow';
|
|
case 1: return 'medium';
|
|
case 2: return 'fast';
|
|
}
|
|
return 'slow';
|
|
};
|
|
function indexToParamFadeOutSpeed(i){
|
|
switch (i) {
|
|
case 0: return 'slow';
|
|
case 1: return 'medium';
|
|
case 2: return 'fast';
|
|
}
|
|
return 'slow';
|
|
};
|
|
function indexToParamStyle(i){
|
|
switch (i) {
|
|
case 0: return '';
|
|
case 1: return 'gritter-light';
|
|
case 2: return 'gritter-success';
|
|
case 3: return 'gritter-info';
|
|
case 4: return 'gritter-warning';
|
|
case 5: return 'gritter-error';
|
|
case 6: return 'gritter-red';
|
|
case 7: return 'gritter-yellow';
|
|
case 8: return 'gritter-blue';
|
|
case 9: return 'gritter-green';
|
|
}
|
|
return '';
|
|
};
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.position = indexToParamPosition(this.properties[0]);
|
|
this.fade_in_speed = indexToParamFadeInSpeed(this.properties[1]);
|
|
this.fade_out_speed = indexToParamFadeInSpeed(this.properties[2]);
|
|
this.time = this.properties[3];
|
|
this.max_number = this.properties[4];
|
|
this.param_sticky = (this.properties[5]===0) ? true : false;
|
|
this.param_style = this.properties[6];
|
|
this.curr_tag = "";
|
|
jQuery.extend(jQuery["gritter"].options, {
|
|
"position": this.position, // possibilities: bottom-left, bottom-right, top-left, top-right
|
|
"fade_in_speed": this.fade_in_speed, // how fast notifications fade in (string or int)
|
|
"fade_out_speed": this.fade_out_speed, // how fast the notices fade out
|
|
"time": this.time, // hang on the screen for...
|
|
"max_to_display": this.max_number //
|
|
});
|
|
};
|
|
instanceProto.onDestroy = function ()
|
|
{
|
|
};
|
|
instanceProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
instanceProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function (glw)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnNotificationClicked = function (tag)
|
|
{
|
|
return cr.equals_nocase(tag, this.curr_tag);
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.AddNotification = function (title,text,image,sticky,style,timeout)
|
|
{
|
|
jQuery["gritter"].add({
|
|
"title": title,
|
|
"text": text,
|
|
"image": image,
|
|
"sticky": sticky,
|
|
"time": timeout, // hang on the screen for...
|
|
"class_name": indexToParamStyle(style)
|
|
});
|
|
}
|
|
Acts.prototype.DeleteAllNotifications = function ()
|
|
{
|
|
jQuery["gritter"].removeAll();
|
|
};
|
|
Acts.prototype.AddSimpleNotification = function (title,text,image)
|
|
{
|
|
var self = this;
|
|
jQuery["gritter"].add({
|
|
"title": title,
|
|
"text": text,
|
|
"image": image,
|
|
"sticky": self.param_sticky,
|
|
"class_name": indexToParamStyle(self.param_style)
|
|
});
|
|
}
|
|
Acts.prototype.AddNotificationClickable = function (id,title,text,image,sticky,style,timeout,closeonclick)
|
|
{
|
|
var self = this;
|
|
self.curr_tag = id;
|
|
jQuery["gritter"].add({
|
|
"title": title,
|
|
"text": text,
|
|
"image": image,
|
|
"sticky": sticky,
|
|
"time": timeout, // hang on the screen for...
|
|
"class_name": "gritter-clickable gritter-id-" + id + " " + indexToParamStyle(style),
|
|
"close_on_click": closeonclick
|
|
});
|
|
jQuery(".gritter-id-" + id).click(function(){
|
|
self.runtime.trigger(cr.plugins_.sirg_notifications.prototype.cnds.OnNotificationClicked, self);
|
|
return false;
|
|
});
|
|
}
|
|
Acts.prototype.SetPosition = function (pos) {
|
|
this.position = indexToParamPosition(pos);
|
|
jQuery["gritter"].options["position"] = this.position
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.skymen_minifunctioncallback = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.skymen_minifunctioncallback.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function (glw)
|
|
{
|
|
};
|
|
instanceProto.getArgs = function (args, divider, types)
|
|
{
|
|
if(args == ""){
|
|
return [];
|
|
}
|
|
if(types == ""){
|
|
types = "a";
|
|
}
|
|
var argArray = args.split(divider);
|
|
var typeArray = types.split(divider);
|
|
var difference = 0;
|
|
if(argArray.length > typeArray.length){
|
|
difference = argArray.length - typeArray.length;
|
|
for (var i = 0; i < difference; i++) {
|
|
typeArray.push('a');
|
|
}
|
|
}
|
|
/*else if(argArray.length < typeArray.length){
|
|
difference = typeArray.length - argArray.length;
|
|
for (var i = 0; i < difference; i++) {
|
|
typeArray.pop();
|
|
}
|
|
}*/
|
|
for (var i = 0; i < argArray.length; i++) {
|
|
var char = typeArray[i].trim().charAt(0).toLowerCase();
|
|
if(char != 's' && char != 'a' && char != 'n'){
|
|
console.warn("The type of the given number doesn't exist. Please use Number, String or Any. Note that the type only needs to start with n, a or s, and is not case sensitive, so using a single letter is ok.");
|
|
}
|
|
if(char == 'n'){
|
|
argArray[i] = parseFloat(argArray[i].trim());
|
|
}
|
|
}
|
|
return argArray;
|
|
};
|
|
function Cnds() {};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.Callback = function (name, div, params, types)
|
|
{
|
|
var args = this.getArgs(params, div, types);
|
|
if (c2_callFunction){
|
|
c2_callFunction(name, args);
|
|
}
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Callback = function (ret, name_, div, params, types) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
var fs = pushFuncStack();
|
|
fs.name = name_.toLowerCase();
|
|
fs.retVal = 0;
|
|
cr.clearArray(fs.params);
|
|
fs.params = this.getArgs(params, div, types);
|
|
var ran = this.runtime.trigger(cr.plugins_.Function.prototype.cnds.OnFunction, this, fs.name);
|
|
if (isInPreview && !ran)
|
|
{
|
|
console.warn("[Construct 2] Function object: expression Function.Call('" + name_ + "' ...) was used, but no event was triggered. Is the function call spelt incorrectly or no longer used?");
|
|
}
|
|
popFuncStack();
|
|
ret.set_any(fs.retVal);
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.skymen_siteLock = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.skymen_siteLock.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.sites = this.properties[0].split(' ');
|
|
this.hash = this.properties[1] === 0;
|
|
this.key = this.properties[2];
|
|
this.order = this.properties[3] === 0;
|
|
};
|
|
instanceProto.SiteLock = function () {
|
|
var key = this.key;
|
|
var val = this.getGameSite();
|
|
var temp;
|
|
if (this.hash && this.order) {
|
|
for (var i = 0; i < this.sites.length; i++) {
|
|
var site = this.sites[i];
|
|
key = this.key + i;
|
|
temp = this.hex_hmac_md5(key, val);
|
|
if (site === temp) return false;
|
|
}
|
|
return true;
|
|
}
|
|
if(this.hash){
|
|
temp = this.hex_hmac_md5(key, val);
|
|
return !this.sites.includes(temp);
|
|
}
|
|
return !this.sites.includes(val);
|
|
};
|
|
instanceProto.hex_hmac_md5 = function (k, d) {
|
|
return this.rstr2hex(rstr_hmac_md5(str2rstr_utf8(k), str2rstr_utf8(d)));
|
|
}
|
|
function rstr_hmac_md5(key, data) {
|
|
var bkey = rstr2binl(key);
|
|
if (bkey.length > 16) bkey = binl_md5(bkey, key.length * 8);
|
|
var ipad = Array(16),
|
|
opad = Array(16);
|
|
for (var i = 0; i < 16; i++) {
|
|
ipad[i] = bkey[i] ^ 0x36363636;
|
|
opad[i] = bkey[i] ^ 0x5C5C5C5C;
|
|
}
|
|
var hash = binl_md5(ipad.concat(rstr2binl(data)), 512 + data.length * 8);
|
|
return binl2rstr(binl_md5(opad.concat(hash), 512 + 128));
|
|
}
|
|
function str2rstr_utf8(input) {
|
|
var output = "";
|
|
var i = -1;
|
|
var x, y;
|
|
while (++i < input.length) {
|
|
/* Decode utf-16 surrogate pairs */
|
|
x = input.charCodeAt(i);
|
|
y = i + 1 < input.length ? input.charCodeAt(i + 1) : 0;
|
|
if (0xD800 <= x && x <= 0xDBFF && 0xDC00 <= y && y <= 0xDFFF) {
|
|
x = 0x10000 + ((x & 0x03FF) << 10) + (y & 0x03FF);
|
|
i++;
|
|
}
|
|
/* Encode output as utf-8 */
|
|
if (x <= 0x7F)
|
|
output += String.fromCharCode(x);
|
|
else if (x <= 0x7FF)
|
|
output += String.fromCharCode(0xC0 | ((x >>> 6) & 0x1F),
|
|
0x80 | (x & 0x3F));
|
|
else if (x <= 0xFFFF)
|
|
output += String.fromCharCode(0xE0 | ((x >>> 12) & 0x0F),
|
|
0x80 | ((x >>> 6) & 0x3F),
|
|
0x80 | (x & 0x3F));
|
|
else if (x <= 0x1FFFFF)
|
|
output += String.fromCharCode(0xF0 | ((x >>> 18) & 0x07),
|
|
0x80 | ((x >>> 12) & 0x3F),
|
|
0x80 | ((x >>> 6) & 0x3F),
|
|
0x80 | (x & 0x3F));
|
|
}
|
|
return output;
|
|
}
|
|
function rstr2binl(input) {
|
|
var output = Array(input.length >> 2);
|
|
for (var i = 0; i < output.length; i++)
|
|
output[i] = 0;
|
|
for (var i = 0; i < input.length * 8; i += 8)
|
|
output[i >> 5] |= (input.charCodeAt(i / 8) & 0xFF) << (i % 32);
|
|
return output;
|
|
}
|
|
function binl2rstr(input) {
|
|
var output = "";
|
|
for (var i = 0; i < input.length * 32; i += 8)
|
|
output += String.fromCharCode((input[i >> 5] >>> (i % 32)) & 0xFF);
|
|
return output;
|
|
}
|
|
function binl_md5(x, len) {
|
|
/* append padding */
|
|
x[len >> 5] |= 0x80 << ((len) % 32);
|
|
x[(((len + 64) >>> 9) << 4) + 14] = len;
|
|
var a = 1732584193;
|
|
var b = -271733879;
|
|
var c = -1732584194;
|
|
var d = 271733878;
|
|
for (var i = 0; i < x.length; i += 16) {
|
|
var olda = a;
|
|
var oldb = b;
|
|
var oldc = c;
|
|
var oldd = d;
|
|
a = md5_ff(a, b, c, d, x[i + 0], 7, -680876936);
|
|
d = md5_ff(d, a, b, c, x[i + 1], 12, -389564586);
|
|
c = md5_ff(c, d, a, b, x[i + 2], 17, 606105819);
|
|
b = md5_ff(b, c, d, a, x[i + 3], 22, -1044525330);
|
|
a = md5_ff(a, b, c, d, x[i + 4], 7, -176418897);
|
|
d = md5_ff(d, a, b, c, x[i + 5], 12, 1200080426);
|
|
c = md5_ff(c, d, a, b, x[i + 6], 17, -1473231341);
|
|
b = md5_ff(b, c, d, a, x[i + 7], 22, -45705983);
|
|
a = md5_ff(a, b, c, d, x[i + 8], 7, 1770035416);
|
|
d = md5_ff(d, a, b, c, x[i + 9], 12, -1958414417);
|
|
c = md5_ff(c, d, a, b, x[i + 10], 17, -42063);
|
|
b = md5_ff(b, c, d, a, x[i + 11], 22, -1990404162);
|
|
a = md5_ff(a, b, c, d, x[i + 12], 7, 1804603682);
|
|
d = md5_ff(d, a, b, c, x[i + 13], 12, -40341101);
|
|
c = md5_ff(c, d, a, b, x[i + 14], 17, -1502002290);
|
|
b = md5_ff(b, c, d, a, x[i + 15], 22, 1236535329);
|
|
a = md5_gg(a, b, c, d, x[i + 1], 5, -165796510);
|
|
d = md5_gg(d, a, b, c, x[i + 6], 9, -1069501632);
|
|
c = md5_gg(c, d, a, b, x[i + 11], 14, 643717713);
|
|
b = md5_gg(b, c, d, a, x[i + 0], 20, -373897302);
|
|
a = md5_gg(a, b, c, d, x[i + 5], 5, -701558691);
|
|
d = md5_gg(d, a, b, c, x[i + 10], 9, 38016083);
|
|
c = md5_gg(c, d, a, b, x[i + 15], 14, -660478335);
|
|
b = md5_gg(b, c, d, a, x[i + 4], 20, -405537848);
|
|
a = md5_gg(a, b, c, d, x[i + 9], 5, 568446438);
|
|
d = md5_gg(d, a, b, c, x[i + 14], 9, -1019803690);
|
|
c = md5_gg(c, d, a, b, x[i + 3], 14, -187363961);
|
|
b = md5_gg(b, c, d, a, x[i + 8], 20, 1163531501);
|
|
a = md5_gg(a, b, c, d, x[i + 13], 5, -1444681467);
|
|
d = md5_gg(d, a, b, c, x[i + 2], 9, -51403784);
|
|
c = md5_gg(c, d, a, b, x[i + 7], 14, 1735328473);
|
|
b = md5_gg(b, c, d, a, x[i + 12], 20, -1926607734);
|
|
a = md5_hh(a, b, c, d, x[i + 5], 4, -378558);
|
|
d = md5_hh(d, a, b, c, x[i + 8], 11, -2022574463);
|
|
c = md5_hh(c, d, a, b, x[i + 11], 16, 1839030562);
|
|
b = md5_hh(b, c, d, a, x[i + 14], 23, -35309556);
|
|
a = md5_hh(a, b, c, d, x[i + 1], 4, -1530992060);
|
|
d = md5_hh(d, a, b, c, x[i + 4], 11, 1272893353);
|
|
c = md5_hh(c, d, a, b, x[i + 7], 16, -155497632);
|
|
b = md5_hh(b, c, d, a, x[i + 10], 23, -1094730640);
|
|
a = md5_hh(a, b, c, d, x[i + 13], 4, 681279174);
|
|
d = md5_hh(d, a, b, c, x[i + 0], 11, -358537222);
|
|
c = md5_hh(c, d, a, b, x[i + 3], 16, -722521979);
|
|
b = md5_hh(b, c, d, a, x[i + 6], 23, 76029189);
|
|
a = md5_hh(a, b, c, d, x[i + 9], 4, -640364487);
|
|
d = md5_hh(d, a, b, c, x[i + 12], 11, -421815835);
|
|
c = md5_hh(c, d, a, b, x[i + 15], 16, 530742520);
|
|
b = md5_hh(b, c, d, a, x[i + 2], 23, -995338651);
|
|
a = md5_ii(a, b, c, d, x[i + 0], 6, -198630844);
|
|
d = md5_ii(d, a, b, c, x[i + 7], 10, 1126891415);
|
|
c = md5_ii(c, d, a, b, x[i + 14], 15, -1416354905);
|
|
b = md5_ii(b, c, d, a, x[i + 5], 21, -57434055);
|
|
a = md5_ii(a, b, c, d, x[i + 12], 6, 1700485571);
|
|
d = md5_ii(d, a, b, c, x[i + 3], 10, -1894986606);
|
|
c = md5_ii(c, d, a, b, x[i + 10], 15, -1051523);
|
|
b = md5_ii(b, c, d, a, x[i + 1], 21, -2054922799);
|
|
a = md5_ii(a, b, c, d, x[i + 8], 6, 1873313359);
|
|
d = md5_ii(d, a, b, c, x[i + 15], 10, -30611744);
|
|
c = md5_ii(c, d, a, b, x[i + 6], 15, -1560198380);
|
|
b = md5_ii(b, c, d, a, x[i + 13], 21, 1309151649);
|
|
a = md5_ii(a, b, c, d, x[i + 4], 6, -145523070);
|
|
d = md5_ii(d, a, b, c, x[i + 11], 10, -1120210379);
|
|
c = md5_ii(c, d, a, b, x[i + 2], 15, 718787259);
|
|
b = md5_ii(b, c, d, a, x[i + 9], 21, -343485551);
|
|
a = safe_add(a, olda);
|
|
b = safe_add(b, oldb);
|
|
c = safe_add(c, oldc);
|
|
d = safe_add(d, oldd);
|
|
}
|
|
return Array(a, b, c, d);
|
|
}
|
|
function md5_cmn(q, a, b, x, s, t) {
|
|
return safe_add(bit_rol(safe_add(safe_add(a, q), safe_add(x, t)), s), b);
|
|
}
|
|
function md5_ff(a, b, c, d, x, s, t) {
|
|
return md5_cmn((b & c) | ((~b) & d), a, b, x, s, t);
|
|
}
|
|
function md5_gg(a, b, c, d, x, s, t) {
|
|
return md5_cmn((b & d) | (c & (~d)), a, b, x, s, t);
|
|
}
|
|
function md5_hh(a, b, c, d, x, s, t) {
|
|
return md5_cmn(b ^ c ^ d, a, b, x, s, t);
|
|
}
|
|
function md5_ii(a, b, c, d, x, s, t) {
|
|
return md5_cmn(c ^ (b | (~d)), a, b, x, s, t);
|
|
}
|
|
function safe_add(x, y) {
|
|
var lsw = (x & 0xFFFF) + (y & 0xFFFF);
|
|
var msw = (x >> 16) + (y >> 16) + (lsw >> 16);
|
|
return (msw << 16) | (lsw & 0xFFFF);
|
|
}
|
|
function bit_rol(num, cnt) {
|
|
return (num << cnt) | (num >>> (32 - cnt));
|
|
}
|
|
instanceProto.rstr2hex = function (input) {
|
|
try {
|
|
this.hexcase
|
|
} catch (e) {
|
|
this.hexcase = 0;
|
|
}
|
|
var hex_tab = this.hexcase ? "0123456789ABCDEF" : "0123456789abcdef";
|
|
var output = "";
|
|
var x;
|
|
for (var i = 0; i < input.length; i++) {
|
|
x = input.charCodeAt(i);
|
|
output += hex_tab.charAt((x >>> 4) & 0x0F) +
|
|
hex_tab.charAt(x & 0x0F);
|
|
}
|
|
return output;
|
|
}
|
|
instanceProto.getGameSite = function () {
|
|
try {
|
|
return new URL(document.referrer).hostname;
|
|
} catch (e) {
|
|
return new URL(document.location).hostname;
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.SiteLock = function () {
|
|
return this.SiteLock();
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.plugins_.skymen_skinsCore = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var pluginProto = cr.plugins_.skymen_skinsCore.prototype;
|
|
pluginProto.Type = function(plugin)
|
|
{
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function()
|
|
{
|
|
};
|
|
pluginProto.Instance = function(type)
|
|
{
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function()
|
|
{
|
|
this.skins = {};
|
|
this.lastSkin;
|
|
this.lastSubSkin;
|
|
this.curSkin;
|
|
this.curSubSkin;
|
|
this.tag = this.properties[0];
|
|
this.instances = [];
|
|
this.init = false;
|
|
if(cr.SkymenSkinCore == undefined){
|
|
cr.SkymenSkinCore = {}
|
|
}
|
|
cr.SkymenSkinCore[this.tag] = this;
|
|
};
|
|
instanceProto.draw = function(ctx)
|
|
{
|
|
};
|
|
instanceProto.drawGL = function (glw)
|
|
{
|
|
};
|
|
instanceProto.addInstance = function (inst)
|
|
{
|
|
this.instances.push(inst);
|
|
}
|
|
function Cnds() {};
|
|
Cnds.prototype.IsEmpty = function ()
|
|
{
|
|
return Object.keys(this.skins).length === 0 && this.skins.constructor === Object;
|
|
};
|
|
Cnds.prototype.HasSkin = function (skin)
|
|
{
|
|
return this.skins[skin] != undefined;
|
|
};
|
|
Cnds.prototype.HasSubSkin = function (skin, subskin)
|
|
{
|
|
return this.skins[skin] != undefined && this.skins[skin][subskin] != undefined;
|
|
};
|
|
Cnds.prototype.OnSkin = function (skin)
|
|
{
|
|
return skin == this.lastSkin;
|
|
};
|
|
Cnds.prototype.OnSubSkin = function (skin, subskin)
|
|
{
|
|
return skin == this.lastSkin && subskin == this.lastSubskin;
|
|
};
|
|
Cnds.prototype.OnAnySkin = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnAnySubSkin = function (skin)
|
|
{
|
|
return skin == this.lastSkin;
|
|
};
|
|
Cnds.prototype.OnAnySubAnySkin = function ()
|
|
{
|
|
return true;
|
|
};
|
|
instanceProto.doForEachTrigger = function (current_event)
|
|
{
|
|
this.runtime.pushCopySol(current_event.solModifiers);
|
|
current_event.retrigger();
|
|
this.runtime.popSol(current_event.solModifiers);
|
|
};
|
|
Cnds.prototype.ForEachSkin = function ()
|
|
{
|
|
var current_event = this.runtime.getCurrentEventStack().current_event;
|
|
self = this;
|
|
Object.keys(this.skins).forEach(function (k) {
|
|
self.curSkin = k;
|
|
self.doForEachTrigger(current_event);
|
|
})
|
|
return false;
|
|
};
|
|
Cnds.prototype.ForEachSubSkin = function (skin)
|
|
{
|
|
var current_event = this.runtime.getCurrentEventStack().current_event;
|
|
self = this;
|
|
if(this.skins[skin] == undefined) return false;
|
|
Object.keys(this.skins[skin]).forEach(function (k) {
|
|
self.curSubSkin = k;
|
|
self.doForEachTrigger(current_event);
|
|
})
|
|
return false;
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.AddSkin = function (obj, skin, mode, anim, subskin)
|
|
{
|
|
if(this.skins[skin] == undefined){
|
|
this.skins[skin] = {};
|
|
}
|
|
if(mode == 0){
|
|
for (var i = 0; i < obj.animations.length; i++) {
|
|
var anim = obj.animations[i].name;
|
|
this.skins[skin][anim] = {
|
|
"type": obj,
|
|
"anim": anim
|
|
}
|
|
}
|
|
}
|
|
else{
|
|
this.skins[skin][subskin] = {
|
|
"type": obj,
|
|
"anim": anim
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.AddSubSkin = function (obj, skin, subskin, anim)
|
|
{
|
|
if(this.skins[skin] == undefined){
|
|
this.skins[skin] = {};
|
|
}
|
|
this.skins[skin][subskin] = {
|
|
"type": obj,
|
|
"anim": anim
|
|
}
|
|
};
|
|
Acts.prototype.RemoveSkin = function (skin)
|
|
{
|
|
if (this.skins[skin] != undefined) {
|
|
delete this.skins[skin];
|
|
}
|
|
};
|
|
Acts.prototype.RemoveSubSkin = function (skin, subskin)
|
|
{
|
|
if (this.skins[skin] != undefined && this.skins[skin][subskin] != undefined) {
|
|
delete this.skins[skin][subskin];
|
|
}
|
|
};
|
|
Acts.prototype.Init = function ()
|
|
{
|
|
if(this.init) return;
|
|
for (var i = 0; i < this.instances.length; i++) {
|
|
this.instances[i].updateSkin();
|
|
}
|
|
this.init = true;
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.CurSkin = function (ret)
|
|
{
|
|
ret.set_string(this.curSkin);
|
|
};
|
|
Exps.prototype.CurSubSkin = function (ret)
|
|
{
|
|
ret.set_string(this.curSubSkin);
|
|
};
|
|
Exps.prototype.LastSkin = function (ret)
|
|
{
|
|
ret.set_string(this.lastSkin);
|
|
};
|
|
Exps.prototype.LastSubSkin = function (ret)
|
|
{
|
|
ret.set_string(this.lastSubSkin);
|
|
};
|
|
Exps.prototype.RandomSkin = function (ret)
|
|
{
|
|
var keys = Object.keys(this.skins)
|
|
var res = keys[ keys.length * Math.random() << 0];
|
|
if(typeof res == "string")
|
|
ret.set_string(res);
|
|
else
|
|
ret.set_string("");
|
|
};
|
|
Exps.prototype.RandomSubSkin = function (ret,skin)
|
|
{
|
|
if(this.skins[skin]){
|
|
var keys = Object.keys(this.skins[skin])
|
|
var res = keys[ keys.length * Math.random() << 0];
|
|
if (typeof res == "string")
|
|
ret.set_string(res);
|
|
else
|
|
ret.set_string("");
|
|
}
|
|
else{
|
|
console.warn("The skin " + skin + " doesn't exist")
|
|
ret.set_string("")
|
|
}
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
var HowlerAudioPlayer = globalThis.HowlerAudioPlayer;
|
|
cr.plugins_.skymenhowlerjs = function (runtime) {
|
|
this.runtime = runtime;
|
|
};
|
|
(function () {
|
|
var pluginProto = cr.plugins_.skymenhowlerjs.prototype;
|
|
pluginProto.Type = function (plugin) {
|
|
this.plugin = plugin;
|
|
this.runtime = plugin.runtime;
|
|
HowlerAudioPlayer.init(this.runtime);
|
|
};
|
|
var typeProto = pluginProto.Type.prototype;
|
|
typeProto.onCreate = function () {};
|
|
pluginProto.Instance = function (type) {
|
|
this.type = type;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var instanceProto = pluginProto.Instance.prototype;
|
|
instanceProto.onCreate = function () {};
|
|
instanceProto.saveToJSON = function () {};
|
|
instanceProto.loadFromJSON = function (o) {};
|
|
instanceProto.onDestroy = function () {};
|
|
instanceProto.tick = function () {};
|
|
instanceProto.draw = function (ctx) {};
|
|
instanceProto.drawGL = function (glw) {};
|
|
function Cnds() {}
|
|
Cnds.prototype.IsPlaying = function (group) {
|
|
if (group.trim() === "") {
|
|
return HowlerAudioPlayer.isPlaying();
|
|
}
|
|
return HowlerAudioPlayer.isPlaying(group);
|
|
};
|
|
pluginProto.cnds = new Cnds();
|
|
function Acts() {}
|
|
Acts.prototype.Play = function (file, group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.play(file[0]);
|
|
} else {
|
|
HowlerAudioPlayer.play(file[0], group);
|
|
}
|
|
};
|
|
Acts.prototype.PlayByName = function (file, group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.play(file);
|
|
} else {
|
|
HowlerAudioPlayer.play(file, group);
|
|
}
|
|
};
|
|
Acts.prototype.Stop = function (group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.stop();
|
|
} else {
|
|
HowlerAudioPlayer.stop(group);
|
|
}
|
|
};
|
|
Acts.prototype.Mute = function (group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.setMuted(true);
|
|
} else {
|
|
HowlerAudioPlayer.setMuted(true, group);
|
|
}
|
|
};
|
|
Acts.prototype.Unmute = function (group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.setMuted(false);
|
|
} else {
|
|
HowlerAudioPlayer.setMuted(false, group);
|
|
}
|
|
};
|
|
Acts.prototype.Volume = function (volume, group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.setVolume(volume);
|
|
} else {
|
|
HowlerAudioPlayer.setVolume(volume, group);
|
|
}
|
|
};
|
|
Acts.prototype.LinearVolume = function (volume, group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.setLinearVolume(volume);
|
|
} else {
|
|
HowlerAudioPlayer.setLinearVolume(volume, group);
|
|
}
|
|
};
|
|
Acts.prototype.Load = function (file, group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.load(file[0]);
|
|
} else {
|
|
HowlerAudioPlayer.load(file[0], group);
|
|
}
|
|
};
|
|
Acts.prototype.Unload = function (file, group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.unload(file[0]);
|
|
} else {
|
|
HowlerAudioPlayer.unload(file[0], group);
|
|
}
|
|
};
|
|
Acts.prototype.LoadByName = function (file, group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.load(file);
|
|
} else {
|
|
HowlerAudioPlayer.load(file, group);
|
|
}
|
|
};
|
|
Acts.prototype.UnloadByName = function (file, group) {
|
|
if (group.trim() === "") {
|
|
HowlerAudioPlayer.unload(file);
|
|
} else {
|
|
HowlerAudioPlayer.unload(file, group);
|
|
}
|
|
};
|
|
pluginProto.acts = new Acts();
|
|
function Exps() {}
|
|
Exps.prototype.Volume = function (ret, group) {
|
|
if (group.trim() === "") {
|
|
ret.set_float(HowlerAudioPlayer.getVolume());
|
|
} else {
|
|
ret.set_float(HowlerAudioPlayer.getVolume(group));
|
|
}
|
|
};
|
|
Exps.prototype.MasterVolume = function (ret) {
|
|
ret.set_float(HowlerAudioPlayer.getVolume(group));
|
|
};
|
|
Exps.prototype.LinearVolume = function (ret, group) {
|
|
if (group.trim() === "") {
|
|
ret.set_float(HowlerAudioPlayer.getLinearVolume());
|
|
} else {
|
|
ret.set_float(HowlerAudioPlayer.getLinearVolume(group));
|
|
}
|
|
};
|
|
Exps.prototype.MasterVolume = function (ret) {
|
|
ret.set_float(HowlerAudioPlayer.getLinearVolume(group));
|
|
};
|
|
pluginProto.exps = new Exps();
|
|
})();
|
|
;
|
|
;
|
|
cr.behaviors.Anchor = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.Anchor.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.anch_left = this.properties[0]; // 0 = left, 1 = right, 2 = none
|
|
this.anch_top = this.properties[1]; // 0 = top, 1 = bottom, 2 = none
|
|
this.anch_right = this.properties[2]; // 0 = none, 1 = right
|
|
this.anch_bottom = this.properties[3]; // 0 = none, 1 = bottom
|
|
this.inst.update_bbox();
|
|
this.xleft = this.inst.bbox.left;
|
|
this.ytop = this.inst.bbox.top;
|
|
this.xright = this.runtime.original_width - this.inst.bbox.left;
|
|
this.ybottom = this.runtime.original_height - this.inst.bbox.top;
|
|
this.rdiff = this.runtime.original_width - this.inst.bbox.right;
|
|
this.bdiff = this.runtime.original_height - this.inst.bbox.bottom;
|
|
this.enabled = (this.properties[4] !== 0);
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"xleft": this.xleft,
|
|
"ytop": this.ytop,
|
|
"xright": this.xright,
|
|
"ybottom": this.ybottom,
|
|
"rdiff": this.rdiff,
|
|
"bdiff": this.bdiff,
|
|
"enabled": this.enabled
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.xleft = o["xleft"];
|
|
this.ytop = o["ytop"];
|
|
this.xright = o["xright"];
|
|
this.ybottom = o["ybottom"];
|
|
this.rdiff = o["rdiff"];
|
|
this.bdiff = o["bdiff"];
|
|
this.enabled = o["enabled"];
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if (!this.enabled)
|
|
return;
|
|
var n;
|
|
var layer = this.inst.layer;
|
|
var inst = this.inst;
|
|
var bbox = this.inst.bbox;
|
|
if (this.anch_left === 0)
|
|
{
|
|
inst.update_bbox();
|
|
n = (layer.viewLeft + this.xleft) - bbox.left;
|
|
if (n !== 0)
|
|
{
|
|
inst.x += n;
|
|
inst.set_bbox_changed();
|
|
}
|
|
}
|
|
else if (this.anch_left === 1)
|
|
{
|
|
inst.update_bbox();
|
|
n = (layer.viewRight - this.xright) - bbox.left;
|
|
if (n !== 0)
|
|
{
|
|
inst.x += n;
|
|
inst.set_bbox_changed();
|
|
}
|
|
}
|
|
if (this.anch_top === 0)
|
|
{
|
|
inst.update_bbox();
|
|
n = (layer.viewTop + this.ytop) - bbox.top;
|
|
if (n !== 0)
|
|
{
|
|
inst.y += n;
|
|
inst.set_bbox_changed();
|
|
}
|
|
}
|
|
else if (this.anch_top === 1)
|
|
{
|
|
inst.update_bbox();
|
|
n = (layer.viewBottom - this.ybottom) - bbox.top;
|
|
if (n !== 0)
|
|
{
|
|
inst.y += n;
|
|
inst.set_bbox_changed();
|
|
}
|
|
}
|
|
if (this.anch_right === 1)
|
|
{
|
|
inst.update_bbox();
|
|
n = (layer.viewRight - this.rdiff) - bbox.right;
|
|
if (n !== 0)
|
|
{
|
|
inst.width += n;
|
|
if (inst.width < 0)
|
|
inst.width = 0;
|
|
inst.set_bbox_changed();
|
|
}
|
|
}
|
|
if (this.anch_bottom === 1)
|
|
{
|
|
inst.update_bbox();
|
|
n = (layer.viewBottom - this.bdiff) - bbox.bottom;
|
|
if (n !== 0)
|
|
{
|
|
inst.height += n;
|
|
if (inst.height < 0)
|
|
inst.height = 0;
|
|
inst.set_bbox_changed();
|
|
}
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetEnabled = function (e)
|
|
{
|
|
if (this.enabled && e === 0)
|
|
this.enabled = false;
|
|
else if (!this.enabled && e !== 0)
|
|
{
|
|
this.inst.update_bbox();
|
|
this.xleft = this.inst.bbox.left;
|
|
this.ytop = this.inst.bbox.top;
|
|
this.xright = this.runtime.original_width - this.inst.bbox.left;
|
|
this.ybottom = this.runtime.original_height - this.inst.bbox.top;
|
|
this.rdiff = this.runtime.original_width - this.inst.bbox.right;
|
|
this.bdiff = this.runtime.original_height - this.inst.bbox.bottom;
|
|
this.enabled = true;
|
|
}
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.Bullet = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.Bullet.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
var speed = this.properties[0];
|
|
this.acc = this.properties[1];
|
|
this.g = this.properties[2];
|
|
this.bounceOffSolid = (this.properties[3] !== 0);
|
|
this.setAngle = (this.properties[4] !== 0);
|
|
this.dx = Math.cos(this.inst.angle) * speed;
|
|
this.dy = Math.sin(this.inst.angle) * speed;
|
|
this.lastx = this.inst.x;
|
|
this.lasty = this.inst.y;
|
|
this.lastKnownAngle = this.inst.angle;
|
|
this.travelled = 0;
|
|
this.enabled = (this.properties[5] !== 0);
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"acc": this.acc,
|
|
"g": this.g,
|
|
"dx": this.dx,
|
|
"dy": this.dy,
|
|
"lx": this.lastx,
|
|
"ly": this.lasty,
|
|
"lka": this.lastKnownAngle,
|
|
"t": this.travelled,
|
|
"e": this.enabled
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.acc = o["acc"];
|
|
this.g = o["g"];
|
|
this.dx = o["dx"];
|
|
this.dy = o["dy"];
|
|
this.lastx = o["lx"];
|
|
this.lasty = o["ly"];
|
|
this.lastKnownAngle = o["lka"];
|
|
this.travelled = o["t"];
|
|
this.enabled = o["e"];
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if (!this.enabled)
|
|
return;
|
|
var dt = this.runtime.getDt(this.inst);
|
|
var s, a;
|
|
var bounceSolid, bounceAngle;
|
|
if (this.inst.angle !== this.lastKnownAngle)
|
|
{
|
|
if (this.setAngle)
|
|
{
|
|
s = cr.distanceTo(0, 0, this.dx, this.dy);
|
|
this.dx = Math.cos(this.inst.angle) * s;
|
|
this.dy = Math.sin(this.inst.angle) * s;
|
|
}
|
|
this.lastKnownAngle = this.inst.angle;
|
|
}
|
|
if (this.acc !== 0)
|
|
{
|
|
s = cr.distanceTo(0, 0, this.dx, this.dy);
|
|
if (this.dx === 0 && this.dy === 0)
|
|
a = this.inst.angle;
|
|
else
|
|
a = cr.angleTo(0, 0, this.dx, this.dy);
|
|
s += this.acc * dt;
|
|
if (s < 0)
|
|
s = 0;
|
|
this.dx = Math.cos(a) * s;
|
|
this.dy = Math.sin(a) * s;
|
|
}
|
|
if (this.g !== 0)
|
|
this.dy += this.g * dt;
|
|
this.lastx = this.inst.x;
|
|
this.lasty = this.inst.y;
|
|
if (this.dx !== 0 || this.dy !== 0)
|
|
{
|
|
this.inst.x += this.dx * dt;
|
|
this.inst.y += this.dy * dt;
|
|
this.travelled += cr.distanceTo(0, 0, this.dx * dt, this.dy * dt)
|
|
if (this.setAngle)
|
|
{
|
|
this.inst.angle = cr.angleTo(0, 0, this.dx, this.dy);
|
|
this.inst.set_bbox_changed();
|
|
this.lastKnownAngle = this.inst.angle;
|
|
}
|
|
this.inst.set_bbox_changed();
|
|
if (this.bounceOffSolid)
|
|
{
|
|
bounceSolid = this.runtime.testOverlapSolid(this.inst);
|
|
if (bounceSolid)
|
|
{
|
|
this.runtime.registerCollision(this.inst, bounceSolid);
|
|
s = cr.distanceTo(0, 0, this.dx, this.dy);
|
|
bounceAngle = this.runtime.calculateSolidBounceAngle(this.inst, this.lastx, this.lasty);
|
|
this.dx = Math.cos(bounceAngle) * s;
|
|
this.dy = Math.sin(bounceAngle) * s;
|
|
this.inst.x += this.dx * dt; // move out for one tick since the object can't have spent a tick in the solid
|
|
this.inst.y += this.dy * dt;
|
|
this.inst.set_bbox_changed();
|
|
if (this.setAngle)
|
|
{
|
|
this.inst.angle = bounceAngle;
|
|
this.lastKnownAngle = bounceAngle;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
if (!this.runtime.pushOutSolid(this.inst, this.dx / s, this.dy / s, Math.max(s * 2.5 * dt, 30)))
|
|
this.runtime.pushOutSolidNearest(this.inst, 100);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.CompareSpeed = function (cmp, s)
|
|
{
|
|
return cr.do_cmp(cr.distanceTo(0, 0, this.dx, this.dy), cmp, s);
|
|
};
|
|
Cnds.prototype.CompareTravelled = function (cmp, d)
|
|
{
|
|
return cr.do_cmp(this.travelled, cmp, d);
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetSpeed = function (s)
|
|
{
|
|
var a = cr.angleTo(0, 0, this.dx, this.dy);
|
|
this.dx = Math.cos(a) * s;
|
|
this.dy = Math.sin(a) * s;
|
|
};
|
|
Acts.prototype.SetAcceleration = function (a)
|
|
{
|
|
this.acc = a;
|
|
};
|
|
Acts.prototype.SetGravity = function (g)
|
|
{
|
|
this.g = g;
|
|
};
|
|
Acts.prototype.SetAngleOfMotion = function (a)
|
|
{
|
|
a = cr.to_radians(a);
|
|
var s = cr.distanceTo(0, 0, this.dx, this.dy)
|
|
this.dx = Math.cos(a) * s;
|
|
this.dy = Math.sin(a) * s;
|
|
};
|
|
Acts.prototype.Bounce = function (objtype)
|
|
{
|
|
if (!objtype)
|
|
return;
|
|
var otherinst = objtype.getFirstPicked(this.inst);
|
|
if (!otherinst)
|
|
return;
|
|
var dt = this.runtime.getDt(this.inst);
|
|
var s = cr.distanceTo(0, 0, this.dx, this.dy);
|
|
var bounceAngle = this.runtime.calculateSolidBounceAngle(this.inst, this.lastx, this.lasty, otherinst);
|
|
this.dx = Math.cos(bounceAngle) * s;
|
|
this.dy = Math.sin(bounceAngle) * s;
|
|
this.inst.x += this.dx * dt; // move out for one tick since the object can't have spent a tick in the solid
|
|
this.inst.y += this.dy * dt;
|
|
this.inst.set_bbox_changed();
|
|
if (this.setAngle)
|
|
{
|
|
this.inst.angle = bounceAngle;
|
|
this.lastKnownAngle = bounceAngle;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
if (s !== 0) // prevent divide-by-zero
|
|
{
|
|
if (this.bounceOffSolid)
|
|
{
|
|
if (!this.runtime.pushOutSolid(this.inst, this.dx / s, this.dy / s, Math.max(s * 2.5 * dt, 30)))
|
|
this.runtime.pushOutSolidNearest(this.inst, 100);
|
|
}
|
|
else
|
|
{
|
|
this.runtime.pushOut(this.inst, this.dx / s, this.dy / s, Math.max(s * 2.5 * dt, 30), otherinst)
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.SetDistanceTravelled = function (d)
|
|
{
|
|
this.travelled = d;
|
|
};
|
|
Acts.prototype.SetEnabled = function (en)
|
|
{
|
|
this.enabled = (en === 1);
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Speed = function (ret)
|
|
{
|
|
var s = cr.distanceTo(0, 0, this.dx, this.dy);
|
|
s = cr.round6dp(s);
|
|
ret.set_float(s);
|
|
};
|
|
Exps.prototype.Acceleration = function (ret)
|
|
{
|
|
ret.set_float(this.acc);
|
|
};
|
|
Exps.prototype.AngleOfMotion = function (ret)
|
|
{
|
|
ret.set_float(cr.to_degrees(cr.angleTo(0, 0, this.dx, this.dy)));
|
|
};
|
|
Exps.prototype.DistanceTravelled = function (ret)
|
|
{
|
|
ret.set_float(this.travelled);
|
|
};
|
|
Exps.prototype.Gravity = function (ret)
|
|
{
|
|
ret.set_float(this.g);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.Fade = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.Fade.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.activeAtStart = this.properties[0] === 1;
|
|
this.setMaxOpacity = false; // used to retrieve maxOpacity once in first 'Start fade' action if initially inactive
|
|
this.fadeInTime = this.properties[1];
|
|
this.waitTime = this.properties[2];
|
|
this.fadeOutTime = this.properties[3];
|
|
this.destroy = this.properties[4]; // 0 = no, 1 = after fade out
|
|
this.stage = this.activeAtStart ? 0 : 3; // 0 = fade in, 1 = wait, 2 = fade out, 3 = done
|
|
if (this.recycled)
|
|
this.stageTime.reset();
|
|
else
|
|
this.stageTime = new cr.KahanAdder();
|
|
this.maxOpacity = (this.inst.opacity ? this.inst.opacity : 1.0);
|
|
if (this.activeAtStart)
|
|
{
|
|
if (this.fadeInTime === 0)
|
|
{
|
|
this.stage = 1;
|
|
if (this.waitTime === 0)
|
|
this.stage = 2;
|
|
}
|
|
else
|
|
{
|
|
this.inst.opacity = 0;
|
|
this.runtime.redraw = true;
|
|
}
|
|
}
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"fit": this.fadeInTime,
|
|
"wt": this.waitTime,
|
|
"fot": this.fadeOutTime,
|
|
"s": this.stage,
|
|
"st": this.stageTime.sum,
|
|
"mo": this.maxOpacity,
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.fadeInTime = o["fit"];
|
|
this.waitTime = o["wt"];
|
|
this.fadeOutTime = o["fot"];
|
|
this.stage = o["s"];
|
|
this.stageTime.reset();
|
|
this.stageTime.sum = o["st"];
|
|
this.maxOpacity = o["mo"];
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
this.stageTime.add(this.runtime.getDt(this.inst));
|
|
if (this.stage === 0)
|
|
{
|
|
this.inst.opacity = (this.stageTime.sum / this.fadeInTime) * this.maxOpacity;
|
|
this.runtime.redraw = true;
|
|
if (this.inst.opacity >= this.maxOpacity)
|
|
{
|
|
this.inst.opacity = this.maxOpacity;
|
|
this.stage = 1; // wait stage
|
|
this.stageTime.reset();
|
|
this.runtime.trigger(cr.behaviors.Fade.prototype.cnds.OnFadeInEnd, this.inst);
|
|
}
|
|
}
|
|
if (this.stage === 1)
|
|
{
|
|
if (this.stageTime.sum >= this.waitTime)
|
|
{
|
|
this.stage = 2; // fade out stage
|
|
this.stageTime.reset();
|
|
this.runtime.trigger(cr.behaviors.Fade.prototype.cnds.OnWaitEnd, this.inst);
|
|
}
|
|
}
|
|
if (this.stage === 2)
|
|
{
|
|
if (this.fadeOutTime !== 0)
|
|
{
|
|
this.inst.opacity = this.maxOpacity - ((this.stageTime.sum / this.fadeOutTime) * this.maxOpacity);
|
|
this.runtime.redraw = true;
|
|
if (this.inst.opacity < 0)
|
|
{
|
|
this.inst.opacity = 0;
|
|
this.stage = 3; // done
|
|
this.stageTime.reset();
|
|
this.runtime.trigger(cr.behaviors.Fade.prototype.cnds.OnFadeOutEnd, this.inst);
|
|
if (this.destroy === 1)
|
|
this.runtime.DestroyInstance(this.inst);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
behinstProto.doStart = function ()
|
|
{
|
|
this.stage = 0;
|
|
this.stageTime.reset();
|
|
if (this.fadeInTime === 0)
|
|
{
|
|
this.stage = 1;
|
|
if (this.waitTime === 0)
|
|
this.stage = 2;
|
|
}
|
|
else
|
|
{
|
|
this.inst.opacity = 0;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnFadeOutEnd = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnFadeInEnd = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnWaitEnd = function ()
|
|
{
|
|
return true;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.StartFade = function ()
|
|
{
|
|
if (!this.activeAtStart && !this.setMaxOpacity)
|
|
{
|
|
this.maxOpacity = (this.inst.opacity ? this.inst.opacity : 1.0);
|
|
this.setMaxOpacity = true;
|
|
}
|
|
if (this.stage === 3)
|
|
this.doStart();
|
|
};
|
|
Acts.prototype.RestartFade = function ()
|
|
{
|
|
this.doStart();
|
|
};
|
|
Acts.prototype.SetFadeInTime = function (t)
|
|
{
|
|
if (t < 0)
|
|
t = 0;
|
|
this.fadeInTime = t;
|
|
};
|
|
Acts.prototype.SetWaitTime = function (t)
|
|
{
|
|
if (t < 0)
|
|
t = 0;
|
|
this.waitTime = t;
|
|
};
|
|
Acts.prototype.SetFadeOutTime = function (t)
|
|
{
|
|
if (t < 0)
|
|
t = 0;
|
|
this.fadeOutTime = t;
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.FadeInTime = function (ret)
|
|
{
|
|
ret.set_float(this.fadeInTime);
|
|
};
|
|
Exps.prototype.WaitTime = function (ret)
|
|
{
|
|
ret.set_float(this.waitTime);
|
|
};
|
|
Exps.prototype.FadeOutTime = function (ret)
|
|
{
|
|
ret.set_float(this.fadeOutTime);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.LOS = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.LOS.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
this.obstacleTypes = []; // object types to check for as obstructions
|
|
};
|
|
behtypeProto.findLosBehavior = function (inst)
|
|
{
|
|
var i, len, b;
|
|
for (i = 0, len = inst.behavior_insts.length; i < len; ++i)
|
|
{
|
|
b = inst.behavior_insts[i];
|
|
if (b instanceof cr.behaviors.LOS.prototype.Instance && b.type === this)
|
|
return b;
|
|
}
|
|
return null;
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.obstacleMode = this.properties[0]; // 0 = solids, 1 = custom
|
|
this.range = this.properties[1];
|
|
this.cone = cr.to_radians(this.properties[2]);
|
|
this.useCollisionCells = (this.properties[3] !== 0);
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
var o = {
|
|
"r": this.range,
|
|
"c": this.cone,
|
|
"t": []
|
|
};
|
|
var i, len;
|
|
for (i = 0, len = this.type.obstacleTypes.length; i < len; i++)
|
|
{
|
|
o["t"].push(this.type.obstacleTypes[i].sid);
|
|
}
|
|
return o;
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.range = o["r"];
|
|
this.cone = o["c"];
|
|
cr.clearArray(this.type.obstacleTypes);
|
|
var i, len, t;
|
|
for (i = 0, len = o["t"].length; i < len; i++)
|
|
{
|
|
t = this.runtime.getObjectTypeBySid(o["t"][i]);
|
|
if (t)
|
|
this.type.obstacleTypes.push(t);
|
|
}
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
};
|
|
var candidates = [];
|
|
var tmpRect = new cr.rect(0, 0, 0, 0);
|
|
behinstProto.hasLOSto = function (x_, y_)
|
|
{
|
|
var startx = this.inst.x;
|
|
var starty = this.inst.y;
|
|
var myangle = this.inst.angle;
|
|
if (this.inst.width < 0)
|
|
myangle += Math.PI;
|
|
if (cr.distanceTo(startx, starty, x_, y_) > this.range)
|
|
return false; // too far away
|
|
var a = cr.angleTo(startx, starty, x_, y_);
|
|
if (cr.angleDiff(myangle, a) > this.cone / 2)
|
|
return false; // outside cone of view
|
|
var i, leni, rinst, solid;
|
|
tmpRect.set(startx, starty, x_, y_);
|
|
tmpRect.normalize();
|
|
if (this.obstacleMode === 0)
|
|
{
|
|
if (this.useCollisionCells)
|
|
{
|
|
this.runtime.getSolidCollisionCandidates(this.inst.layer, tmpRect, candidates);
|
|
}
|
|
else
|
|
{
|
|
solid = this.runtime.getSolidBehavior();
|
|
if (solid)
|
|
cr.appendArray(candidates, solid.my_instances.valuesRef());
|
|
}
|
|
for (i = 0, leni = candidates.length; i < leni; ++i)
|
|
{
|
|
rinst = candidates[i];
|
|
if (!rinst.extra["solidEnabled"] || rinst === this.inst)
|
|
continue;
|
|
if (this.runtime.testSegmentOverlap(startx, starty, x_, y_, rinst))
|
|
{
|
|
cr.clearArray(candidates);
|
|
return false;
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (this.useCollisionCells)
|
|
{
|
|
this.runtime.getTypesCollisionCandidates(this.inst.layer, this.type.obstacleTypes, tmpRect, candidates);
|
|
}
|
|
else
|
|
{
|
|
for (i = 0, leni = this.type.obstacleTypes.length; i < leni; ++i)
|
|
{
|
|
cr.appendArray(candidates, this.type.obstacleTypes[i].instances);
|
|
}
|
|
}
|
|
for (i = 0, leni = candidates.length; i < leni; ++i)
|
|
{
|
|
rinst = candidates[i];
|
|
if (rinst === this.inst)
|
|
continue;
|
|
if (this.runtime.testSegmentOverlap(startx, starty, x_, y_, rinst))
|
|
{
|
|
cr.clearArray(candidates);
|
|
return false;
|
|
}
|
|
}
|
|
}
|
|
cr.clearArray(candidates);
|
|
return true;
|
|
};
|
|
function Cnds() {};
|
|
var ltopick = new cr.ObjectSet();
|
|
var rtopick = new cr.ObjectSet();
|
|
Cnds.prototype.HasLOSToObject = function (obj_)
|
|
{
|
|
if (!obj_)
|
|
return false;
|
|
var i, j, leni, lenj, linst, losbeh, rinst, pick;
|
|
var lsol = this.runtime.getCurrentConditionObjectType().getCurrentSol();
|
|
var rsol = obj_.getCurrentSol();
|
|
var linstances = lsol.getObjects();
|
|
var rinstances = rsol.getObjects();
|
|
if (lsol.select_all)
|
|
cr.clearArray(lsol.else_instances);
|
|
if (rsol.select_all)
|
|
cr.clearArray(rsol.else_instances);
|
|
var inverted = this.runtime.getCurrentCondition().inverted;
|
|
for (i = 0, leni = linstances.length; i < leni; ++i)
|
|
{
|
|
linst = linstances[i];
|
|
pick = false;
|
|
losbeh = this.findLosBehavior(linst);
|
|
;
|
|
for (j = 0, lenj = rinstances.length; j < lenj; ++j)
|
|
{
|
|
rinst = rinstances[j];
|
|
if (linst !== rinst && cr.xor(losbeh.hasLOSto(rinst.x, rinst.y), inverted))
|
|
{
|
|
pick = true;
|
|
rtopick.add(rinst);
|
|
}
|
|
}
|
|
if (pick)
|
|
ltopick.add(linst);
|
|
}
|
|
var lpicks = ltopick.valuesRef();
|
|
var rpicks = rtopick.valuesRef();
|
|
lsol.select_all = false;
|
|
rsol.select_all = false;
|
|
cr.shallowAssignArray(lsol.instances, lpicks);
|
|
cr.shallowAssignArray(rsol.instances, rpicks);
|
|
ltopick.clear();
|
|
rtopick.clear();
|
|
return lsol.hasObjects();
|
|
};
|
|
Cnds.prototype.HasLOSToPosition = function (x_, y_)
|
|
{
|
|
return this.hasLOSto(x_, y_);
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetRange = function (r)
|
|
{
|
|
this.range = r;
|
|
};
|
|
Acts.prototype.SetCone = function (c)
|
|
{
|
|
this.cone = cr.to_radians(c);
|
|
};
|
|
Acts.prototype.AddObstacle = function (obj_)
|
|
{
|
|
var obstacleTypes = this.type.obstacleTypes;
|
|
if (obstacleTypes.indexOf(obj_) !== -1)
|
|
return;
|
|
var i, len, t;
|
|
for (i = 0, len = obstacleTypes.length; i < len; i++)
|
|
{
|
|
t = obstacleTypes[i];
|
|
if (t.is_family && t.members.indexOf(obj_) !== -1)
|
|
return;
|
|
}
|
|
obstacleTypes.push(obj_);
|
|
};
|
|
Acts.prototype.ClearObstacles = function ()
|
|
{
|
|
cr.clearArray(this.type.obstacleTypes);
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Range = function (ret)
|
|
{
|
|
ret.set_float(this.range);
|
|
};
|
|
Exps.prototype.ConeOfView = function (ret)
|
|
{
|
|
ret.set_float(cr.to_degrees(this.cone));
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.Persist = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.Persist.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.myProperty = this.properties[0];
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
var dt = this.runtime.getDt(this.inst);
|
|
};
|
|
function Cnds() {};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.Platform = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.Platform.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
var ANIMMODE_STOPPED = 0;
|
|
var ANIMMODE_MOVING = 1;
|
|
var ANIMMODE_JUMPING = 2;
|
|
var ANIMMODE_FALLING = 3;
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
this.leftkey = false;
|
|
this.rightkey = false;
|
|
this.jumpkey = false;
|
|
this.jumped = false; // prevent bunnyhopping
|
|
this.doubleJumped = false;
|
|
this.canDoubleJump = false;
|
|
this.ignoreInput = false;
|
|
this.simleft = false;
|
|
this.simright = false;
|
|
this.simjump = false;
|
|
this.lastFloorObject = null;
|
|
this.loadFloorObject = -1;
|
|
this.lastFloorX = 0;
|
|
this.lastFloorY = 0;
|
|
this.floorIsJumpthru = false;
|
|
this.animMode = ANIMMODE_STOPPED;
|
|
this.fallthrough = 0; // fall through jump-thru. >0 to disable, lasts a few ticks
|
|
this.firstTick = true;
|
|
this.dx = 0;
|
|
this.dy = 0;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.updateGravity = function()
|
|
{
|
|
this.downx = Math.cos(this.ga);
|
|
this.downy = Math.sin(this.ga);
|
|
this.rightx = Math.cos(this.ga - Math.PI / 2);
|
|
this.righty = Math.sin(this.ga - Math.PI / 2);
|
|
this.downx = cr.round6dp(this.downx);
|
|
this.downy = cr.round6dp(this.downy);
|
|
this.rightx = cr.round6dp(this.rightx);
|
|
this.righty = cr.round6dp(this.righty);
|
|
this.g1 = this.g;
|
|
if (this.g < 0)
|
|
{
|
|
this.downx *= -1;
|
|
this.downy *= -1;
|
|
this.g = Math.abs(this.g);
|
|
}
|
|
};
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.maxspeed = this.properties[0];
|
|
this.acc = this.properties[1];
|
|
this.dec = this.properties[2];
|
|
this.jumpStrength = this.properties[3];
|
|
this.g = this.properties[4];
|
|
this.g1 = this.g;
|
|
this.maxFall = this.properties[5];
|
|
this.enableDoubleJump = (this.properties[6] !== 0); // 0=disabled, 1=enabled
|
|
this.jumpSustain = (this.properties[7] / 1000); // convert ms to s
|
|
this.defaultControls = (this.properties[8] === 1); // 0=no, 1=yes
|
|
this.enabled = (this.properties[9] !== 0);
|
|
this.wasOnFloor = false;
|
|
this.wasOverJumpthru = this.runtime.testOverlapJumpThru(this.inst);
|
|
this.loadOverJumpthru = -1;
|
|
this.sustainTime = 0; // time of jump sustain remaining
|
|
this.ga = cr.to_radians(90);
|
|
this.updateGravity();
|
|
var self = this;
|
|
if (this.defaultControls && !this.runtime.isDomFree)
|
|
{
|
|
jQuery(document).keydown(function(info) {
|
|
self.onKeyDown(info);
|
|
});
|
|
jQuery(document).keyup(function(info) {
|
|
self.onKeyUp(info);
|
|
});
|
|
}
|
|
if (!this.recycled)
|
|
{
|
|
this.myDestroyCallback = function(inst) {
|
|
self.onInstanceDestroyed(inst);
|
|
};
|
|
}
|
|
this.runtime.addDestroyCallback(this.myDestroyCallback);
|
|
this.inst.extra["isPlatformBehavior"] = true;
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"ii": this.ignoreInput,
|
|
"lfx": this.lastFloorX,
|
|
"lfy": this.lastFloorY,
|
|
"lfo": (this.lastFloorObject ? this.lastFloorObject.uid : -1),
|
|
"am": this.animMode,
|
|
"en": this.enabled,
|
|
"fall": this.fallthrough,
|
|
"ft": this.firstTick,
|
|
"dx": this.dx,
|
|
"dy": this.dy,
|
|
"ms": this.maxspeed,
|
|
"acc": this.acc,
|
|
"dec": this.dec,
|
|
"js": this.jumpStrength,
|
|
"g": this.g,
|
|
"g1": this.g1,
|
|
"mf": this.maxFall,
|
|
"wof": this.wasOnFloor,
|
|
"woj": (this.wasOverJumpthru ? this.wasOverJumpthru.uid : -1),
|
|
"ga": this.ga,
|
|
"edj": this.enableDoubleJump,
|
|
"cdj": this.canDoubleJump,
|
|
"dj": this.doubleJumped,
|
|
"sus": this.jumpSustain
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.ignoreInput = o["ii"];
|
|
this.lastFloorX = o["lfx"];
|
|
this.lastFloorY = o["lfy"];
|
|
this.loadFloorObject = o["lfo"];
|
|
this.animMode = o["am"];
|
|
this.enabled = o["en"];
|
|
this.fallthrough = o["fall"];
|
|
this.firstTick = o["ft"];
|
|
this.dx = o["dx"];
|
|
this.dy = o["dy"];
|
|
this.maxspeed = o["ms"];
|
|
this.acc = o["acc"];
|
|
this.dec = o["dec"];
|
|
this.jumpStrength = o["js"];
|
|
this.g = o["g"];
|
|
this.g1 = o["g1"];
|
|
this.maxFall = o["mf"];
|
|
this.wasOnFloor = o["wof"];
|
|
this.loadOverJumpthru = o["woj"];
|
|
this.ga = o["ga"];
|
|
this.enableDoubleJump = o["edj"];
|
|
this.canDoubleJump = o["cdj"];
|
|
this.doubleJumped = o["dj"];
|
|
this.jumpSustain = o["sus"];
|
|
this.leftkey = false;
|
|
this.rightkey = false;
|
|
this.jumpkey = false;
|
|
this.jumped = false;
|
|
this.simleft = false;
|
|
this.simright = false;
|
|
this.simjump = false;
|
|
this.sustainTime = 0;
|
|
this.updateGravity();
|
|
};
|
|
behinstProto.afterLoad = function ()
|
|
{
|
|
if (this.loadFloorObject === -1)
|
|
this.lastFloorObject = null;
|
|
else
|
|
this.lastFloorObject = this.runtime.getObjectByUID(this.loadFloorObject);
|
|
if (this.loadOverJumpthru === -1)
|
|
this.wasOverJumpthru = null;
|
|
else
|
|
this.wasOverJumpthru = this.runtime.getObjectByUID(this.loadOverJumpthru);
|
|
};
|
|
behinstProto.onInstanceDestroyed = function (inst)
|
|
{
|
|
if (this.lastFloorObject == inst)
|
|
this.lastFloorObject = null;
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
this.lastFloorObject = null;
|
|
this.runtime.removeDestroyCallback(this.myDestroyCallback);
|
|
};
|
|
behinstProto.onKeyDown = function (info)
|
|
{
|
|
switch (info.which) {
|
|
case 38: // up
|
|
info.preventDefault();
|
|
this.jumpkey = true;
|
|
break;
|
|
case 37: // left
|
|
info.preventDefault();
|
|
this.leftkey = true;
|
|
break;
|
|
case 39: // right
|
|
info.preventDefault();
|
|
this.rightkey = true;
|
|
break;
|
|
}
|
|
};
|
|
behinstProto.onKeyUp = function (info)
|
|
{
|
|
switch (info.which) {
|
|
case 38: // up
|
|
info.preventDefault();
|
|
this.jumpkey = false;
|
|
this.jumped = false;
|
|
break;
|
|
case 37: // left
|
|
info.preventDefault();
|
|
this.leftkey = false;
|
|
break;
|
|
case 39: // right
|
|
info.preventDefault();
|
|
this.rightkey = false;
|
|
break;
|
|
}
|
|
};
|
|
behinstProto.onWindowBlur = function ()
|
|
{
|
|
this.leftkey = false;
|
|
this.rightkey = false;
|
|
this.jumpkey = false;
|
|
};
|
|
behinstProto.getGDir = function ()
|
|
{
|
|
if (this.g < 0)
|
|
return -1;
|
|
else
|
|
return 1;
|
|
};
|
|
behinstProto.isOnFloor = function ()
|
|
{
|
|
var ret = null;
|
|
var ret2 = null;
|
|
var i, len, j;
|
|
var oldx = this.inst.x;
|
|
var oldy = this.inst.y;
|
|
this.inst.x += this.downx;
|
|
this.inst.y += this.downy;
|
|
this.inst.set_bbox_changed();
|
|
if (this.lastFloorObject && this.runtime.testOverlap(this.inst, this.lastFloorObject) &&
|
|
(!this.runtime.typeHasBehavior(this.lastFloorObject.type, cr.behaviors.solid) || this.lastFloorObject.extra["solidEnabled"]))
|
|
{
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
return this.lastFloorObject;
|
|
}
|
|
else
|
|
{
|
|
ret = this.runtime.testOverlapSolid(this.inst);
|
|
if (!ret && this.fallthrough === 0)
|
|
ret2 = this.runtime.testOverlapJumpThru(this.inst, true);
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
if (ret) // was overlapping solid
|
|
{
|
|
if (this.runtime.testOverlap(this.inst, ret))
|
|
return null;
|
|
else
|
|
{
|
|
this.floorIsJumpthru = false;
|
|
return ret;
|
|
}
|
|
}
|
|
if (ret2 && ret2.length)
|
|
{
|
|
for (i = 0, j = 0, len = ret2.length; i < len; i++)
|
|
{
|
|
ret2[j] = ret2[i];
|
|
if (!this.runtime.testOverlap(this.inst, ret2[i]))
|
|
j++;
|
|
}
|
|
if (j >= 1)
|
|
{
|
|
this.floorIsJumpthru = true;
|
|
return ret2[0];
|
|
}
|
|
}
|
|
return null;
|
|
}
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
};
|
|
behinstProto.posttick = function ()
|
|
{
|
|
var dt = this.runtime.getDt(this.inst);
|
|
var mx, my, obstacle, mag, allover, i, len, j, oldx, oldy;
|
|
if (!this.jumpkey && !this.simjump)
|
|
this.jumped = false;
|
|
var left = this.leftkey || this.simleft;
|
|
var right = this.rightkey || this.simright;
|
|
var jumpkey = (this.jumpkey || this.simjump);
|
|
var jump = jumpkey && !this.jumped;
|
|
this.simleft = false;
|
|
this.simright = false;
|
|
this.simjump = false;
|
|
if (!this.enabled)
|
|
return;
|
|
if (this.ignoreInput)
|
|
{
|
|
left = false;
|
|
right = false;
|
|
jumpkey = false;
|
|
jump = false;
|
|
}
|
|
if (!jumpkey)
|
|
this.sustainTime = 0;
|
|
var lastFloor = this.lastFloorObject;
|
|
var floor_moved = false;
|
|
if (this.firstTick)
|
|
{
|
|
if (this.runtime.testOverlapSolid(this.inst) || this.runtime.testOverlapJumpThru(this.inst))
|
|
{
|
|
this.runtime.pushOutSolid(this.inst, -this.downx, -this.downy, 4, true);
|
|
}
|
|
this.firstTick = false;
|
|
}
|
|
if (lastFloor && this.dy === 0 && (lastFloor.y !== this.lastFloorY || lastFloor.x !== this.lastFloorX))
|
|
{
|
|
mx = (lastFloor.x - this.lastFloorX);
|
|
my = (lastFloor.y - this.lastFloorY);
|
|
this.inst.x += mx;
|
|
this.inst.y += my;
|
|
this.inst.set_bbox_changed();
|
|
this.lastFloorX = lastFloor.x;
|
|
this.lastFloorY = lastFloor.y;
|
|
floor_moved = true;
|
|
if (this.runtime.testOverlapSolid(this.inst))
|
|
{
|
|
this.runtime.pushOutSolid(this.inst, -mx, -my, Math.sqrt(mx * mx + my * my) * 2.5);
|
|
}
|
|
}
|
|
var floor_ = this.isOnFloor();
|
|
var collobj = this.runtime.testOverlapSolid(this.inst);
|
|
if (collobj)
|
|
{
|
|
var instWidth = Math.abs(this.inst.width);
|
|
var instHeight = Math.abs(this.inst.height);
|
|
if (this.inst.extra["inputPredicted"])
|
|
{
|
|
this.runtime.pushOutSolid(this.inst, -this.downx, -this.downy, 10, false);
|
|
}
|
|
else if (this.runtime.pushOutSolidAxis(this.inst, -this.downx, -this.downy, instHeight / 8))
|
|
{
|
|
this.runtime.registerCollision(this.inst, collobj);
|
|
}
|
|
else if (this.runtime.pushOutSolidAxis(this.inst, this.rightx, this.righty, instWidth / 2))
|
|
{
|
|
this.runtime.registerCollision(this.inst, collobj);
|
|
}
|
|
else if (this.runtime.pushOutSolidAxis(this.inst, this.downx, this.downy, instHeight / 2))
|
|
{
|
|
this.runtime.registerCollision(this.inst, collobj);
|
|
}
|
|
else if (this.runtime.pushOutSolidNearest(this.inst, Math.max(instWidth, instHeight) / 2))
|
|
{
|
|
this.runtime.registerCollision(this.inst, collobj);
|
|
}
|
|
else
|
|
return;
|
|
}
|
|
if (floor_)
|
|
{
|
|
this.doubleJumped = false; // reset double jump flags for next jump
|
|
this.canDoubleJump = false;
|
|
if (this.dy > 0)
|
|
{
|
|
if (!this.wasOnFloor)
|
|
{
|
|
this.runtime.pushInFractional(this.inst, -this.downx, -this.downy, floor_, 16);
|
|
this.wasOnFloor = true;
|
|
}
|
|
this.dy = 0;
|
|
}
|
|
if (lastFloor != floor_)
|
|
{
|
|
this.lastFloorObject = floor_;
|
|
this.lastFloorX = floor_.x;
|
|
this.lastFloorY = floor_.y;
|
|
this.runtime.registerCollision(this.inst, floor_);
|
|
}
|
|
else if (floor_moved)
|
|
{
|
|
collobj = this.runtime.testOverlapSolid(this.inst);
|
|
if (collobj)
|
|
{
|
|
this.runtime.registerCollision(this.inst, collobj);
|
|
if (mx !== 0)
|
|
{
|
|
if (mx > 0)
|
|
this.runtime.pushOutSolid(this.inst, -this.rightx, -this.righty);
|
|
else
|
|
this.runtime.pushOutSolid(this.inst, this.rightx, this.righty);
|
|
}
|
|
this.runtime.pushOutSolid(this.inst, -this.downx, -this.downy);
|
|
}
|
|
}
|
|
}
|
|
else
|
|
{
|
|
if (!jumpkey)
|
|
this.canDoubleJump = true;
|
|
}
|
|
if ((floor_ && jump) || (!floor_ && this.enableDoubleJump && jumpkey && this.canDoubleJump && !this.doubleJumped))
|
|
{
|
|
oldx = this.inst.x;
|
|
oldy = this.inst.y;
|
|
this.inst.x -= this.downx;
|
|
this.inst.y -= this.downy;
|
|
this.inst.set_bbox_changed();
|
|
if (!this.runtime.testOverlapSolid(this.inst))
|
|
{
|
|
this.sustainTime = this.jumpSustain;
|
|
this.runtime.trigger(cr.behaviors.Platform.prototype.cnds.OnJump, this.inst);
|
|
this.animMode = ANIMMODE_JUMPING;
|
|
this.dy = -this.jumpStrength;
|
|
jump = true; // set in case is double jump
|
|
if (floor_)
|
|
this.jumped = true;
|
|
else
|
|
this.doubleJumped = true;
|
|
}
|
|
else
|
|
jump = false;
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
if (!floor_)
|
|
{
|
|
if (jumpkey && this.sustainTime > 0)
|
|
{
|
|
this.dy = -this.jumpStrength;
|
|
this.sustainTime -= dt;
|
|
}
|
|
else
|
|
{
|
|
this.lastFloorObject = null;
|
|
this.dy += this.g * dt;
|
|
if (this.dy > this.maxFall)
|
|
this.dy = this.maxFall;
|
|
}
|
|
if (jump)
|
|
this.jumped = true;
|
|
}
|
|
this.wasOnFloor = !!floor_;
|
|
if (left == right) // both up or both down
|
|
{
|
|
if (this.dx < 0)
|
|
{
|
|
this.dx += this.dec * dt;
|
|
if (this.dx > 0)
|
|
this.dx = 0;
|
|
}
|
|
else if (this.dx > 0)
|
|
{
|
|
this.dx -= this.dec * dt;
|
|
if (this.dx < 0)
|
|
this.dx = 0;
|
|
}
|
|
}
|
|
if (left && !right)
|
|
{
|
|
if (this.dx > 0)
|
|
this.dx -= (this.acc + this.dec) * dt;
|
|
else
|
|
this.dx -= this.acc * dt;
|
|
}
|
|
if (right && !left)
|
|
{
|
|
if (this.dx < 0)
|
|
this.dx += (this.acc + this.dec) * dt;
|
|
else
|
|
this.dx += this.acc * dt;
|
|
}
|
|
if (this.dx > this.maxspeed)
|
|
this.dx = this.maxspeed;
|
|
else if (this.dx < -this.maxspeed)
|
|
this.dx = -this.maxspeed;
|
|
var landed = false;
|
|
if (this.dx !== 0)
|
|
{
|
|
oldx = this.inst.x;
|
|
oldy = this.inst.y;
|
|
mx = this.dx * dt * this.rightx;
|
|
my = this.dx * dt * this.righty;
|
|
this.inst.x += this.rightx * (this.dx > 1 ? 1 : -1) - this.downx;
|
|
this.inst.y += this.righty * (this.dx > 1 ? 1 : -1) - this.downy;
|
|
this.inst.set_bbox_changed();
|
|
var is_jumpthru = false;
|
|
var slope_too_steep = this.runtime.testOverlapSolid(this.inst);
|
|
/*
|
|
if (!slope_too_steep && floor_)
|
|
{
|
|
slope_too_steep = this.runtime.testOverlapJumpThru(this.inst);
|
|
is_jumpthru = true;
|
|
if (slope_too_steep)
|
|
{
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
if (this.runtime.testOverlap(this.inst, slope_too_steep))
|
|
{
|
|
slope_too_steep = null;
|
|
is_jumpthru = false;
|
|
}
|
|
}
|
|
}
|
|
*/
|
|
this.inst.x = oldx + mx;
|
|
this.inst.y = oldy + my;
|
|
this.inst.set_bbox_changed();
|
|
obstacle = this.runtime.testOverlapSolid(this.inst);
|
|
if (!obstacle && floor_)
|
|
{
|
|
obstacle = this.runtime.testOverlapJumpThru(this.inst);
|
|
if (obstacle)
|
|
{
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
if (this.runtime.testOverlap(this.inst, obstacle))
|
|
{
|
|
obstacle = null;
|
|
is_jumpthru = false;
|
|
}
|
|
else
|
|
is_jumpthru = true;
|
|
this.inst.x = oldx + mx;
|
|
this.inst.y = oldy + my;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
}
|
|
if (obstacle)
|
|
{
|
|
var push_dist = Math.abs(this.dx * dt) + 2;
|
|
if (slope_too_steep || !this.runtime.pushOutSolid(this.inst, -this.downx, -this.downy, push_dist, is_jumpthru, obstacle))
|
|
{
|
|
this.runtime.registerCollision(this.inst, obstacle);
|
|
push_dist = Math.max(Math.abs(this.dx * dt * 2.5), 30);
|
|
if (!this.runtime.pushOutSolid(this.inst, this.rightx * (this.dx < 0 ? 1 : -1), this.righty * (this.dx < 0 ? 1 : -1), push_dist, false))
|
|
{
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
else if (floor_ && !is_jumpthru && !this.floorIsJumpthru)
|
|
{
|
|
oldx = this.inst.x;
|
|
oldy = this.inst.y;
|
|
this.inst.x += this.downx;
|
|
this.inst.y += this.downy;
|
|
if (this.runtime.testOverlapSolid(this.inst))
|
|
{
|
|
if (!this.runtime.pushOutSolid(this.inst, -this.downx, -this.downy, 3, false))
|
|
{
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
}
|
|
else
|
|
{
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
}
|
|
if (!is_jumpthru)
|
|
this.dx = 0; // stop
|
|
}
|
|
else if (!slope_too_steep && !jump && (Math.abs(this.dy) < Math.abs(this.jumpStrength / 4)))
|
|
{
|
|
this.dy = 0;
|
|
if (!floor_)
|
|
landed = true;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
var newfloor = this.isOnFloor();
|
|
if (floor_ && !newfloor)
|
|
{
|
|
mag = Math.ceil(Math.abs(this.dx * dt)) + 2;
|
|
oldx = this.inst.x;
|
|
oldy = this.inst.y;
|
|
this.inst.x += this.downx * mag;
|
|
this.inst.y += this.downy * mag;
|
|
this.inst.set_bbox_changed();
|
|
if (this.runtime.testOverlapSolid(this.inst) || this.runtime.testOverlapJumpThru(this.inst))
|
|
this.runtime.pushOutSolid(this.inst, -this.downx, -this.downy, mag + 2, true);
|
|
else
|
|
{
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
}
|
|
else if (newfloor)
|
|
{
|
|
if (!floor_ && this.floorIsJumpthru)
|
|
{
|
|
this.lastFloorObject = newfloor;
|
|
this.lastFloorX = newfloor.x;
|
|
this.lastFloorY = newfloor.y;
|
|
this.dy = 0;
|
|
landed = true;
|
|
}
|
|
if (this.dy === 0)
|
|
{
|
|
this.runtime.pushInFractional(this.inst, -this.downx, -this.downy, newfloor, 16);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
if (this.dy !== 0)
|
|
{
|
|
oldx = this.inst.x;
|
|
oldy = this.inst.y;
|
|
this.inst.x += this.dy * dt * this.downx;
|
|
this.inst.y += this.dy * dt * this.downy;
|
|
var newx = this.inst.x;
|
|
var newy = this.inst.y;
|
|
this.inst.set_bbox_changed();
|
|
collobj = this.runtime.testOverlapSolid(this.inst);
|
|
var fell_on_jumpthru = false;
|
|
if (!collobj && (this.dy > 0) && !floor_)
|
|
{
|
|
allover = this.fallthrough > 0 ? null : this.runtime.testOverlapJumpThru(this.inst, true);
|
|
if (allover && allover.length)
|
|
{
|
|
if (this.wasOverJumpthru)
|
|
{
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
for (i = 0, j = 0, len = allover.length; i < len; i++)
|
|
{
|
|
allover[j] = allover[i];
|
|
if (!this.runtime.testOverlap(this.inst, allover[i]))
|
|
j++;
|
|
}
|
|
allover.length = j;
|
|
this.inst.x = newx;
|
|
this.inst.y = newy;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
if (allover.length >= 1)
|
|
collobj = allover[0];
|
|
}
|
|
fell_on_jumpthru = !!collobj;
|
|
}
|
|
if (collobj)
|
|
{
|
|
this.runtime.registerCollision(this.inst, collobj);
|
|
this.sustainTime = 0;
|
|
var push_dist = (fell_on_jumpthru ? Math.abs(this.dy * dt * 2.5 + 10) : Math.max(Math.abs(this.dy * dt * 2.5 + 10), 30));
|
|
if (!this.runtime.pushOutSolid(this.inst, this.downx * (this.dy < 0 ? 1 : -1), this.downy * (this.dy < 0 ? 1 : -1), push_dist, fell_on_jumpthru, collobj))
|
|
{
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
this.wasOnFloor = true; // prevent adjustment for unexpected floor landings
|
|
if (!fell_on_jumpthru)
|
|
this.dy = 0; // stop
|
|
}
|
|
else
|
|
{
|
|
this.lastFloorObject = collobj;
|
|
this.lastFloorX = collobj.x;
|
|
this.lastFloorY = collobj.y;
|
|
this.floorIsJumpthru = fell_on_jumpthru;
|
|
if (fell_on_jumpthru)
|
|
landed = true;
|
|
this.dy = 0; // stop
|
|
}
|
|
}
|
|
}
|
|
if (this.animMode !== ANIMMODE_FALLING && this.dy > 0 && !floor_)
|
|
{
|
|
this.runtime.trigger(cr.behaviors.Platform.prototype.cnds.OnFall, this.inst);
|
|
this.animMode = ANIMMODE_FALLING;
|
|
}
|
|
if ((floor_ || landed) && this.dy >= 0)
|
|
{
|
|
if (this.animMode === ANIMMODE_FALLING || landed || (jump && this.dy === 0))
|
|
{
|
|
this.runtime.trigger(cr.behaviors.Platform.prototype.cnds.OnLand, this.inst);
|
|
if (this.dx === 0 && this.dy === 0)
|
|
this.animMode = ANIMMODE_STOPPED;
|
|
else
|
|
this.animMode = ANIMMODE_MOVING;
|
|
}
|
|
else
|
|
{
|
|
if (this.animMode !== ANIMMODE_STOPPED && this.dx === 0 && this.dy === 0)
|
|
{
|
|
this.runtime.trigger(cr.behaviors.Platform.prototype.cnds.OnStop, this.inst);
|
|
this.animMode = ANIMMODE_STOPPED;
|
|
}
|
|
if (this.animMode !== ANIMMODE_MOVING && (this.dx !== 0 || this.dy !== 0) && !jump)
|
|
{
|
|
this.runtime.trigger(cr.behaviors.Platform.prototype.cnds.OnMove, this.inst);
|
|
this.animMode = ANIMMODE_MOVING;
|
|
}
|
|
}
|
|
}
|
|
if (this.fallthrough > 0)
|
|
this.fallthrough--;
|
|
this.wasOverJumpthru = this.runtime.testOverlapJumpThru(this.inst);
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsMoving = function ()
|
|
{
|
|
return this.dx !== 0 || this.dy !== 0;
|
|
};
|
|
Cnds.prototype.CompareSpeed = function (cmp, s)
|
|
{
|
|
var speed = Math.sqrt(this.dx * this.dx + this.dy * this.dy);
|
|
return cr.do_cmp(speed, cmp, s);
|
|
};
|
|
Cnds.prototype.IsOnFloor = function ()
|
|
{
|
|
if (this.dy !== 0)
|
|
return false;
|
|
var ret = null;
|
|
var ret2 = null;
|
|
var i, len, j;
|
|
var oldx = this.inst.x;
|
|
var oldy = this.inst.y;
|
|
this.inst.x += this.downx;
|
|
this.inst.y += this.downy;
|
|
this.inst.set_bbox_changed();
|
|
ret = this.runtime.testOverlapSolid(this.inst);
|
|
if (!ret && this.fallthrough === 0)
|
|
ret2 = this.runtime.testOverlapJumpThru(this.inst, true);
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
if (ret) // was overlapping solid
|
|
{
|
|
return !this.runtime.testOverlap(this.inst, ret);
|
|
}
|
|
if (ret2 && ret2.length)
|
|
{
|
|
for (i = 0, j = 0, len = ret2.length; i < len; i++)
|
|
{
|
|
ret2[j] = ret2[i];
|
|
if (!this.runtime.testOverlap(this.inst, ret2[i]))
|
|
j++;
|
|
}
|
|
if (j >= 1)
|
|
return true;
|
|
}
|
|
return false;
|
|
};
|
|
Cnds.prototype.IsByWall = function (side)
|
|
{
|
|
var ret = false;
|
|
var oldx = this.inst.x;
|
|
var oldy = this.inst.y;
|
|
if (side === 0) // left
|
|
{
|
|
this.inst.x -= this.rightx * 2;
|
|
this.inst.y -= this.righty * 2;
|
|
}
|
|
else
|
|
{
|
|
this.inst.x += this.rightx * 2;
|
|
this.inst.y += this.righty * 2;
|
|
}
|
|
this.inst.set_bbox_changed();
|
|
if (!this.runtime.testOverlapSolid(this.inst))
|
|
{
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
return false;
|
|
}
|
|
this.inst.x -= this.downx * 3;
|
|
this.inst.y -= this.downy * 3;
|
|
this.inst.set_bbox_changed();
|
|
ret = this.runtime.testOverlapSolid(this.inst);
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
return ret;
|
|
};
|
|
Cnds.prototype.IsJumping = function ()
|
|
{
|
|
return this.dy < 0;
|
|
};
|
|
Cnds.prototype.IsFalling = function ()
|
|
{
|
|
return this.dy > 0;
|
|
};
|
|
Cnds.prototype.OnJump = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnFall = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnStop = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnMove = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnLand = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsDoubleJumpEnabled = function ()
|
|
{
|
|
return this.enableDoubleJump;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetIgnoreInput = function (ignoring)
|
|
{
|
|
this.ignoreInput = ignoring;
|
|
};
|
|
Acts.prototype.SetMaxSpeed = function (maxspeed)
|
|
{
|
|
this.maxspeed = maxspeed;
|
|
if (this.maxspeed < 0)
|
|
this.maxspeed = 0;
|
|
};
|
|
Acts.prototype.SetAcceleration = function (acc)
|
|
{
|
|
this.acc = acc;
|
|
if (this.acc < 0)
|
|
this.acc = 0;
|
|
};
|
|
Acts.prototype.SetDeceleration = function (dec)
|
|
{
|
|
this.dec = dec;
|
|
if (this.dec < 0)
|
|
this.dec = 0;
|
|
};
|
|
Acts.prototype.SetJumpStrength = function (js)
|
|
{
|
|
this.jumpStrength = js;
|
|
if (this.jumpStrength < 0)
|
|
this.jumpStrength = 0;
|
|
};
|
|
Acts.prototype.SetGravity = function (grav)
|
|
{
|
|
if (this.g1 === grav)
|
|
return; // no change
|
|
this.g = grav;
|
|
this.updateGravity();
|
|
if (this.runtime.testOverlapSolid(this.inst))
|
|
{
|
|
this.runtime.pushOutSolid(this.inst, this.downx, this.downy, 10);
|
|
this.inst.x += this.downx * 2;
|
|
this.inst.y += this.downy * 2;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
this.lastFloorObject = null;
|
|
};
|
|
Acts.prototype.SetMaxFallSpeed = function (mfs)
|
|
{
|
|
this.maxFall = mfs;
|
|
if (this.maxFall < 0)
|
|
this.maxFall = 0;
|
|
};
|
|
Acts.prototype.SimulateControl = function (ctrl)
|
|
{
|
|
switch (ctrl) {
|
|
case 0: this.simleft = true; break;
|
|
case 1: this.simright = true; break;
|
|
case 2: this.simjump = true; break;
|
|
}
|
|
};
|
|
Acts.prototype.SetVectorX = function (vx)
|
|
{
|
|
this.dx = vx;
|
|
};
|
|
Acts.prototype.SetVectorY = function (vy)
|
|
{
|
|
this.dy = vy;
|
|
};
|
|
Acts.prototype.SetGravityAngle = function (a)
|
|
{
|
|
a = cr.to_radians(a);
|
|
a = cr.clamp_angle(a);
|
|
if (this.ga === a)
|
|
return; // no change
|
|
this.ga = a;
|
|
this.updateGravity();
|
|
this.lastFloorObject = null;
|
|
};
|
|
Acts.prototype.SetEnabled = function (en)
|
|
{
|
|
if (this.enabled !== (en === 1))
|
|
{
|
|
this.enabled = (en === 1);
|
|
if (!this.enabled)
|
|
this.lastFloorObject = null;
|
|
}
|
|
};
|
|
Acts.prototype.FallThrough = function ()
|
|
{
|
|
var oldx = this.inst.x;
|
|
var oldy = this.inst.y;
|
|
this.inst.x += this.downx;
|
|
this.inst.y += this.downy;
|
|
this.inst.set_bbox_changed();
|
|
var overlaps = this.runtime.testOverlapJumpThru(this.inst, false);
|
|
this.inst.x = oldx;
|
|
this.inst.y = oldy;
|
|
this.inst.set_bbox_changed();
|
|
if (!overlaps)
|
|
return;
|
|
this.fallthrough = 3; // disable jumpthrus for 3 ticks (1 doesn't do it, 2 does, 3 to be on safe side)
|
|
this.lastFloorObject = null;
|
|
};
|
|
Acts.prototype.SetDoubleJumpEnabled = function (e)
|
|
{
|
|
this.enableDoubleJump = (e !== 0);
|
|
};
|
|
Acts.prototype.SetJumpSustain = function (s)
|
|
{
|
|
this.jumpSustain = s / 1000; // convert to ms
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Speed = function (ret)
|
|
{
|
|
ret.set_float(Math.sqrt(this.dx * this.dx + this.dy * this.dy));
|
|
};
|
|
Exps.prototype.MaxSpeed = function (ret)
|
|
{
|
|
ret.set_float(this.maxspeed);
|
|
};
|
|
Exps.prototype.Acceleration = function (ret)
|
|
{
|
|
ret.set_float(this.acc);
|
|
};
|
|
Exps.prototype.Deceleration = function (ret)
|
|
{
|
|
ret.set_float(this.dec);
|
|
};
|
|
Exps.prototype.JumpStrength = function (ret)
|
|
{
|
|
ret.set_float(this.jumpStrength);
|
|
};
|
|
Exps.prototype.Gravity = function (ret)
|
|
{
|
|
ret.set_float(this.g);
|
|
};
|
|
Exps.prototype.GravityAngle = function (ret)
|
|
{
|
|
ret.set_float(cr.to_degrees(this.ga));
|
|
};
|
|
Exps.prototype.MaxFallSpeed = function (ret)
|
|
{
|
|
ret.set_float(this.maxFall);
|
|
};
|
|
Exps.prototype.MovingAngle = function (ret)
|
|
{
|
|
ret.set_float(cr.to_degrees(Math.atan2(this.dy, this.dx)));
|
|
};
|
|
Exps.prototype.VectorX = function (ret)
|
|
{
|
|
ret.set_float(this.dx);
|
|
};
|
|
Exps.prototype.VectorY = function (ret)
|
|
{
|
|
ret.set_float(this.dy);
|
|
};
|
|
Exps.prototype.JumpSustain = function (ret)
|
|
{
|
|
ret.set_float(this.jumpSustain * 1000); // convert back to ms
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.Rex_Zigzag = function (runtime) {
|
|
this.runtime = runtime;
|
|
};
|
|
(function () {
|
|
var behaviorProto = cr.behaviors.Rex_Zigzag.prototype;
|
|
behaviorProto.Type = function (behavior, objtype) {
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function () {
|
|
};
|
|
behaviorProto.Instance = function (type, inst) {
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
var transferCmd = function (name, param) {
|
|
switch (name) {
|
|
case "F":
|
|
name = "M"; // move
|
|
break;
|
|
case "B":
|
|
name = "M"; // move
|
|
param = -param;
|
|
break;
|
|
case "R":
|
|
name = "R"; // rotate
|
|
break;
|
|
case "L":
|
|
name = "R"; // rotate
|
|
param = -param;
|
|
break;
|
|
case "W":
|
|
break;
|
|
default:
|
|
return null; // no matched command
|
|
break;
|
|
}
|
|
return ({
|
|
"cmd": name,
|
|
"param": param
|
|
});
|
|
};
|
|
var parseSpeed = function (speedString) {
|
|
var newSpeedValue = (speedString != "") ?
|
|
eval("(" + speedString + ")") : null;
|
|
return newSpeedValue;
|
|
};
|
|
var parsingRresult = [null, null];
|
|
var parseCmd1 = function (cmd) // split cmd string and speed setting
|
|
{
|
|
var startIndex = cmd.indexOf("[");
|
|
var retCmd;
|
|
var speedString;
|
|
if (startIndex != (-1)) {
|
|
speedString = cmd.slice(startIndex);
|
|
retCmd = cmd.slice(0, startIndex);
|
|
} else {
|
|
speedString = "";
|
|
retCmd = cmd;
|
|
}
|
|
parsingRresult[0] = retCmd;
|
|
parsingRresult[1] = speedString;
|
|
return parsingRresult;
|
|
};
|
|
var parseCmdString = function (cmdString) {
|
|
var ret_cmds = [];
|
|
var cmds = cmdString.split(/;|\n/);
|
|
var i;
|
|
var cmd_length = cmds.length;
|
|
var cmd, cmd_slices, cmd_name, cmd_param, cmd_parsed;
|
|
var tmp;
|
|
for (i = 0; i < cmd_length; i++) {
|
|
tmp = parseCmd1(cmds[i]);
|
|
cmd = tmp[0];
|
|
cmd = cmd.replace(/(^\s*)|(\s*$)/g, "");
|
|
cmd = cmd.replace(/(\s+)/g, " ");
|
|
cmd_slices = cmd.split(" ");
|
|
if (cmd_slices.length == 2) {
|
|
cmd_name = cmd_slices[0].toUpperCase();
|
|
cmd_param = parseFloat(cmd_slices[1]);
|
|
cmd_parsed = transferCmd(cmd_name, cmd_param);
|
|
if (cmd_parsed) {
|
|
cmd_parsed["speed"] = parseSpeed(tmp[1]);
|
|
ret_cmds.push(cmd_parsed);
|
|
} else {
|
|
;
|
|
continue;
|
|
}
|
|
} else {
|
|
;
|
|
continue;
|
|
}
|
|
}
|
|
return ret_cmds;
|
|
};
|
|
behinstProto.onCreate = function () {
|
|
this.activated = this.properties[0];
|
|
this.isRun = (this.properties[1] == 1);
|
|
var isRotatable = (this.properties[2] == 1);
|
|
var preciseMode = (this.properties[12] == 1);
|
|
var continuedMode = (this.properties[13] == 1);
|
|
var absoluteMode = (this.properties[14] == 1);
|
|
this.currentCmd = null;
|
|
this.inst.xOffset = 0;
|
|
this.inst.yOffset = 0;
|
|
this.isMyCall = false;
|
|
var initAngle = (isRotatable) ?
|
|
this.inst.angle :
|
|
cr.to_clamped_radians(this.properties[11]);
|
|
this.inst.angleOffset = initAngle;
|
|
if (!this.recycled) {
|
|
this.positionData = {
|
|
"x": 0,
|
|
"y": 0,
|
|
"a": 0
|
|
};
|
|
}
|
|
this.positionData["x"] = absoluteMode ? 0 : this.inst.x;
|
|
this.positionData["y"] = absoluteMode ? 0 : this.inst.y;
|
|
this.positionData["a"] = initAngle;
|
|
if (!this.recycled) {
|
|
this.CmdQueue = new CmdQueue(this.properties[3]);
|
|
} else {
|
|
this.CmdQueue.Init(this.properties[3]);
|
|
}
|
|
if (!this.recycled) {
|
|
this.CmdMove = new CmdMoveKlass(this.inst,
|
|
this.properties[5],
|
|
this.properties[6],
|
|
this.properties[7],
|
|
preciseMode,
|
|
continuedMode,
|
|
absoluteMode);
|
|
} else {
|
|
this.CmdMove.Init(this.inst,
|
|
this.properties[5],
|
|
this.properties[6],
|
|
this.properties[7],
|
|
preciseMode,
|
|
continuedMode,
|
|
absoluteMode);
|
|
}
|
|
if (!this.recycled) {
|
|
this.CmdRotate = new CmdRotateKlass(this.inst,
|
|
isRotatable,
|
|
this.properties[8],
|
|
this.properties[9],
|
|
this.properties[10],
|
|
preciseMode,
|
|
continuedMode,
|
|
absoluteMode);
|
|
} else {
|
|
this.CmdRotate.Init(this.inst,
|
|
isRotatable,
|
|
this.properties[8],
|
|
this.properties[9],
|
|
this.properties[10],
|
|
preciseMode,
|
|
continuedMode,
|
|
absoluteMode);
|
|
}
|
|
if (!this.recycled) {
|
|
this.CmdWait = new CmdWaitKlass(continuedMode);
|
|
} else {
|
|
this.CmdWait.Init(continuedMode);
|
|
}
|
|
if (!this.recycled) {
|
|
this.cmdMap = {
|
|
"M": this.CmdMove,
|
|
"R": this.CmdRotate,
|
|
"W": this.CmdWait
|
|
};
|
|
}
|
|
this.AddCommandString(this.properties[4]);
|
|
};
|
|
behinstProto.tick = function () {
|
|
if ((this.activated == 0) || (!this.isRun))
|
|
return;
|
|
var dt = this.runtime.getDt(this.inst);
|
|
var cmd;
|
|
while (dt) {
|
|
if (this.currentCmd == null) // try to get new cmd
|
|
{
|
|
this.currentCmd = this.CmdQueue.GetCmd();
|
|
if (this.currentCmd != null) {
|
|
cmd = this.cmdMap[this.currentCmd["cmd"]];
|
|
cmd.CmdInit(this.positionData, this.currentCmd["param"], this.currentCmd["speed"]);
|
|
this.isMyCall = true;
|
|
this.runtime.trigger(cr.behaviors.Rex_Zigzag.prototype.cnds.OnCmdStart, this.inst);
|
|
this.isMyCall = false;
|
|
} else {
|
|
this.isRun = false;
|
|
this.isMyCall = true;
|
|
this.runtime.trigger(cr.behaviors.Rex_Zigzag.prototype.cnds.OnCmdQueueFinish, this.inst);
|
|
this.isMyCall = false;
|
|
break;
|
|
}
|
|
} else {
|
|
cmd = this.cmdMap[this.currentCmd["cmd"]];
|
|
}
|
|
dt = cmd.Tick(dt);
|
|
if (cmd.isDone) {
|
|
this.isMyCall = true;
|
|
this.runtime.trigger(cr.behaviors.Rex_Zigzag.prototype.cnds.OnCmdFinish, this.inst);
|
|
this.isMyCall = false;
|
|
this.currentCmd = null;
|
|
}
|
|
}
|
|
};
|
|
behinstProto.AddCommand = function (cmd, param) {
|
|
this.CmdQueue.Push(transferCmd(cmd, param));
|
|
};
|
|
behinstProto.AddCommandString = function (cmdString) {
|
|
if (cmdString != "")
|
|
this.CmdQueue.PushList(parseCmdString(cmdString));
|
|
};
|
|
behinstProto.saveToJSON = function () {
|
|
return {
|
|
"en": this.activated,
|
|
"ir": this.isRun,
|
|
"ps": this.positionData,
|
|
"cq": this.CmdQueue.saveToJSON(),
|
|
"cc": this.currentCmd,
|
|
"cm": this.CmdMove.saveToJSON(),
|
|
"cr": this.CmdRotate.saveToJSON(),
|
|
"cw": this.CmdWait.saveToJSON(),
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o) {
|
|
this.activated = o["en"];
|
|
this.isRun = o["ir"];
|
|
this.positionData = o["ps"];
|
|
this.CmdQueue.loadFromJSON(o["cq"]);
|
|
this.currentCmd = o["cc"];
|
|
this.CmdMove.loadFromJSON(o["cm"]);
|
|
this.CmdRotate.loadFromJSON(o["cr"]);
|
|
this.CmdWait.loadFromJSON(o["cw"]);
|
|
if (this.currentCmd != null) // link to cmd object
|
|
{
|
|
var cmd = this.cmdMap[this.currentCmd["cmd"]];
|
|
cmd.target = this.positionData;
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
behaviorProto.cnds = new Cnds();
|
|
Cnds.prototype.CompareMovSpeed = function (cmp, s) {
|
|
return cr.do_cmp(this.CmdMove.currentSpeed, cmp, s);
|
|
};
|
|
Cnds.prototype.CompareRotSpeed = function (cmp, s) {
|
|
return cr.do_cmp(this.CmdRotate.currentSpeed, cmp, s);
|
|
};
|
|
var isValidCmd = function (currentCmd, _cmd) {
|
|
if (currentCmd == null)
|
|
return false;
|
|
var ret;
|
|
switch (_cmd) {
|
|
case 0: //"F"
|
|
ret = ((currentCmd["cmd"] == "M") && (currentCmd["param"] >= 0));
|
|
break;
|
|
case 1: //"B"
|
|
ret = ((currentCmd["cmd"] == "M") && (currentCmd["param"] < 0));
|
|
break;
|
|
case 2: //"R"
|
|
ret = ((currentCmd["cmd"] == "R") && (currentCmd["param"] >= 0));
|
|
break;
|
|
case 3: //"L"
|
|
ret = ((currentCmd["cmd"] == "R") && (currentCmd["param"] < 0));
|
|
break;
|
|
case 4: //"W"
|
|
ret = (currentCmd["cmd"] == "W");
|
|
break;
|
|
default: // any
|
|
ret = true;
|
|
}
|
|
return ret;
|
|
}
|
|
Cnds.prototype.IsCmd = function (_cmd) {
|
|
return isValidCmd(this.currentCmd, _cmd);
|
|
};
|
|
Cnds.prototype.OnCmdQueueFinish = function () {
|
|
return (this.isMyCall);
|
|
};
|
|
Cnds.prototype.OnCmdStart = function (_cmd) {
|
|
return (isValidCmd(this.currentCmd, _cmd) && this.isMyCall);
|
|
};
|
|
Cnds.prototype.OnCmdFinish = function (_cmd) {
|
|
return (isValidCmd(this.currentCmd, _cmd) && this.isMyCall);
|
|
};
|
|
function Acts() {};
|
|
behaviorProto.acts = new Acts();
|
|
Acts.prototype.SetActivated = function (s) {
|
|
this.activated = s;
|
|
};
|
|
Acts.prototype.Start = function () {
|
|
this.currentCmd = null;
|
|
this.isRun = true;
|
|
this.CmdQueue.Reset();
|
|
this.positionData["x"] = this.CmdMove.absoluteMode ? 0 : this.inst.x;
|
|
this.positionData["y"] = this.CmdMove.absoluteMode ? 0 : this.inst.y;
|
|
if (this.CmdRotate.rotatable)
|
|
this.positionData["a"] = this.inst.angle;
|
|
};
|
|
Acts.prototype.Stop = function () {
|
|
this.currentCmd = null;
|
|
this.isRun = false;
|
|
};
|
|
Acts.prototype.SetMaxMovSpeed = function (s) {
|
|
this.CmdMove.move["max"] = s;
|
|
};
|
|
Acts.prototype.SetMovAcceleration = function (s) {
|
|
this.CmdMove.move["acc"] = s;
|
|
};
|
|
Acts.prototype.SetMovDeceleration = function (s) {
|
|
this.CmdMove.move["dec"] = s;
|
|
};
|
|
Acts.prototype.SetMaxRotSpeed = function (s) {
|
|
this.CmdRotate.move["max"] = s;
|
|
};
|
|
Acts.prototype.SetRotAcceleration = function (s) {
|
|
this.CmdRotate.move["acc"] = s;
|
|
};
|
|
Acts.prototype.SetRotDeceleration = function (s) {
|
|
this.CmdRotate.move["dec"] = s;
|
|
};
|
|
Acts.prototype.SetRepeatCount = function (s) {
|
|
this.CmdQueue.repeatCount = s;
|
|
this.CmdQueue.repeatCountSave = s;
|
|
};
|
|
Acts.prototype.CleanCmdQueue = function () {
|
|
this.CmdQueue.CleanAll();
|
|
};
|
|
var index2NameMap = ["F", "B", "R", "L", "W"];
|
|
Acts.prototype.AddCmd = function (_cmd, param) {
|
|
this.AddCommand(index2NameMap[_cmd], param);
|
|
};
|
|
Acts.prototype.AddCmdString = function (cmdString) {
|
|
this.AddCommandString(cmdString);
|
|
};
|
|
Acts.prototype.SetRotatable = function (s) {
|
|
this.CmdRotate.rotatable = (s == 1);
|
|
};
|
|
Acts.prototype.SetMovingAngle = function (s) {
|
|
var _angle = cr.to_clamped_radians(s);
|
|
if (this.CmdMove.absoluteMode) {
|
|
this.inst.angleOffset = _angle;
|
|
}
|
|
else {
|
|
this.positionData["a"] = _angle;
|
|
if (this.CmdRotate.rotatable) {
|
|
this.inst.angle = _angle;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.SetPrecise = function (s) {
|
|
var preciseMode = (s == 1);
|
|
this.CmdMove.preciseMode = preciseMode;
|
|
this.CmdRotate.preciseMode = preciseMode;
|
|
};
|
|
Acts.prototype.SetAbsolute = function (s) {
|
|
var absoluteMode = (s == 1);
|
|
this.CmdMove.absoluteMode = absoluteMode;
|
|
this.CmdRotate.absoluteMode = absoluteMode;
|
|
};
|
|
function Exps() {};
|
|
behaviorProto.exps = new Exps();
|
|
Exps.prototype.Activated = function (ret) {
|
|
ret.set_int(this.activated);
|
|
};
|
|
Exps.prototype.MovSpeed = function (ret) {
|
|
ret.set_float(this.CmdMove.currentSpeed);
|
|
};
|
|
Exps.prototype.MaxMovSpeed = function (ret) {
|
|
ret.set_float(this.CmdMove.move["max"]);
|
|
};
|
|
Exps.prototype.MovAcc = function (ret) {
|
|
ret.set_float(this.CmdMove.move["acc"]);
|
|
};
|
|
Exps.prototype.MovDec = function (ret) {
|
|
ret.set_float(this.CmdMove.move["dec"]);
|
|
};
|
|
Exps.prototype.RotSpeed = function (ret) {
|
|
ret.set_float(this.CmdRotate.currentSpeed);
|
|
};
|
|
Exps.prototype.MaxRotSpeed = function (ret) {
|
|
ret.set_float(this.CmdRotate.move["max"]);
|
|
};
|
|
Exps.prototype.RotAcc = function (ret) {
|
|
ret.set_float(this.CmdRotate.move["acc"]);
|
|
};
|
|
Exps.prototype.RotDec = function (ret) {
|
|
ret.set_float(this.CmdRotate.move["dec"]);
|
|
};
|
|
Exps.prototype.Rotatable = function (ret) {
|
|
ret.set_int(this.CmdRotate.rotatable);
|
|
};
|
|
Exps.prototype.RepCnt = function (ret) {
|
|
ret.set_int(this.CmdQueue.repeatCountSave);
|
|
};
|
|
Exps.prototype.CmdIndex = function (ret) {
|
|
ret.set_int(this.CmdQueue.currentCmdQueueIndex);
|
|
};
|
|
Exps.prototype.MovAngle = function (ret) {
|
|
var angle;
|
|
if (isValidCmd(this.currentCmd, 2) || isValidCmd(this.currentCmd, 3)) {
|
|
angle = this.CmdRotate.currentAngleDeg;
|
|
if (angle < 0)
|
|
angle = 360 + angle;
|
|
} else
|
|
angle = cr.to_clamped_degrees(this.positionData["a"]);
|
|
ret.set_float(angle);
|
|
};
|
|
Exps.prototype.OffAngle = function (ret) {
|
|
var off = this.CmdRotate.rotatable? cr.to_clamped_degrees(this.inst.angleOffset) : 0;
|
|
if(typeof off == "number")
|
|
ret.set_float(off);
|
|
else
|
|
ret.set_float(0);
|
|
};
|
|
Exps.prototype.OffX = function (ret) {
|
|
var off = this.inst.xOffset;
|
|
if(typeof off == "number")
|
|
ret.set_float(off);
|
|
else
|
|
ret.set_float(0);
|
|
};
|
|
Exps.prototype.OffY = function (ret) {
|
|
var off = this.inst.yOffset;
|
|
if(typeof off == "number")
|
|
ret.set_float(off);
|
|
else
|
|
ret.set_float(0);
|
|
};
|
|
var CmdQueue = function (repeatCount) {
|
|
this.Init(repeatCount);
|
|
};
|
|
var CmdQueueProto = CmdQueue.prototype;
|
|
CmdQueueProto.Init = function (repeatCount) {
|
|
this.CleanAll();
|
|
this.repeatCount = repeatCount;
|
|
this.repeatCountSave = repeatCount;
|
|
};
|
|
CmdQueueProto.CleanAll = function () {
|
|
this.queueIndex = 0;
|
|
this.currentCmdQueueIndex = -1;
|
|
this.queue = [];
|
|
};
|
|
CmdQueueProto.Reset = function () {
|
|
this.repeatCount = this.repeatCountSave;
|
|
this.queueIndex = 0;
|
|
this.currentCmdQueueIndex = -1;
|
|
};
|
|
CmdQueueProto.Push = function (item) {
|
|
this.queue.push(item);
|
|
};
|
|
CmdQueueProto.PushList = function (items) {
|
|
this.queue.push.apply(this.queue, items);
|
|
};
|
|
CmdQueueProto.GetCmd = function () {
|
|
var cmd;
|
|
cmd = this.queue[this.queueIndex];
|
|
this.currentCmdQueueIndex = this.queueIndex;
|
|
var index = this.queueIndex + 1;
|
|
if (index >= this.queue.length) {
|
|
if (this.repeatCount != 1) // repeat
|
|
{
|
|
this.queueIndex = 0;
|
|
this.repeatCount -= 1;
|
|
} else {
|
|
this.queueIndex = (-1); // finish
|
|
}
|
|
} else
|
|
this.queueIndex = index;
|
|
return cmd;
|
|
};
|
|
CmdQueueProto.saveToJSON = function () {
|
|
return {
|
|
"i": this.queueIndex,
|
|
"cci": this.currentCmdQueueIndex,
|
|
"q": this.queue,
|
|
"rptsv": this.repeatCountSave,
|
|
"rpt": this.repeatCount
|
|
};
|
|
};
|
|
CmdQueueProto.loadFromJSON = function (o) {
|
|
this.queueIndex = o["i"];
|
|
this.currentCmdQueueIndex = o["cci"];
|
|
this.queue = o["q"];
|
|
this.repeatCountSave = o["rptsv"];
|
|
this.repeatCount = o["rpt"];
|
|
};
|
|
var CmdMoveKlass = function (inst,
|
|
maxSpeed, acc, dec,
|
|
preciseMode, continuedMode, absoluteMode) {
|
|
this.Init(inst,
|
|
maxSpeed, acc, dec,
|
|
preciseMode, continuedMode, absoluteMode);
|
|
};
|
|
var CmdMoveKlassProto = CmdMoveKlass.prototype;
|
|
CmdMoveKlassProto.Init = function (inst,
|
|
maxSpeed, acc, dec,
|
|
preciseMode, continuedMode, absoluteMode) {
|
|
this.inst = inst;
|
|
this.move = {
|
|
"max": maxSpeed,
|
|
"acc": acc,
|
|
"dec": dec
|
|
};
|
|
this.isDone = true;
|
|
this.preciseMode = preciseMode;
|
|
this.continuedMode = continuedMode;
|
|
this.absoluteMode = absoluteMode;
|
|
this.currentSpeed = 0;
|
|
};
|
|
CmdMoveKlassProto.CmdInit = function (positionData, distance,
|
|
newSpeedValue) {
|
|
this.target = positionData;
|
|
this.dir = (distance >= 0);
|
|
this.remainDistance = Math.abs(distance);
|
|
this.isDone = false;
|
|
var angle;
|
|
if(this.absoluteMode)
|
|
angle = this.inst.angleOffset;
|
|
else
|
|
angle = positionData["a"];
|
|
positionData["x"] += (distance * Math.cos(angle));
|
|
positionData["y"] += (distance * Math.sin(angle));
|
|
if (newSpeedValue)
|
|
speedReset.apply(this, newSpeedValue);
|
|
setCurrentSpeed.call(this, null);
|
|
};
|
|
CmdMoveKlassProto.Tick = function (dt) {
|
|
var remainDt;
|
|
var distance = getMoveDistance.call(this, dt);
|
|
this.remainDistance -= distance;
|
|
if ((this.remainDistance <= 0) || (this.currentSpeed <= 0)) {
|
|
this.isDone = true;
|
|
if (this.preciseMode) // precise mode
|
|
{
|
|
if(this.absoluteMode){
|
|
this.inst.xOffset = this.target["x"];
|
|
this.inst.yOffset = this.target["y"];
|
|
}
|
|
else {
|
|
this.inst.x = this.target["x"];
|
|
this.inst.y = this.target["y"];
|
|
}
|
|
} else // non-precise mode
|
|
{
|
|
var angle = this.target["a"];
|
|
distance += this.remainDistance;
|
|
if (!this.dir) {
|
|
distance = -distance;
|
|
}
|
|
if (this.absoluteMode) {
|
|
this.inst.xOffset += (distance * Math.cos(angle));
|
|
this.inst.yOffset += (distance * Math.sin(angle));
|
|
this.target["x"] = this.inst.xOffset;
|
|
this.target["y"] = this.inst.yOffset;
|
|
} else {
|
|
this.inst.x += (distance * Math.cos(angle));
|
|
this.inst.y += (distance * Math.sin(angle));
|
|
this.target["x"] = this.inst.x;
|
|
this.target["y"] = this.inst.y;
|
|
}
|
|
}
|
|
remainDt = (this.continuedMode) ? getRemaindDt.call(this) : 0;
|
|
} else {
|
|
var angle;
|
|
if (this.absoluteMode)
|
|
angle = this.inst.angleOffset;
|
|
else
|
|
angle = this.target["a"];
|
|
if (!this.dir) {
|
|
distance = -distance;
|
|
}
|
|
if(this.absoluteMode) {
|
|
this.inst.xOffset += (distance * Math.cos(angle));
|
|
this.inst.yOffset += (distance * Math.sin(angle));
|
|
}
|
|
else {
|
|
this.inst.x += (distance * Math.cos(angle));
|
|
this.inst.y += (distance * Math.sin(angle));
|
|
}
|
|
remainDt = 0;
|
|
}
|
|
if(!this.absoluteMode){
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
return remainDt;
|
|
};
|
|
CmdMoveKlassProto.saveToJSON = function () {
|
|
return {
|
|
"v": this.move,
|
|
"id": this.isDone,
|
|
"pm": this.preciseMode,
|
|
"cspd": this.currentSpeed,
|
|
"offx": this.inst.xOffset,
|
|
"offy": this.inst.yOffset,
|
|
"abs": this.absoluteMode,
|
|
"dir": this.dir,
|
|
"rd": this.remainDistance,
|
|
};
|
|
};
|
|
CmdMoveKlassProto.loadFromJSON = function (o) {
|
|
this.move = o["v"];
|
|
this.isDone = o["id"];
|
|
this.preciseMode = o["pm"];
|
|
this.currentSpeed = o["cspd"];
|
|
this.dir = o["dir"];
|
|
this.remainDistance = o["rd"];
|
|
this.absoluteMode = o["abs"];
|
|
this.inst.xOffset = o["offx"];
|
|
this.inst.yOffset = o["offy"];
|
|
};
|
|
var CmdRotateKlass = function (inst,
|
|
rotatable,
|
|
maxSpeed, acc, dec,
|
|
preciseMode, continuedMode, absoluteMode) {
|
|
this.Init(inst,
|
|
rotatable,
|
|
maxSpeed, acc, dec,
|
|
preciseMode, continuedMode, absoluteMode);
|
|
};
|
|
var CmdRotateKlassProto = CmdRotateKlass.prototype;
|
|
CmdRotateKlassProto.Init = function (inst,
|
|
rotatable,
|
|
maxSpeed, acc, dec,
|
|
preciseMode, continuedMode, absoluteMode) {
|
|
this.inst = inst;
|
|
this.rotatable = rotatable;
|
|
this.move = {
|
|
"max": maxSpeed,
|
|
"acc": acc,
|
|
"dec": dec
|
|
};
|
|
this.isDone = true;
|
|
this.isZeroDtMode = ((maxSpeed >= 36000) && (acc == 0) && (dec == 0));
|
|
this.preciseMode = preciseMode;
|
|
this.continuedMode = continuedMode;
|
|
this.absoluteMode = absoluteMode;
|
|
this.currentAngleDeg = (rotatable) ? cr.to_clamped_degrees(inst.angle) : 0;
|
|
this.currentSpeed = 0;
|
|
};
|
|
CmdRotateKlassProto.CmdInit = function (positionData, distance,
|
|
newSpeedValue) {
|
|
this.target = positionData;
|
|
this.currentAngleDeg = cr.to_clamped_degrees(positionData["a"]);
|
|
this.targetAngleDeg = this.currentAngleDeg + distance;
|
|
this.dir = (distance >= 0);
|
|
var angle = cr.to_clamped_radians(this.targetAngleDeg);
|
|
this.remainDistance = Math.abs(distance);
|
|
this.isDone = false;
|
|
positionData["a"] = angle;
|
|
if (newSpeedValue)
|
|
speedReset.apply(this, newSpeedValue);
|
|
setCurrentSpeed.call(this, null);
|
|
};
|
|
CmdRotateKlassProto.Tick = function (dt) {
|
|
var remainDt;
|
|
var targetAngleRad;
|
|
if (this.isZeroDtMode) {
|
|
remainDt = dt;
|
|
this.isDone = true;
|
|
targetAngleRad = this.target["a"];
|
|
this.currentAngleDeg = this.targetAngleDeg;
|
|
} else {
|
|
var distance = getMoveDistance.call(this, dt);
|
|
this.remainDistance -= distance;
|
|
if ((this.remainDistance <= 0) || (this.currentSpeed <= 0)) {
|
|
this.isDone = true;
|
|
if (this.preciseMode) // precise mode
|
|
{
|
|
targetAngleRad = this.target["a"];
|
|
this.currentAngleDeg = this.targetAngleDeg;
|
|
} else // non-precise mode
|
|
{
|
|
distance += this.remainDistance;
|
|
this.currentAngleDeg += ((this.dir) ? distance : (-distance));
|
|
targetAngleRad = cr.to_clamped_radians(this.currentAngleDeg);
|
|
this.target["a"] = targetAngleRad;
|
|
}
|
|
remainDt = (this.continuedMode == 1) ? getRemaindDt.call(this) : 0;
|
|
} else {
|
|
this.currentAngleDeg += ((this.dir) ? distance : (-distance));
|
|
targetAngleRad = cr.to_clamped_radians(this.currentAngleDeg);
|
|
remainDt = 0;
|
|
}
|
|
}
|
|
if (this.absoluteMode) {
|
|
this.inst.angleOffset = targetAngleRad;
|
|
}
|
|
else {
|
|
if (this.rotatable) {
|
|
this.inst.angle = targetAngleRad;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
}
|
|
return remainDt;
|
|
};
|
|
CmdRotateKlassProto.saveToJSON = function () {
|
|
return {
|
|
"ra": this.rotatable,
|
|
"v": this.move,
|
|
"id": this.isDone,
|
|
"izm": this.isZeroDtMode,
|
|
"pm": this.preciseMode,
|
|
"cad": this.currentAngleDeg,
|
|
"cspd": this.currentSpeed,
|
|
"abs": this.absoluteMode,
|
|
"offa": this.inst.angleOffset,
|
|
"tad": this.targetAngleDeg,
|
|
"dir": this.dir,
|
|
"rd": this.remainDistance,
|
|
};
|
|
};
|
|
CmdRotateKlassProto.loadFromJSON = function (o) {
|
|
this.rotatable = o["ra"];
|
|
this.move = o["v"];
|
|
this.isDone = o["id"];
|
|
this.isZeroDtMode = o["izm"];
|
|
this.preciseMode = o["pm"];
|
|
this.currentAngleDeg = o["cad"];
|
|
this.currentSpeed = o["cspd"];
|
|
this.absoluteMode = o["abs"];
|
|
this.inst.angleOffset = o["offa"]
|
|
this.targetAngleDeg = o["tad"];
|
|
this.dir = o["dir"];
|
|
this.remainDistance = o["rd"];
|
|
};
|
|
var setCurrentSpeed = function (speed) {
|
|
var move = this.move;
|
|
if (speed != null) {
|
|
this.currentSpeed = (speed > move["max"]) ?
|
|
move["max"] : speed;
|
|
} else if (move["acc"] > 0) {
|
|
this.currentSpeed = 0;
|
|
} else {
|
|
this.currentSpeed = move["max"];
|
|
}
|
|
};
|
|
var getMoveDistance = function (dt) {
|
|
var move = this.move;
|
|
var isSlowDown = false;
|
|
if (move["dec"] != 0) {
|
|
var _distance = (this.currentSpeed * this.currentSpeed) / (2 * move["dec"]); // (v*v)/(2*a)
|
|
isSlowDown = (_distance >= this.remainDistance);
|
|
}
|
|
var acc = (isSlowDown) ? (-move["dec"]) : move["acc"];
|
|
if (acc != 0) {
|
|
setCurrentSpeed.call(this, this.currentSpeed + (acc * dt));
|
|
}
|
|
var distance = this.currentSpeed * dt;
|
|
return distance;
|
|
};
|
|
var getRemaindDt = function () {
|
|
var remainDt;
|
|
if ((this.move["acc"] > 0) || (this.move["dec"] > 0)) {
|
|
setCurrentSpeed.call(this, 0); // stop in point
|
|
remainDt = 0;
|
|
} else {
|
|
remainDt = (-this.remainDistance) / this.currentSpeed;
|
|
}
|
|
return remainDt;
|
|
};
|
|
var speedReset = function (max, acc, dec) {
|
|
if (max != null)
|
|
this.move["max"] = max;
|
|
if (acc != null)
|
|
this.move["acc"] = acc;
|
|
if (dec != null)
|
|
this.move["dec"] = dec;
|
|
};
|
|
var CmdWaitKlass = function (continuedMode) {
|
|
this.Init(continuedMode);
|
|
};
|
|
var CmdWaitKlassProto = CmdWaitKlass.prototype;
|
|
CmdWaitKlassProto.Init = function (continuedMode) {
|
|
this.isDone = true;
|
|
this.continuedMode = continuedMode;
|
|
};
|
|
CmdWaitKlassProto.CmdInit = function (positionData, distance) {
|
|
this.remainDistance = distance;
|
|
this.isDone = false;
|
|
this.target = positionData;
|
|
};
|
|
CmdWaitKlassProto.Tick = function (dt) {
|
|
this.remainDistance -= dt;
|
|
var remainDt;
|
|
if (this.remainDistance <= 0) {
|
|
remainDt = (this.continuedMode) ? (-this.remainDistance) : 0;
|
|
this.isDone = true;
|
|
} else {
|
|
remainDt = 0;
|
|
}
|
|
return remainDt;
|
|
};
|
|
CmdWaitKlassProto.saveToJSON = function () {
|
|
return {
|
|
"id": this.isDone,
|
|
"rd": this.remainDistance,
|
|
};
|
|
};
|
|
CmdWaitKlassProto.loadFromJSON = function (o) {
|
|
this.isDone = o["id"];
|
|
this.remainDistance = o["rd"];
|
|
};
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.Rex_pushOutSolid = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.Rex_pushOutSolid.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
this.obstacleTypes = []; // object types to check for as obstructions
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.enabled = (this.properties[0] === 1);
|
|
this.obstacleMode = this.properties[1]; // 0 = solids, 1 = custom
|
|
this.maxDist = 100;
|
|
};
|
|
behinstProto.onDestroy = function()
|
|
{
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if (!this.enabled)
|
|
return;
|
|
this.pushOutNearest( this.getCandidates() , this.maxDist);
|
|
};
|
|
var __candidates = [];
|
|
behinstProto.getCandidates = function ()
|
|
{
|
|
__candidates.length = 0;
|
|
if (this.obstacleMode === 0) // use solids
|
|
{
|
|
var solid = this.runtime.getSolidBehavior();
|
|
if (solid)
|
|
cr.appendArray(__candidates, solid.my_instances.valuesRef());
|
|
}
|
|
else
|
|
{
|
|
var types = this.type.obstacleTypes;
|
|
var i, cnt=types.length;
|
|
for (i=0; i<cnt; i++)
|
|
{
|
|
cr.appendArray(__candidates, types[i].instances);
|
|
}
|
|
}
|
|
return __candidates;
|
|
};
|
|
behinstProto.pushOutNearest = function (candidates, max_dist)
|
|
{
|
|
var inst = this.inst;
|
|
var dist = 0;
|
|
var oldx = inst.x
|
|
var oldy = inst.y;
|
|
var dir = 0;
|
|
var dx = 0, dy = 0;
|
|
var overlap_inst = this.get_first_overlap_inst(candidates);
|
|
if (!overlap_inst)
|
|
return true; // no overlap candidate found
|
|
while (dist <= max_dist)
|
|
{
|
|
switch (dir) {
|
|
case 0: dx = 0; dy = -1; dist++; break;
|
|
case 1: dx = 1; dy = -1; break;
|
|
case 2: dx = 1; dy = 0; break;
|
|
case 3: dx = 1; dy = 1; break;
|
|
case 4: dx = 0; dy = 1; break;
|
|
case 5: dx = -1; dy = 1; break;
|
|
case 6: dx = -1; dy = 0; break;
|
|
case 7: dx = -1; dy = -1; break;
|
|
}
|
|
dir = (dir + 1) % 8;
|
|
inst.x = cr.floor(oldx + (dx * dist));
|
|
inst.y = cr.floor(oldy + (dy * dist));
|
|
inst.set_bbox_changed();
|
|
overlap_inst = this.get_first_overlap_inst(candidates, overlap_inst);
|
|
if (!overlap_inst)
|
|
return true;
|
|
}
|
|
inst.x = oldx;
|
|
inst.y = oldy;
|
|
inst.set_bbox_changed();
|
|
return false;
|
|
};
|
|
behinstProto.pushOut = function (candidates, ux, uy, max_dist)
|
|
{
|
|
var inst = this.inst;
|
|
var dist = 0;
|
|
var oldx = inst.x
|
|
var oldy = inst.y;
|
|
var testx, testy;
|
|
var overlap_inst = this.get_first_overlap_inst(candidates);
|
|
if (!overlap_inst)
|
|
return true; // no overlap candidate found
|
|
while (dist <= max_dist)
|
|
{
|
|
dist++;
|
|
testx = cr.floor(oldx + (ux * dist));
|
|
testy = cr.floor(oldy + (uy * dist));
|
|
if ((inst.x === testx) && (inst.y === testy))
|
|
continue;
|
|
inst.x = testx;
|
|
inst.y = testy;
|
|
inst.set_bbox_changed();
|
|
overlap_inst = this.get_first_overlap_inst(candidates, overlap_inst);
|
|
if (!overlap_inst)
|
|
return true;
|
|
}
|
|
inst.x = oldx;
|
|
inst.y = oldy;
|
|
inst.set_bbox_changed();
|
|
return false;
|
|
};
|
|
behinstProto.get_first_overlap_inst = function (candidates, overlap_inst)
|
|
{
|
|
if (overlap_inst && this.runtime.testOverlap(this.inst, overlap_inst))
|
|
return overlap_inst;
|
|
var i,cnt=candidates.length;
|
|
for (i=0; i<cnt; i++)
|
|
{
|
|
if (this.runtime.testOverlap(this.inst, candidates[i]))
|
|
return candidates[i];
|
|
}
|
|
return null;
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
var i, len, obs = [];
|
|
for (i = 0, len = this.type.obstacleTypes.length; i < len; i++)
|
|
{
|
|
obs.push(this.type.obstacleTypes[i].sid);
|
|
}
|
|
return { "en": this.enabled,
|
|
"obs": obs };
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.enabled = o["en"];
|
|
cr.clearArray(this.type.obstacleTypes);
|
|
var obsarr = o["obs"];
|
|
var i, len, t;
|
|
for (i = 0, len = obsarr.length; i < len; i++)
|
|
{
|
|
t = this.runtime.getObjectTypeBySid(obsarr[i]);
|
|
if (t)
|
|
this.type.obstacleTypes.push(t);
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
behaviorProto.acts = new Acts();
|
|
Acts.prototype.SetEnabled = function (en)
|
|
{
|
|
this.enabled = (en === 1);
|
|
};
|
|
Acts.prototype.AddObstacle = function (obj_)
|
|
{
|
|
if (!obj_)
|
|
return;
|
|
debugger
|
|
var obstacleTypes = this.type.obstacleTypes;
|
|
if (obstacleTypes.indexOf(obj_) !== -1)
|
|
return;
|
|
var i, len, t;
|
|
for (i = 0, len = obstacleTypes.length; i < len; i++)
|
|
{
|
|
t = obstacleTypes[i];
|
|
if (t.is_family && t.members.indexOf(obj_) !== -1)
|
|
return;
|
|
}
|
|
obstacleTypes.push(obj_);
|
|
};
|
|
Acts.prototype.ClearObstacles = function ()
|
|
{
|
|
this.type.obstacleTypes.length = 0;
|
|
};
|
|
Acts.prototype.PushOutNearest = function (maxDist)
|
|
{
|
|
this.pushOutNearest( this.getCandidates() , maxDist);
|
|
};
|
|
Acts.prototype.PushOutAngle = function (a, maxDist)
|
|
{
|
|
a = cr.to_radians(a);
|
|
var ux = Math.cos(a);
|
|
var uy = Math.sin(a);
|
|
this.pushOut(this.getCandidates() , ux, uy, maxDist);
|
|
};
|
|
Acts.prototype.PushOutToPos = function (x, y)
|
|
{
|
|
var dx = x - this.inst.x;
|
|
var dy = y - this.inst.y;
|
|
var maxDist = Math.sqrt(dx*dx + dy*dy);
|
|
var a = Math.atan2(dy, dx);
|
|
var ux = Math.cos(a);
|
|
var uy = Math.sin(a);
|
|
this.pushOut(this.getCandidates() , ux, uy, maxDist);
|
|
};
|
|
function Exps() {};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.Sin = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.Sin.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
this.i = 0; // period offset (radians)
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
var _2pi = 2 * Math.PI;
|
|
var _pi_2 = Math.PI / 2;
|
|
var _3pi_2 = (3 * Math.PI) / 2;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.active = (this.properties[0] === 1);
|
|
this.movement = this.properties[1]; // 0=Horizontal|1=Vertical|2=Size|3=Width|4=Height|5=Angle|6=Opacity|7=Value only
|
|
this.wave = this.properties[2]; // 0=Sine|1=Triangle|2=Sawtooth|3=Reverse sawtooth|4=Square
|
|
this.period = this.properties[3];
|
|
this.period += Math.random() * this.properties[4]; // period random
|
|
if (this.period === 0)
|
|
this.i = 0;
|
|
else
|
|
{
|
|
this.i = (this.properties[5] / this.period) * _2pi; // period offset
|
|
this.i += ((Math.random() * this.properties[6]) / this.period) * _2pi; // period offset random
|
|
}
|
|
this.mag = this.properties[7]; // magnitude
|
|
this.mag += Math.random() * this.properties[8]; // magnitude random
|
|
this.initialValue = 0;
|
|
this.initialValue2 = 0;
|
|
this.ratio = 0;
|
|
if (this.movement === 5) // angle
|
|
this.mag = cr.to_radians(this.mag);
|
|
this.init();
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"i": this.i,
|
|
"a": this.active,
|
|
"mv": this.movement,
|
|
"w": this.wave,
|
|
"p": this.period,
|
|
"mag": this.mag,
|
|
"iv": this.initialValue,
|
|
"iv2": this.initialValue2,
|
|
"r": this.ratio,
|
|
"lkv": this.lastKnownValue,
|
|
"lkv2": this.lastKnownValue2
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.i = o["i"];
|
|
this.active = o["a"];
|
|
this.movement = o["mv"];
|
|
this.wave = o["w"];
|
|
this.period = o["p"];
|
|
this.mag = o["mag"];
|
|
this.initialValue = o["iv"];
|
|
this.initialValue2 = o["iv2"] || 0;
|
|
this.ratio = o["r"];
|
|
this.lastKnownValue = o["lkv"];
|
|
this.lastKnownValue2 = o["lkv2"] || 0;
|
|
};
|
|
behinstProto.init = function ()
|
|
{
|
|
switch (this.movement) {
|
|
case 0: // horizontal
|
|
this.initialValue = this.inst.x;
|
|
break;
|
|
case 1: // vertical
|
|
this.initialValue = this.inst.y;
|
|
break;
|
|
case 2: // size
|
|
this.initialValue = this.inst.width;
|
|
this.ratio = this.inst.height / this.inst.width;
|
|
break;
|
|
case 3: // width
|
|
this.initialValue = this.inst.width;
|
|
break;
|
|
case 4: // height
|
|
this.initialValue = this.inst.height;
|
|
break;
|
|
case 5: // angle
|
|
this.initialValue = this.inst.angle;
|
|
break;
|
|
case 6: // opacity
|
|
this.initialValue = this.inst.opacity;
|
|
break;
|
|
case 7:
|
|
this.initialValue = 0;
|
|
break;
|
|
case 8: // forwards/backwards
|
|
this.initialValue = this.inst.x;
|
|
this.initialValue2 = this.inst.y;
|
|
break;
|
|
default:
|
|
;
|
|
}
|
|
this.lastKnownValue = this.initialValue;
|
|
this.lastKnownValue2 = this.initialValue2;
|
|
};
|
|
behinstProto.waveFunc = function (x)
|
|
{
|
|
x = x % _2pi;
|
|
switch (this.wave) {
|
|
case 0: // sine
|
|
return Math.sin(x);
|
|
case 1: // triangle
|
|
if (x <= _pi_2)
|
|
return x / _pi_2;
|
|
else if (x <= _3pi_2)
|
|
return 1 - (2 * (x - _pi_2) / Math.PI);
|
|
else
|
|
return (x - _3pi_2) / _pi_2 - 1;
|
|
case 2: // sawtooth
|
|
return 2 * x / _2pi - 1;
|
|
case 3: // reverse sawtooth
|
|
return -2 * x / _2pi + 1;
|
|
case 4: // square
|
|
return x < Math.PI ? -1 : 1;
|
|
};
|
|
return 0;
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
var dt = this.runtime.getDt(this.inst);
|
|
if (!this.active || dt === 0)
|
|
return;
|
|
if (this.period === 0)
|
|
this.i = 0;
|
|
else
|
|
{
|
|
this.i += (dt / this.period) * _2pi;
|
|
this.i = this.i % _2pi;
|
|
}
|
|
this.updateFromPhase();
|
|
};
|
|
behinstProto.updateFromPhase = function ()
|
|
{
|
|
switch (this.movement) {
|
|
case 0: // horizontal
|
|
if (this.inst.x !== this.lastKnownValue)
|
|
this.initialValue += this.inst.x - this.lastKnownValue;
|
|
this.inst.x = this.initialValue + this.waveFunc(this.i) * this.mag;
|
|
this.lastKnownValue = this.inst.x;
|
|
break;
|
|
case 1: // vertical
|
|
if (this.inst.y !== this.lastKnownValue)
|
|
this.initialValue += this.inst.y - this.lastKnownValue;
|
|
this.inst.y = this.initialValue + this.waveFunc(this.i) * this.mag;
|
|
this.lastKnownValue = this.inst.y;
|
|
break;
|
|
case 2: // size
|
|
this.inst.width = this.initialValue + this.waveFunc(this.i) * this.mag;
|
|
this.inst.height = this.inst.width * this.ratio;
|
|
break;
|
|
case 3: // width
|
|
this.inst.width = this.initialValue + this.waveFunc(this.i) * this.mag;
|
|
break;
|
|
case 4: // height
|
|
this.inst.height = this.initialValue + this.waveFunc(this.i) * this.mag;
|
|
break;
|
|
case 5: // angle
|
|
if (this.inst.angle !== this.lastKnownValue)
|
|
this.initialValue = cr.clamp_angle(this.initialValue + (this.inst.angle - this.lastKnownValue));
|
|
this.inst.angle = cr.clamp_angle(this.initialValue + this.waveFunc(this.i) * this.mag);
|
|
this.lastKnownValue = this.inst.angle;
|
|
break;
|
|
case 6: // opacity
|
|
this.inst.opacity = this.initialValue + (this.waveFunc(this.i) * this.mag) / 100;
|
|
if (this.inst.opacity < 0)
|
|
this.inst.opacity = 0;
|
|
else if (this.inst.opacity > 1)
|
|
this.inst.opacity = 1;
|
|
break;
|
|
case 8: // forwards/backwards
|
|
if (this.inst.x !== this.lastKnownValue)
|
|
this.initialValue += this.inst.x - this.lastKnownValue;
|
|
if (this.inst.y !== this.lastKnownValue2)
|
|
this.initialValue2 += this.inst.y - this.lastKnownValue2;
|
|
this.inst.x = this.initialValue + Math.cos(this.inst.angle) * this.waveFunc(this.i) * this.mag;
|
|
this.inst.y = this.initialValue2 + Math.sin(this.inst.angle) * this.waveFunc(this.i) * this.mag;
|
|
this.lastKnownValue = this.inst.x;
|
|
this.lastKnownValue2 = this.inst.y;
|
|
break;
|
|
}
|
|
this.inst.set_bbox_changed();
|
|
};
|
|
behinstProto.onSpriteFrameChanged = function (prev_frame, next_frame)
|
|
{
|
|
switch (this.movement) {
|
|
case 2: // size
|
|
this.initialValue *= (next_frame.width / prev_frame.width);
|
|
this.ratio = next_frame.height / next_frame.width;
|
|
break;
|
|
case 3: // width
|
|
this.initialValue *= (next_frame.width / prev_frame.width);
|
|
break;
|
|
case 4: // height
|
|
this.initialValue *= (next_frame.height / prev_frame.height);
|
|
break;
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsActive = function ()
|
|
{
|
|
return this.active;
|
|
};
|
|
Cnds.prototype.CompareMovement = function (m)
|
|
{
|
|
return this.movement === m;
|
|
};
|
|
Cnds.prototype.ComparePeriod = function (cmp, v)
|
|
{
|
|
return cr.do_cmp(this.period, cmp, v);
|
|
};
|
|
Cnds.prototype.CompareMagnitude = function (cmp, v)
|
|
{
|
|
if (this.movement === 5)
|
|
return cr.do_cmp(this.mag, cmp, cr.to_radians(v));
|
|
else
|
|
return cr.do_cmp(this.mag, cmp, v);
|
|
};
|
|
Cnds.prototype.CompareWave = function (w)
|
|
{
|
|
return this.wave === w;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetActive = function (a)
|
|
{
|
|
this.active = (a === 1);
|
|
};
|
|
Acts.prototype.SetPeriod = function (x)
|
|
{
|
|
this.period = x;
|
|
};
|
|
Acts.prototype.SetMagnitude = function (x)
|
|
{
|
|
this.mag = x;
|
|
if (this.movement === 5) // angle
|
|
this.mag = cr.to_radians(this.mag);
|
|
};
|
|
Acts.prototype.SetMovement = function (m)
|
|
{
|
|
if (this.movement === 5 && m !== 5)
|
|
this.mag = cr.to_degrees(this.mag);
|
|
this.movement = m;
|
|
this.init();
|
|
};
|
|
Acts.prototype.SetWave = function (w)
|
|
{
|
|
this.wave = w;
|
|
};
|
|
Acts.prototype.SetPhase = function (x)
|
|
{
|
|
this.i = (x * _2pi) % _2pi;
|
|
this.updateFromPhase();
|
|
};
|
|
Acts.prototype.UpdateInitialState = function ()
|
|
{
|
|
this.init();
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.CyclePosition = function (ret)
|
|
{
|
|
ret.set_float(this.i / _2pi);
|
|
};
|
|
Exps.prototype.Period = function (ret)
|
|
{
|
|
ret.set_float(this.period);
|
|
};
|
|
Exps.prototype.Magnitude = function (ret)
|
|
{
|
|
if (this.movement === 5) // angle
|
|
ret.set_float(cr.to_degrees(this.mag));
|
|
else
|
|
ret.set_float(this.mag);
|
|
};
|
|
Exps.prototype.Value = function (ret)
|
|
{
|
|
ret.set_float(this.waveFunc(this.i) * this.mag);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.SkymenPin = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.SkymenPin.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.pinObject = null;
|
|
this.pinObjectUid = -1; // for loading
|
|
this.pinAngle = 0;
|
|
this.pinDist = 0;
|
|
this.myStartAngle = 0;
|
|
this.theirStartAngle = 0;
|
|
this.lastKnownAngle = 0;
|
|
this.mode = 0; // 0 = position & angle; 1 = position; 2 = angle; 3 = rope; 4 = bar
|
|
this.runOnTick = this.properties[0] == 0;
|
|
var self = this;
|
|
if (!this.recycled)
|
|
{
|
|
this.myDestroyCallback = (function(inst) {
|
|
self.onInstanceDestroyed(inst);
|
|
});
|
|
}
|
|
this.runtime.addDestroyCallback(this.myDestroyCallback);
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"uid": this.pinObject ? this.pinObject.uid : -1,
|
|
"pa": this.pinAngle,
|
|
"pd": this.pinDist,
|
|
"msa": this.myStartAngle,
|
|
"tsa": this.theirStartAngle,
|
|
"lka": this.lastKnownAngle,
|
|
"m": this.mode
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.pinObjectUid = o["uid"]; // wait until afterLoad to look up
|
|
this.pinAngle = o["pa"];
|
|
this.pinDist = o["pd"];
|
|
this.myStartAngle = o["msa"];
|
|
this.theirStartAngle = o["tsa"];
|
|
this.lastKnownAngle = o["lka"];
|
|
this.mode = o["m"];
|
|
};
|
|
behinstProto.afterLoad = function ()
|
|
{
|
|
if (this.pinObjectUid === -1)
|
|
this.pinObject = null;
|
|
else
|
|
{
|
|
this.pinObject = this.runtime.getObjectByUID(this.pinObjectUid);
|
|
;
|
|
}
|
|
this.pinObjectUid = -1;
|
|
};
|
|
behinstProto.onInstanceDestroyed = function (inst)
|
|
{
|
|
if (this.pinObject == inst)
|
|
this.pinObject = null;
|
|
};
|
|
behinstProto.onDestroy = function()
|
|
{
|
|
this.pinObject = null;
|
|
this.runtime.removeDestroyCallback(this.myDestroyCallback);
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if (!this.pinObject || !this.runOnTick)
|
|
return;
|
|
if (this.lastKnownAngle !== this.inst.angle)
|
|
this.myStartAngle = cr.clamp_angle(this.myStartAngle + (this.inst.angle - this.lastKnownAngle));
|
|
var newx = this.inst.x;
|
|
var newy = this.inst.y;
|
|
if (this.mode === 3 || this.mode === 4) // rope mode or bar mode
|
|
{
|
|
var dist = cr.distanceTo(this.inst.x, this.inst.y, this.pinObject.x, this.pinObject.y);
|
|
if ((dist > this.pinDist) || (this.mode === 4 && dist < this.pinDist)) {
|
|
var a = cr.angleTo(this.pinObject.x, this.pinObject.y, this.inst.x, this.inst.y);
|
|
newx = this.pinObject.x + Math.cos(a) * this.pinDist;
|
|
newy = this.pinObject.y + Math.sin(a) * this.pinDist;
|
|
}
|
|
} else {
|
|
newx = this.pinObject.x + Math.cos(this.pinObject.angle + this.pinAngle) * this.pinDist;
|
|
newy = this.pinObject.y + Math.sin(this.pinObject.angle + this.pinAngle) * this.pinDist;
|
|
}
|
|
var newangle = cr.clamp_angle(this.myStartAngle + (this.pinObject.angle - this.theirStartAngle));
|
|
this.lastKnownAngle = newangle;
|
|
if ((this.mode === 0 || this.mode === 1 || this.mode === 3 || this.mode === 4) &&
|
|
(this.inst.x !== newx || this.inst.y !== newy)) {
|
|
this.inst.x = newx;
|
|
this.inst.y = newy;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
if ((this.mode === 0 || this.mode === 2) && (this.inst.angle !== newangle)) {
|
|
this.inst.angle = newangle;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
};
|
|
behinstProto.tick2 = function ()
|
|
{
|
|
if (!this.pinObject || this.runOnTick)
|
|
return;
|
|
if (this.lastKnownAngle !== this.inst.angle)
|
|
this.myStartAngle = cr.clamp_angle(this.myStartAngle + (this.inst.angle - this.lastKnownAngle));
|
|
var newx = this.inst.x;
|
|
var newy = this.inst.y;
|
|
if (this.mode === 3 || this.mode === 4) // rope mode or bar mode
|
|
{
|
|
var dist = cr.distanceTo(this.inst.x, this.inst.y, this.pinObject.x, this.pinObject.y);
|
|
if ((dist > this.pinDist) || (this.mode === 4 && dist < this.pinDist))
|
|
{
|
|
var a = cr.angleTo(this.pinObject.x, this.pinObject.y, this.inst.x, this.inst.y);
|
|
newx = this.pinObject.x + Math.cos(a) * this.pinDist;
|
|
newy = this.pinObject.y + Math.sin(a) * this.pinDist;
|
|
}
|
|
}
|
|
else
|
|
{
|
|
newx = this.pinObject.x + Math.cos(this.pinObject.angle + this.pinAngle) * this.pinDist;
|
|
newy = this.pinObject.y + Math.sin(this.pinObject.angle + this.pinAngle) * this.pinDist;
|
|
}
|
|
var newangle = cr.clamp_angle(this.myStartAngle + (this.pinObject.angle - this.theirStartAngle));
|
|
this.lastKnownAngle = newangle;
|
|
if ((this.mode === 0 || this.mode === 1 || this.mode === 3 || this.mode === 4)
|
|
&& (this.inst.x !== newx || this.inst.y !== newy))
|
|
{
|
|
this.inst.x = newx;
|
|
this.inst.y = newy;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
if ((this.mode === 0 || this.mode === 2) && (this.inst.angle !== newangle))
|
|
{
|
|
this.inst.angle = newangle;
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsPinned = function ()
|
|
{
|
|
return !!this.pinObject;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.Pin = function (obj, mode_)
|
|
{
|
|
if (!obj)
|
|
return;
|
|
var otherinst = obj.getFirstPicked(this.inst);
|
|
if (!otherinst)
|
|
return;
|
|
this.pinObject = otherinst;
|
|
this.pinAngle = cr.angleTo(otherinst.x, otherinst.y, this.inst.x, this.inst.y) - otherinst.angle;
|
|
this.pinDist = cr.distanceTo(otherinst.x, otherinst.y, this.inst.x, this.inst.y);
|
|
this.myStartAngle = this.inst.angle;
|
|
this.lastKnownAngle = this.inst.angle;
|
|
this.theirStartAngle = otherinst.angle;
|
|
this.mode = mode_;
|
|
};
|
|
Acts.prototype.Unpin = function ()
|
|
{
|
|
this.pinObject = null;
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.PinnedUID = function (ret)
|
|
{
|
|
ret.set_int(this.pinObject ? this.pinObject.uid : -1);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.SkymenPolarCoordinates = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.SkymenPolarCoordinates.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.Enabled = this.properties[4] == 0;
|
|
this.Radius = this.properties[2];
|
|
this.Angle = this.properties[3];
|
|
this.OriginX = this.properties[0];
|
|
this.OriginY = this.properties[1];
|
|
this.ud = false
|
|
if(this.Enabled){
|
|
this.update();
|
|
}
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"DX": this.Radius,
|
|
"DY": this.Angle,
|
|
"OX": this.OriginX,
|
|
"OY": this.OriginY,
|
|
"Enabled": this.Enabled
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.Radius = o["DX"];
|
|
this.Angle = o["DY"];
|
|
this.OriginX = o["OX"];
|
|
this.OriginY = o["OY"];
|
|
this.Enabled = o["Enabled"]
|
|
this.update();
|
|
};
|
|
behinstProto.update = function(mode = 1) {
|
|
if(mode === 0){
|
|
this.Radius = this.inst.x;
|
|
this.Angle = this.inst.y;
|
|
}
|
|
this.ud = true;
|
|
}
|
|
behinstProto.tick = function ()
|
|
{
|
|
if(this.Angle > 359){
|
|
this.Angle = this.Angle%360
|
|
}
|
|
if(this.ud){
|
|
this.inst.x = this.OriginX + Math.cos(this.Angle * Math.PI / 180) * this.Radius;
|
|
this.inst.y = this.OriginY + Math.sin(this.Angle * Math.PI / 180) * this.Radius;
|
|
this.inst.set_bbox_changed();
|
|
this.ud = false;
|
|
}
|
|
};
|
|
behinstProto.tick2 = function ()
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsEnabled = function ()
|
|
{
|
|
return this.Enabled;
|
|
};
|
|
Cnds.prototype.CompareRadius = function (cmp, v)
|
|
{
|
|
return cr.do_cmp(this.Radius, cmp, v);
|
|
};
|
|
Cnds.prototype.CompareAngle = function (cmp, v)
|
|
{
|
|
return cr.do_cmp(this.Angle, cmp, v);
|
|
};
|
|
Cnds.prototype.CompareOriginX = function (cmp, v)
|
|
{
|
|
return cr.do_cmp(this.OriginX, cmp, v);
|
|
};
|
|
Cnds.prototype.CompareOriginY = function (cmp, v)
|
|
{
|
|
return cr.do_cmp(this.OriginY, cmp, v);
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetEnabled = function (value)
|
|
{
|
|
if(value === 0){
|
|
this.Enabled = true;
|
|
this.update();
|
|
}
|
|
else
|
|
this.Enabled = false;
|
|
};
|
|
Acts.prototype.SetRadius = function (value)
|
|
{
|
|
var en = this.Enabled;
|
|
if(en){
|
|
this.Radius = value;
|
|
this.update();
|
|
}
|
|
};
|
|
Acts.prototype.SetAngle = function (value)
|
|
{
|
|
var en = this.Enabled;
|
|
if(en){
|
|
this.Angle = value;
|
|
this.update();
|
|
}
|
|
};
|
|
Acts.prototype.SetDeltaPos = function (v1,v2)
|
|
{
|
|
var en = this.Enabled;
|
|
if(en){
|
|
this.Radius = v1;
|
|
this.Angle = v2;
|
|
this.update();
|
|
}
|
|
};
|
|
Acts.prototype.SetOriginX = function (value)
|
|
{
|
|
var en = this.Enabled;
|
|
if(en){
|
|
this.OriginX = value;
|
|
this.update();
|
|
}
|
|
};
|
|
Acts.prototype.SetOriginY = function (value)
|
|
{
|
|
var en = this.Enabled;
|
|
if(en){
|
|
this.OriginY = value;
|
|
this.update();
|
|
}
|
|
};
|
|
Acts.prototype.SetOriginPos = function (v1,v2)
|
|
{
|
|
var en = this.Enabled;
|
|
if(en){
|
|
this.OriginX = v1;
|
|
this.OriginY = v2;
|
|
this.update();
|
|
}
|
|
};
|
|
Acts.prototype.Update = function (mode)
|
|
{
|
|
this.update(mode);
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Radius = function (ret) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
ret.set_float(this.Radius);
|
|
};
|
|
Exps.prototype.Angle = function (ret) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
ret.set_float(this.Angle);
|
|
};
|
|
Exps.prototype.DeltaX = function (ret) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
ret.set_float(this.Radius);
|
|
};
|
|
Exps.prototype.DeltaY = function (ret) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
ret.set_float(this.Angle);
|
|
};
|
|
Exps.prototype.OriginX = function (ret) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
ret.set_float(this.OriginX);
|
|
};
|
|
Exps.prototype.OriginY = function (ret) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
ret.set_float(this.OriginY);
|
|
};
|
|
Exps.prototype.CarToPolRad = function (ret,X,Y,OX,OY) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
X = X - OX;
|
|
Y = Y - OY;
|
|
var Dist = Math.sqrt(Math.pow(X,2) + Math.pow(Y,2));
|
|
ret.set_float(Dist);
|
|
};
|
|
Exps.prototype.CarToPolAngle = function (ret,X,Y,OX,OY) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
X = X - OX;
|
|
Y = Y - OY;
|
|
var Angle = Math.atan2(Y,X)*180/Math.PI;
|
|
ret.set_float(Angle);
|
|
};
|
|
Exps.prototype.PolToCarX = function (ret,Dist,Angle,OX) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
var X = OX + Math.cos(Angle * Math.PI / 180) * Dist;
|
|
var X = Math.floor(X * 1000)/1000;
|
|
ret.set_float(X);
|
|
};
|
|
Exps.prototype.PolToCarY = function (ret,Dist,Angle,OY) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
var Y = OY + Math.sin(Angle * Math.PI / 180) * Dist;
|
|
var Y = Math.floor(Y * 1000)/1000;
|
|
ret.set_float(Y);
|
|
};
|
|
Exps.prototype.Status = function (ret) // 'ret' must always be the first parameter - always return the expression's result through it!
|
|
{
|
|
if(this.Enabled)
|
|
ret.set_string("Enabled");
|
|
else
|
|
ret.set_string("Disabled");
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.SkymenSkin = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.SkymenSkin.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.skinBaseTag = this.properties[0];
|
|
if(cr.SkymenSkinCore == undefined){
|
|
alert("Skin base plugin needed, please create it.");
|
|
}
|
|
else if(cr.SkymenSkinCore[this.skinBaseTag] == undefined){
|
|
alert("Skin base with tag " + this.skinBaseTag + " cannot be found.");
|
|
}
|
|
else{
|
|
this.skinBase = cr.SkymenSkinCore[this.skinBaseTag];
|
|
this.skinBase.addInstance(this);
|
|
}
|
|
this.skinTag = this.properties[1];
|
|
this.subSkinTag = this.properties[2];
|
|
this.oldSkinTag = this.properties[1];
|
|
this.oldSubSkinTag = this.properties[2];
|
|
this.syncWithAnim = this.properties[3] === 0 ||this.properties[3] === 2;
|
|
this.syncWithFrame = this.properties[3] === 1 ||this.properties[3] === 2;
|
|
this.default = this.properties[4] === 0; //0 = Yes, 1 = No
|
|
this.hideDefault = this.properties[5] === 0; //0 = Yes, 1 = No
|
|
this.imagePoint = this.properties[6];
|
|
this.syncZOrder = this.properties[7] === 0; //0 = Yes, 1 = No
|
|
this.syncSize = this.properties[8] === 1;
|
|
this.syncScale = this.properties[8] === 2;
|
|
this.firstFrame = true;
|
|
this.widthRatio = 1;
|
|
this.heightRatio = 1;
|
|
this.lastLayout = this.runtime.running_layout
|
|
this.object = null;
|
|
if(!this.inst.behaviorSkins){
|
|
this.inst.behaviorSkins = [];
|
|
}
|
|
var found = false
|
|
for (let index = 0; index < this.inst.behaviorSkins.length; index++) {
|
|
const behavior = this.inst.behaviorSkins[index];
|
|
if (this === behavior) {
|
|
found = true
|
|
this.behaviorId = index
|
|
}
|
|
}
|
|
if (!found){
|
|
this.behaviorId = this.inst.behaviorSkins.length;
|
|
this.inst.behaviorSkins.push(this);
|
|
}
|
|
if(this.skinBase.init){
|
|
this.updateSkin();
|
|
}
|
|
};
|
|
behinstProto.onDestroy = function () {
|
|
this.destroy();
|
|
};
|
|
behinstProto.saveToJSON = function () {
|
|
return {
|
|
"skinTag": this.skinTag,
|
|
"subSkinTag": this.subSkinTag,
|
|
"oldSkinTag": this.oldSkinTag,
|
|
"oldSubSkinTag": this.oldSubSkinTag,
|
|
"syncWithAnim": this.syncWithAnim,
|
|
"syncWithFrame": this.syncWithFrame,
|
|
"default": this.default,
|
|
"hideDefault": this.hideDefault,
|
|
"imagePoint": this.imagePoint,
|
|
"syncZOrder": this.syncZOrder,
|
|
"syncSize": this.syncSize,
|
|
"syncScale": this.syncScale,
|
|
"firstFrame": this.firstFrame,
|
|
"skinBaseTag": this.skinBaseTag,
|
|
"behaviorId": this.behaviorId
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o) {
|
|
this.skinTag = o["skinTag"];
|
|
this.subSkinTag = o["subSkinTag"];
|
|
this.oldSkinTag = o["oldSkinTag"];
|
|
this.oldSubSkinTag = o["oldSubSkinTag"];
|
|
this.syncWithAnim = o["syncWithAnim"];
|
|
this.syncWithFrame = o["syncWithFrame"];
|
|
this.default = o["default"];
|
|
this.hideDefault = o["hideDefault"];
|
|
this.imagePoint = o["imagePoint"];
|
|
this.syncZOrder = o["syncZOrder"];
|
|
this.firstFrame = o["firstFrame"];
|
|
this.skinBaseTag = o["skinBaseTag"];
|
|
this.behaviorId = o["behaviorId"];
|
|
this.syncSize = o["syncSize"];
|
|
this.syncScale = o["syncScale"];
|
|
/* if (o["object"] === "null"){
|
|
this.object = null
|
|
}
|
|
else{
|
|
} */
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if(this.firstFrame){
|
|
if(this.syncWithAnim){
|
|
this.subSkinTag = this.inst.cur_animation.name;
|
|
this.oldsubSkinTag = this.inst.cur_animation.name;
|
|
}
|
|
this.firstFrame = false;
|
|
}
|
|
/* if (this.object != null && this.lastLayout !== this.runtime.running_layout) {
|
|
this.lastLayout = this.runtime.running_layout
|
|
this.runtime.DestroyInstance(this.object)
|
|
this.object = this.inst.runtime.createInstance(this.object.type, this.inst.layer)
|
|
this.updateSkin()
|
|
}
|
|
if (this.lastLayout !== this.runtime.running_layout) {
|
|
this.lastLayout = this.runtime.running_layout
|
|
} */
|
|
}
|
|
behinstProto.tick2 = function ()
|
|
{
|
|
if(this.object == null) return;
|
|
var newx = this.inst.getImagePoint(this.imagePoint, true);
|
|
var newy = this.inst.getImagePoint(this.imagePoint, false);
|
|
var angle = this.inst.angle;
|
|
var anim = this.inst.cur_animation.name;
|
|
if (this.syncSize || this.syncScale) {
|
|
if (this.object.width != this.inst.width * this.widthRatio) {
|
|
this.object.width = this.inst.width * this.widthRatio
|
|
}
|
|
if (this.object.height != this.inst.height * this.heightRatio) {
|
|
this.object.height = this.inst.height * this.heightRatio
|
|
}
|
|
} else {
|
|
var mirrorred = (this.inst.width < 0);
|
|
var selfMirrorred = (this.object.width < 0);
|
|
var flipped = (this.inst.height < 0);
|
|
var selfFlipped = (this.object.height < 0);
|
|
if(mirrorred != selfMirrorred){
|
|
this.object.width = cr.abs(this.object.width) * (mirrorred ? -1 : 1);
|
|
}
|
|
if(flipped != selfFlipped){
|
|
this.object.height = cr.abs(this.object.height) * (flipped? -1 : 1);
|
|
}
|
|
}
|
|
var other = this.inst;
|
|
if (this.behaviorId != 0) {
|
|
var i = this.behaviorId - 1;
|
|
while (i >= 0 && this.inst.behaviorSkins[i].object == null) {
|
|
i--;
|
|
}
|
|
if (i >= 0) {
|
|
other = this.inst.behaviorSkins[i].object;
|
|
}
|
|
}
|
|
if (this.syncZOrder && this.object.get_zindex() !== other.get_zindex() + 1) {
|
|
this.setZorder();
|
|
}
|
|
if(this.object.x != newx){
|
|
this.object.x = newx;
|
|
}
|
|
if(this.object.y != newy){
|
|
this.object.y = newy;
|
|
}
|
|
if(this.object.angle != angle){
|
|
this.object.angle = angle;
|
|
}
|
|
this.object.set_bbox_changed();
|
|
if(this.syncWithAnim && this.subSkinTag != anim){
|
|
this.subSkinTag = anim;
|
|
}
|
|
if(this.syncWithFrame && this.inst.cur_frame != this.object.cur_frame){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.call(this.object, this.inst.cur_frame);
|
|
}
|
|
if(this.skinTag != this.oldSkinTag || this.subSkinTag != this.oldSubSkinTag){
|
|
this.oldSkinTag = this.skinTag;
|
|
this.oldSubSkinTag = this.subSkinTag;
|
|
this.updateSkin();
|
|
}
|
|
};
|
|
behinstProto.updateSkin = function()
|
|
{
|
|
if(this.default){
|
|
if(this.object != null){
|
|
this.destroy();
|
|
}
|
|
if(this.hideDefault && !this.inst.visible){
|
|
this.inst.visible = true;
|
|
this.runtime.redraw = true;
|
|
}
|
|
return;
|
|
}
|
|
else{
|
|
if(this.hideDefault && this.inst.visible){
|
|
this.inst.visible = false;
|
|
this.runtime.redraw = true;
|
|
}
|
|
}
|
|
if(this.object == null){
|
|
if(this.inst && this.inst.cur_animation){
|
|
var anim = this.inst.cur_animation.name;
|
|
if (this.syncWithAnim && this.subSkinTag != anim) {
|
|
this.subSkinTag = anim;
|
|
}
|
|
}
|
|
var type = this.getType(this.skinTag, this.subSkinTag);
|
|
if(type == null){
|
|
console.warn("Cannot assign subskin " + this.subSkinTag + " of skin " + this.skinTag + " because it doesn't exist. Reverting back to default.");
|
|
this.default = true;
|
|
this.updateSkin();
|
|
return
|
|
}
|
|
if(this.syncWithAnim){
|
|
this.subSkinTag = this.inst.cur_animation.name;
|
|
}
|
|
this.object = this.inst.runtime.createInstance(type, this.inst.layer)
|
|
var anim = this.getAnim(this.skinTag, this.subSkinTag);
|
|
cr.plugins_.Sprite.prototype.acts.SetAnim.call(this.object, anim, 0);
|
|
if(this.syncWithFrame){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimSpeed.call(this.object, 0);
|
|
}
|
|
this.setZorder();
|
|
cr.plugins_.Sprite.prototype.acts.SetCollisions.call(this.object, 0);
|
|
if (this.syncScale) {
|
|
let defaultAnim = this.object.type.animations.find(x => x.name === this.object.type.default_instance[5][4])
|
|
defaultAnim = defaultAnim || this.object.type.animations[0];
|
|
this.widthRatio = this.inst.width / Math.abs(this.inst.width) //Sign in case object is mirrorred
|
|
* this.object.type.default_instance[0][3] / defaultAnim.frames[0].width //Ratio of image size to default size
|
|
* this.object.cur_animation.frames[0].width / this.inst.width; //Ratio of frame size to object size
|
|
this.heightRatio = this.inst.height / Math.abs(this.inst.height)
|
|
* this.object.type.default_instance[0][4] / defaultAnim.frames[0].height
|
|
* this.object.cur_animation.frames[0].height / this.inst.height;
|
|
} else if (this.syncSize) {
|
|
this.widthRatio = 1;
|
|
this.heightRatio = 1;
|
|
this.object.width = this.inst.width;
|
|
this.object.height = this.inst.height;
|
|
}
|
|
}
|
|
else{
|
|
if(this.object.type == this.getType(this.skinTag, this.subSkinTag)){
|
|
if(this.syncWithAnim){
|
|
this.subSkinTag = this.inst.cur_animation.name;
|
|
}
|
|
anim = this.getAnim(this.skinTag, this.subSkinTag);
|
|
cr.plugins_.Sprite.prototype.acts.SetAnim.call(this.object, anim, 0);
|
|
if(this.syncWithFrame){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimSpeed.call(this.object, 0);
|
|
}
|
|
if(this.syncZOrder) this.setZorder();
|
|
cr.plugins_.Sprite.prototype.acts.SetCollisions.call(this.object, 0);
|
|
}
|
|
else{
|
|
this.destroy();
|
|
this.updateSkin();
|
|
return
|
|
}
|
|
}
|
|
};
|
|
behinstProto.destroy = function () {
|
|
if(this.object === null)return;
|
|
if(this.object.behaviorSkins){
|
|
for (var i = 0; i < this.object.behaviorSkins.length; i++) {
|
|
this.object.behaviorSkins[i].destroy();
|
|
}
|
|
}
|
|
this.runtime.DestroyInstance(this.object);
|
|
this.object = null;
|
|
}
|
|
behinstProto.setZorder = function () {
|
|
var other = this.inst;
|
|
if(this.behaviorId != 0){
|
|
var i = this.behaviorId-1;
|
|
while(i >= 0 && this.inst.behaviorSkins[i].object == null){
|
|
i--;
|
|
}
|
|
if(i >= 0){
|
|
other = this.inst.behaviorSkins[i].object;
|
|
}
|
|
}
|
|
if (this.object.layer.index !== other.layer.index)
|
|
{
|
|
this.object.layer.removeFromInstanceList(this.object, true);
|
|
this.object.layer = other.layer;
|
|
other.layer.appendToInstanceList(this.object, true);
|
|
}
|
|
this.object.layer.moveInstanceAdjacent(this.object, other, true);
|
|
this.runtime.redraw = true;
|
|
}
|
|
behinstProto.getType = function (skin, subSkin)
|
|
{
|
|
if(this.skinBase.skins[skin] == undefined || this.skinBase.skins[skin][subSkin] == undefined){
|
|
return null;
|
|
}
|
|
return this.skinBase.skins[skin][subSkin].type;
|
|
}
|
|
behinstProto.getAnim = function (skin, subSkin)
|
|
{
|
|
if(this.skinBase.skins[skin] == undefined || this.skinBase.skins[skin][subSkin] == undefined){
|
|
return null;
|
|
}
|
|
return this.skinBase.skins[skin][subSkin].anim;
|
|
}
|
|
function Cnds() {};
|
|
Cnds.prototype.IsDefault = function ()
|
|
{
|
|
return this.default;
|
|
};
|
|
Cnds.prototype.IsSkin = function (skin)
|
|
{
|
|
return this.skinTag == skin;
|
|
};
|
|
Cnds.prototype.IsSubSkin = function (subSkin)
|
|
{
|
|
return this.subSkinTag == subSkin;
|
|
};
|
|
Cnds.prototype.IsDefaultHidden = function ()
|
|
{
|
|
return this.hideDefault;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetSkin = function (skin)
|
|
{
|
|
if(this.default){
|
|
this.default = false;
|
|
}
|
|
this.skinTag = skin;
|
|
this.updateSkin();
|
|
};
|
|
Acts.prototype.SetSubSkin = function (subSkin)
|
|
{
|
|
this.subSkinTag = subSkin;
|
|
this.updateSkin();
|
|
};
|
|
Acts.prototype.Setup = function (skin, subSkin)
|
|
{
|
|
this.default = false;
|
|
this.skinTag = skin;
|
|
this.subSkinTag = subSkin;
|
|
this.updateSkin();
|
|
};
|
|
Acts.prototype.UseDefault = function ()
|
|
{
|
|
this.default = true;
|
|
this.updateSkin();
|
|
};
|
|
Acts.prototype.HideDefault = function (hide)
|
|
{
|
|
this.hideDefault = hide === 1; //0 = No, 1 = Yes
|
|
this.updateSkin();
|
|
};
|
|
Acts.prototype.SetImagePoint = function (ip)
|
|
{
|
|
this.imagePoint = ip;
|
|
};
|
|
Acts.prototype.SyncMode = function (mode) {
|
|
this.syncWithAnim = mode === 0 || mode === 2;
|
|
this.syncWithFrame = mode === 1 || mode === 2;
|
|
if (this.syncWithAnim) {
|
|
this.subSkinTag = this.inst.cur_animation.name;
|
|
}
|
|
};
|
|
Acts.prototype.SyncZOrder = function (mode) {
|
|
this.syncZOrder = mode === 0;
|
|
};
|
|
Acts.prototype.UpdateZOrder = function () {
|
|
if(this.object){
|
|
this.setZorder();
|
|
}
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Skin = function (ret)
|
|
{
|
|
ret.set_string(this.skinTag);
|
|
};
|
|
Exps.prototype.SubSkin = function (ret)
|
|
{
|
|
ret.set_string(this.subSkinTag);
|
|
};
|
|
Exps.prototype.SkinBaseTag = function (ret)
|
|
{
|
|
ret.set_string(this.skinBaseTag);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.Timer = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.Timer.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.timers = {};
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
cr.wipe(this.timers);
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
var o = {};
|
|
var p, t;
|
|
for (p in this.timers)
|
|
{
|
|
if (this.timers.hasOwnProperty(p))
|
|
{
|
|
t = this.timers[p];
|
|
o[p] = {
|
|
"c": t.current.sum,
|
|
"t": t.total.sum,
|
|
"d": t.duration,
|
|
"r": t.regular
|
|
};
|
|
}
|
|
}
|
|
return o;
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.timers = {};
|
|
var p;
|
|
for (p in o)
|
|
{
|
|
if (o.hasOwnProperty(p))
|
|
{
|
|
this.timers[p] = {
|
|
current: new cr.KahanAdder(),
|
|
total: new cr.KahanAdder(),
|
|
duration: o[p]["d"],
|
|
regular: o[p]["r"]
|
|
};
|
|
this.timers[p].current.sum = o[p]["c"];
|
|
this.timers[p].total.sum = o[p]["t"];
|
|
}
|
|
}
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
var dt = this.runtime.getDt(this.inst);
|
|
var p, t;
|
|
for (p in this.timers)
|
|
{
|
|
if (this.timers.hasOwnProperty(p))
|
|
{
|
|
t = this.timers[p];
|
|
t.current.add(dt);
|
|
t.total.add(dt);
|
|
}
|
|
}
|
|
};
|
|
behinstProto.tick2 = function ()
|
|
{
|
|
var p, t;
|
|
for (p in this.timers)
|
|
{
|
|
if (this.timers.hasOwnProperty(p))
|
|
{
|
|
t = this.timers[p];
|
|
if (t.current.sum >= t.duration)
|
|
{
|
|
if (t.regular)
|
|
t.current.sum -= t.duration;
|
|
else
|
|
delete this.timers[p];
|
|
}
|
|
}
|
|
}
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnTimer = function (tag_)
|
|
{
|
|
tag_ = tag_.toLowerCase();
|
|
var t = this.timers[tag_];
|
|
if (!t)
|
|
return false;
|
|
return t.current.sum >= t.duration;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.StartTimer = function (duration_, type_, tag_)
|
|
{
|
|
this.timers[tag_.toLowerCase()] = {
|
|
current: new cr.KahanAdder(),
|
|
total: new cr.KahanAdder(),
|
|
duration: duration_,
|
|
regular: (type_ === 1)
|
|
};
|
|
};
|
|
Acts.prototype.StopTimer = function (tag_)
|
|
{
|
|
tag_ = tag_.toLowerCase();
|
|
if (this.timers.hasOwnProperty(tag_))
|
|
delete this.timers[tag_];
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.CurrentTime = function (ret, tag_)
|
|
{
|
|
var t = this.timers[tag_.toLowerCase()];
|
|
ret.set_float(t ? t.current.sum : 0);
|
|
};
|
|
Exps.prototype.TotalTime = function (ret, tag_)
|
|
{
|
|
var t = this.timers[tag_.toLowerCase()];
|
|
ret.set_float(t ? t.total.sum : 0);
|
|
};
|
|
Exps.prototype.Duration = function (ret, tag_)
|
|
{
|
|
var t = this.timers[tag_.toLowerCase()];
|
|
ret.set_float(t ? t.duration : 0);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.Turret = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.Turret.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
this.targetTypes = []; // object types to check for as targets
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.range = this.properties[0];
|
|
this.rateOfFire = this.properties[1];
|
|
this.rotateEnabled = (this.properties[2] !== 0);
|
|
this.rotateSpeed = cr.to_radians(this.properties[3]);
|
|
this.targetMode = this.properties[4]; // 0 = first, 1 = nearest
|
|
this.predictiveAim = (this.properties[5] !== 0);
|
|
this.projectileSpeed = this.properties[6];
|
|
this.enabled = (this.properties[7] !== 0);
|
|
this.useCollisionCells = (this.properties[8] !== 0);
|
|
this.lastCheckTime = 0; // last time checked for targets in range
|
|
this.fireTimeCount = this.rateOfFire; // counts up to rate of fire before shooting. starts in fully reloaded state
|
|
this.currentTarget = null; // current target object
|
|
this.loadTargetUid = -1;
|
|
this.oldTargetX = 0;
|
|
this.oldTargetY = 0;
|
|
this.lastSpeeds = [0, 0, 0, 0];
|
|
this.speedsCount = 0;
|
|
this.firstTickWithTarget = true;
|
|
var self = this;
|
|
if (!this.recycled)
|
|
{
|
|
this.myDestroyCallback = function(inst) {
|
|
self.onInstanceDestroyed(inst);
|
|
};
|
|
}
|
|
this.runtime.addDestroyCallback(this.myDestroyCallback);
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
var o = {
|
|
"r": this.range,
|
|
"rof": this.rateOfFire,
|
|
"re": this.rotateEnabled,
|
|
"rs": this.rotateSpeed,
|
|
"tm": this.targetMode,
|
|
"pa": this.predictiveAim,
|
|
"ps": this.projectileSpeed,
|
|
"en": this.enabled,
|
|
"lct": this.lastCheckTime,
|
|
"ftc": this.fireTimeCount,
|
|
"target": (this.currentTarget ? this.currentTarget.uid : -1),
|
|
"ox": this.oldTargetX,
|
|
"oy": this.oldTargetY,
|
|
"ls": this.lastSpeeds,
|
|
"sc": this.speedsCount,
|
|
"targs": []
|
|
};
|
|
var i, len;
|
|
for (i = 0, len = this.type.targetTypes.length; i < len; i++)
|
|
{
|
|
o["targs"].push(this.type.targetTypes[i].sid);
|
|
}
|
|
return o;
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.range = o["r"];
|
|
this.rateOfFire = o["rof"];
|
|
this.rotateEnabled = o["re"];
|
|
this.rotateSpeed = o["rs"];
|
|
this.targetMode = o["tm"];
|
|
this.predictiveAim = o["pa"];
|
|
this.projectileSpeed = o["ps"];
|
|
this.enabled = o["en"];
|
|
this.lastCheckTime = o["lct"];
|
|
this.fireTimeCount = o["ftc"] || 0; // not in <r154
|
|
this.loadTargetUid = o["target"];
|
|
this.oldTargetX = o["ox"];
|
|
this.oldTargetY = o["oy"];
|
|
this.lastSpeeds = o["ls"];
|
|
this.speedsCount = o["sc"];
|
|
cr.clearArray(this.type.targetTypes);
|
|
var i, len, t;
|
|
for (i = 0, len = o["targs"].length; i < len; i++)
|
|
{
|
|
t = this.runtime.getObjectTypeBySid(o["targs"][i]);
|
|
if (t)
|
|
this.type.targetTypes.push(t);
|
|
}
|
|
};
|
|
behinstProto.afterLoad = function ()
|
|
{
|
|
if (this.loadTargetUid === -1)
|
|
this.currentTarget = null;
|
|
else
|
|
this.currentTarget = this.runtime.getObjectByUID(this.loadTargetUid);
|
|
};
|
|
behinstProto.onInstanceDestroyed = function (inst)
|
|
{
|
|
if (this.currentTarget == inst)
|
|
this.currentTarget = null;
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
this.currentTarget = null;
|
|
this.runtime.removeDestroyCallback(this.myDestroyCallback);
|
|
};
|
|
behinstProto.addSpeed = function (s)
|
|
{
|
|
if (this.speedsCount < 4)
|
|
{
|
|
this.lastSpeeds[this.speedsCount] = s;
|
|
this.speedsCount++;
|
|
}
|
|
else
|
|
{
|
|
this.lastSpeeds.shift();
|
|
this.lastSpeeds.push(s);
|
|
}
|
|
};
|
|
behinstProto.getSpeed = function ()
|
|
{
|
|
var ret = 0;
|
|
var i = 0;
|
|
for ( ; i < this.speedsCount; i++)
|
|
{
|
|
ret += this.lastSpeeds[i];
|
|
}
|
|
return ret / this.speedsCount;
|
|
};
|
|
behinstProto.isInRange = function (obj_)
|
|
{
|
|
var inst = this.inst;
|
|
var dx = obj_.x - inst.x;
|
|
var dy = obj_.y - inst.y;
|
|
return dx * dx + dy * dy <= this.range * this.range;
|
|
};
|
|
var tmpRect = new cr.rect(0, 0, 0, 0);
|
|
var candidates = [];
|
|
behinstProto.lookForFirstTarget = function ()
|
|
{
|
|
var i, len, rinst;
|
|
tmpRect.left = this.inst.x - this.range;
|
|
tmpRect.top = this.inst.y - this.range;
|
|
tmpRect.right = this.inst.x + this.range;
|
|
tmpRect.bottom = this.inst.y + this.range;
|
|
if (this.useCollisionCells)
|
|
{
|
|
this.runtime.getTypesCollisionCandidates(null, this.type.targetTypes, tmpRect, candidates);
|
|
}
|
|
else
|
|
{
|
|
for (i = 0, len = this.type.targetTypes.length; i < len; ++i)
|
|
{
|
|
cr.appendArray(candidates, this.type.targetTypes[i].instances);
|
|
}
|
|
}
|
|
for (i = 0, len = candidates.length; i < len; ++i)
|
|
{
|
|
rinst = candidates[i];
|
|
if (this.isInRange(rinst))
|
|
{
|
|
this.currentTarget = rinst;
|
|
cr.clearArray(candidates);
|
|
return;
|
|
}
|
|
}
|
|
cr.clearArray(candidates);
|
|
};
|
|
behinstProto.lookForNearestTarget = function ()
|
|
{
|
|
var i, len, rinst, dist, dx, dy;
|
|
var myx = this.inst.x;
|
|
var myy = this.inst.y;
|
|
var closest = this.range * this.range;
|
|
this.currentTarget = null;
|
|
tmpRect.left = myx - this.range;
|
|
tmpRect.top = myy - this.range;
|
|
tmpRect.right = myx + this.range;
|
|
tmpRect.bottom = myy + this.range;
|
|
if (this.useCollisionCells)
|
|
{
|
|
this.runtime.getTypesCollisionCandidates(null, this.type.targetTypes, tmpRect, candidates);
|
|
}
|
|
else
|
|
{
|
|
for (i = 0, len = this.type.targetTypes.length; i < len; ++i)
|
|
{
|
|
cr.appendArray(candidates, this.type.targetTypes[i].instances);
|
|
}
|
|
}
|
|
for (i = 0, len = candidates.length; i < len; ++i)
|
|
{
|
|
rinst = candidates[i];
|
|
dx = myx - rinst.x;
|
|
dy = myy - rinst.y;
|
|
dist = dx * dx + dy * dy;
|
|
if (dist < closest)
|
|
{
|
|
this.currentTarget = rinst;
|
|
closest = dist;
|
|
}
|
|
}
|
|
candidates.length = 0;
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
var dt = this.runtime.getDt(this.inst);
|
|
var nowtime = this.runtime.kahanTime.sum;
|
|
var inst = this.inst;
|
|
if (!this.enabled)
|
|
return;
|
|
if (this.currentTarget && !this.isInRange(this.currentTarget))
|
|
{
|
|
this.currentTarget = null;
|
|
this.speedsCount = 0;
|
|
this.firstTickWithTarget = true;
|
|
}
|
|
if (nowtime >= this.lastCheckTime + 0.1)
|
|
{
|
|
this.lastCheckTime = nowtime;
|
|
if (this.targetMode === 0 && !this.currentTarget)
|
|
{
|
|
this.lookForFirstTarget();
|
|
if (this.currentTarget)
|
|
{
|
|
this.speedsCount = 0;
|
|
this.firstTickWithTarget = true;
|
|
this.oldTargetX = this.currentTarget.x;
|
|
this.oldTargetY = this.currentTarget.y;
|
|
this.runtime.trigger(cr.behaviors.Turret.prototype.cnds.OnTargetAcquired, this.inst);
|
|
}
|
|
}
|
|
else if (this.targetMode === 1)
|
|
{
|
|
var oldTarget = this.currentTarget;
|
|
this.lookForNearestTarget();
|
|
if (this.currentTarget && this.currentTarget !== oldTarget)
|
|
{
|
|
this.speedsCount = 0;
|
|
this.firstTickWithTarget = true;
|
|
this.oldTargetX = this.currentTarget.x;
|
|
this.oldTargetY = this.currentTarget.y;
|
|
this.runtime.trigger(cr.behaviors.Turret.prototype.cnds.OnTargetAcquired, this.inst);
|
|
}
|
|
}
|
|
}
|
|
this.fireTimeCount += dt;
|
|
if (this.currentTarget)
|
|
{
|
|
var targetAngle = cr.angleTo(inst.x, inst.y, this.currentTarget.x, this.currentTarget.y);
|
|
if (this.predictiveAim)
|
|
{
|
|
var Gx = inst.x;
|
|
var Gy = inst.y;
|
|
var Px = this.currentTarget.x;
|
|
var Py = this.currentTarget.y;
|
|
var h = cr.angleTo(Px, Py, this.oldTargetX, this.oldTargetY);
|
|
if (!this.firstTickWithTarget)
|
|
this.addSpeed(cr.distanceTo(Px, Py, this.oldTargetX, this.oldTargetY) / dt);
|
|
var s = this.getSpeed();
|
|
var q = Py - Gy;
|
|
var r = Px - Gx;
|
|
var w = (s * Math.sin(h) * (Gx - Px) - s * Math.cos(h) * (Gy - Py)) / this.projectileSpeed;
|
|
var a = (Math.asin(w / Math.sqrt(q * q + r * r)) - Math.atan2(q, -r)) + Math.PI;
|
|
if (!isNaN(a))
|
|
targetAngle = a;
|
|
}
|
|
if (this.rotateEnabled)
|
|
{
|
|
inst.angle = cr.angleRotate(inst.angle, targetAngle, this.rotateSpeed * dt);
|
|
inst.set_bbox_changed();
|
|
}
|
|
if ((this.fireTimeCount >= this.rateOfFire) &&
|
|
(!this.rotateEnabled || cr.to_degrees(cr.angleDiff(inst.angle, targetAngle)) <= 0.1) &&
|
|
(!this.predictiveAim || this.speedsCount >= 4))
|
|
{
|
|
this.fireTimeCount -= this.rateOfFire;
|
|
if (this.fireTimeCount >= this.rateOfFire)
|
|
this.fireTimeCount = 0;
|
|
this.runtime.trigger(cr.behaviors.Turret.prototype.cnds.OnShoot, this.inst);
|
|
}
|
|
if (this.currentTarget)
|
|
{
|
|
this.oldTargetX = this.currentTarget.x;
|
|
this.oldTargetY = this.currentTarget.y;
|
|
}
|
|
this.firstTickWithTarget = false;
|
|
}
|
|
if (this.fireTimeCount > this.rateOfFire)
|
|
this.fireTimeCount = this.rateOfFire;
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.HasTarget = function ()
|
|
{
|
|
return !!this.currentTarget;
|
|
};
|
|
Cnds.prototype.OnShoot = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnTargetAcquired = function ()
|
|
{
|
|
return true;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.AcquireTarget = function (obj_)
|
|
{
|
|
if (!obj_)
|
|
return;
|
|
var instances = obj_.getCurrentSol().getObjects();
|
|
var i, len, inst;
|
|
for (i = 0, len = instances.length; i < len; ++i)
|
|
{
|
|
inst = instances[i];
|
|
if (this.currentTarget !== inst && this.isInRange(inst))
|
|
{
|
|
this.currentTarget = inst;
|
|
this.speedsCount = 0;
|
|
this.firstTickWithTarget = true;
|
|
this.oldTargetX = this.currentTarget.x;
|
|
this.oldTargetY = this.currentTarget.y;
|
|
this.runtime.trigger(cr.behaviors.Turret.prototype.cnds.OnTargetAcquired, this.inst);
|
|
break;
|
|
}
|
|
}
|
|
};
|
|
Acts.prototype.AddTarget = function (obj_)
|
|
{
|
|
var targetTypes = this.type.targetTypes;
|
|
if (targetTypes.indexOf(obj_) !== -1)
|
|
return;
|
|
var i, len, t;
|
|
for (i = 0, len = targetTypes.length; i < len; i++)
|
|
{
|
|
t = targetTypes[i];
|
|
if (t.is_family && t.members.indexOf(obj_) !== -1)
|
|
return;
|
|
}
|
|
targetTypes.push(obj_);
|
|
};
|
|
Acts.prototype.ClearTargets = function ()
|
|
{
|
|
cr.clearArray(this.type.targetTypes);
|
|
};
|
|
Acts.prototype.UnacquireTarget = function ()
|
|
{
|
|
this.currentTarget = null;
|
|
this.speedsCount = 0;
|
|
this.firstTickWithTarget = true;
|
|
};
|
|
Acts.prototype.SetEnabled = function (e)
|
|
{
|
|
this.enabled = (e !== 0);
|
|
};
|
|
Acts.prototype.SetRange = function (r)
|
|
{
|
|
this.range = r;
|
|
};
|
|
Acts.prototype.SetRateOfFire = function (r)
|
|
{
|
|
this.rateOfFire = r;
|
|
};
|
|
Acts.prototype.SetRotate = function (r)
|
|
{
|
|
this.rotateEnabled = (r !== 0);
|
|
};
|
|
Acts.prototype.SetRotateSpeed = function (r)
|
|
{
|
|
this.rotateSpeed = cr.to_radians(r);
|
|
};
|
|
Acts.prototype.SetTargetMode = function (s)
|
|
{
|
|
this.targetMode = s;
|
|
};
|
|
Acts.prototype.SetPredictiveAim = function (s)
|
|
{
|
|
this.predictiveAim = (s !== 0);
|
|
};
|
|
Acts.prototype.SetProjectileSpeed = function (s)
|
|
{
|
|
this.projectileSpeed = s;
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.TargetUID = function (ret)
|
|
{
|
|
ret.set_int(this.currentTarget ? this.currentTarget.uid : 0);
|
|
};
|
|
Exps.prototype.Range = function (ret)
|
|
{
|
|
ret.set_float(this.range);
|
|
};
|
|
Exps.prototype.RateOfFire = function (ret)
|
|
{
|
|
ret.set_float(this.rateOfFire);
|
|
};
|
|
Exps.prototype.RotateSpeed = function (ret)
|
|
{
|
|
ret.set_float(cr.to_degrees(this.rotateSpeed));
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.aekiro_bind = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.aekiro_bind.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
if(!cr.proui){
|
|
throw new Error("ProUI Plugin not found. Please add it to the project.");
|
|
return;
|
|
}
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.proui = cr.proui;
|
|
this.isInstanceOfText = cr.plugins_.Text ? (this.inst.type.plugin instanceof cr.plugins_.Text) : false;
|
|
this.isInstanceOfSpriteFont = cr.plugins_.Spritefont2 ? (this.inst.type.plugin instanceof cr.plugins_.Spritefont2) : false;
|
|
this.isInstanceOfSpriteFontPlus = cr.plugins_.SkymenSFPlusPLus ? (this.inst.type.plugin instanceof cr.plugins_.SkymenSFPlusPLus) : false;
|
|
this.isInstanceOfSprite = cr.plugins_.Sprite?(this.inst.type.plugin instanceof cr.plugins_.Sprite):false;
|
|
this.isInstanceOfPaster = cr.plugins_.rojoPaster?(this.inst.type.plugin instanceof cr.plugins_.rojoPaster):false;
|
|
this.bind_key = this.properties[0];
|
|
this.bind_property = this.properties[1];
|
|
this.firstFrame = true;
|
|
this.inst.proui_bind = this;
|
|
this.index = -1 ; //index of the item this sub-item belong to
|
|
this.deepKey = "";
|
|
this.model = null;
|
|
};
|
|
behinstProto.updateGridViewModel = function (value,options){
|
|
if(this.model && this.deepKey){
|
|
console.log(this.deepKey+"***"+value);
|
|
cr.plugins_.aekiro_model.prototype.acts.SetValueByKeyString.call(this.model,this.deepKey,value,options);
|
|
}
|
|
};
|
|
behinstProto.setValue = function (value){
|
|
if(!this.bind_key){
|
|
return;
|
|
}
|
|
if(this.bind_property==0 && this.inst._proui && this.inst._proui._setValue){//Value
|
|
this.inst._proui._setValue(value);
|
|
}else if(this.bind_property==1 && (this.isInstanceOfText || this.isInstanceOfSpriteFont || this.isInstanceOfSpriteFontPlus) ){ //Text
|
|
this.inst.type.plugin.acts.SetText.call(this.inst,value);
|
|
}else if(this.bind_property==2 && this.isInstanceOfSprite){//Frame
|
|
var frame = 0;
|
|
if (!isNaN(value)){
|
|
frame = parseInt(value);
|
|
}
|
|
this.inst.type.plugin.acts.SetAnimFrame.apply(this.inst, [frame]);
|
|
}else if(this.bind_property==3 && this.isInstanceOfSprite){//Animation
|
|
var anim = String(value);
|
|
this.inst.type.plugin.acts.SetAnim.apply(this.inst, [anim]);
|
|
}else if(this.bind_property==4 && (this.isInstanceOfSprite || this.isInstanceOfPaster) ){//URL
|
|
this.inst.type.plugin.acts.LoadImage.call(this.inst,value, 1);
|
|
}
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"bind_key" : this.bind_key,
|
|
"bind_property" : this.bind_property
|
|
}
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.bind_key = o["bind_key"];
|
|
this.bind_property = o["bind_property"];
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsIndex = function (index){
|
|
return (index == this.index);
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.index = function (ret)
|
|
{
|
|
ret.set_int(this.index);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.aekiro_button = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.aekiro_button.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
if(!cr.proui){
|
|
throw new Error("ProUI Plugin not found. Please add it to the project.");
|
|
}
|
|
if(!this.behavior.isHooked){
|
|
cr.proui.HookMe(this.behavior,["touch"]);
|
|
this.behavior.isHooked = true;
|
|
}
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
var NORMAL = 0, HOVER = 1, CLICKED = 2;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.proui = cr.proui;
|
|
this.proui.isTypeValid(this.inst,[cr.plugins_.Sprite,cr.plugins_.NinePatch,cr.plugins_.TiledBg],"Pro UI: Button behavior is only applicable to Sprite, 9-patch or tiled backgrounds objects.");
|
|
this.isInstanceOfSprite = cr.plugins_.Sprite?(this.inst.type.plugin instanceof cr.plugins_.Sprite):false;
|
|
this.isEnabled = this.properties[0];
|
|
this.frame_hover = isNaN(parseInt(this.properties[1]))?-1:parseInt(this.properties[1]);
|
|
this.frame_clicked = isNaN(parseInt(this.properties[2]))?-1:parseInt(this.properties[2]);
|
|
this.frame_disabled = isNaN(parseInt(this.properties[3]))?-1:parseInt(this.properties[3]);
|
|
this.clickSound = this.properties[4];
|
|
this.clickAnimation = this.properties[5];
|
|
this.hoverSound = this.properties[6];
|
|
this.hoverAnimation = this.properties[7];
|
|
this.callbackName = this.properties[8];
|
|
this.callbackParams = this.properties[9];
|
|
this.firstFrame = true;
|
|
this.uiType = "button";
|
|
this.inst.uiType = "button";
|
|
this.inst._proui = this;
|
|
this.state = NORMAL;
|
|
this.onTouchStarted = false;
|
|
this.onMouseEnterFlag = false;
|
|
this.callbacks = [];
|
|
this.onCreateInit();
|
|
};
|
|
behinstProto.onCreateInit = function (){
|
|
this.setClickAnimations();
|
|
this.setHoverAnimations();
|
|
this.useStates = true;
|
|
if(this.frame_hover<0 && this.frame_clicked<0 && this.frame_disabled<0){
|
|
this.useStates = false;
|
|
}
|
|
};
|
|
behinstProto.setClickAnimations = function (){
|
|
this.tween = new TWEEN["Tween"](this.inst);
|
|
if(this.clickAnimation == 1){
|
|
this.tween["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ width: this.inst.width*1.2, height:this.inst.height*1.2 }, 200);
|
|
}else if(this.clickAnimation == 2){
|
|
this.tween["easing"](TWEEN["Easing"]["Elastic"]["Out"])["to"]({ width: this.inst.width*1.2, height:this.inst.height*1.2 }, 500);
|
|
}else if(this.clickAnimation == 3){
|
|
this.tween["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ y:this.inst.y+this.inst.height/10 }, 100);
|
|
}else if(this.clickAnimation == 4){
|
|
this.tween["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ y:this.inst.y-this.inst.height/10 }, 100);
|
|
}else if(this.clickAnimation == 5){
|
|
this.tween["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ x:this.inst.x-this.inst.width/10 }, 100);
|
|
}else if(this.clickAnimation == 6){
|
|
this.tween["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ x:this.inst.x+this.inst.width/10 }, 100);
|
|
}
|
|
};
|
|
behinstProto.setHoverAnimations = function (){
|
|
this.tween_hover = new TWEEN["Tween"](this.inst);
|
|
if(this.hoverAnimation == 1){
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ width: this.inst.width*1.1, height:this.inst.height*1.1 }, 200);
|
|
}else if(this.hoverAnimation == 2){
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Elastic"]["Out"])["to"]({ width: this.inst.width*1.1, height:this.inst.height*1.1 }, 500);
|
|
}else if(this.hoverAnimation == 3){
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ y:this.inst.y+this.inst.height/10 }, 100);
|
|
}else if(this.hoverAnimation == 4){
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ y:this.inst.y-this.inst.height/10 }, 100);
|
|
}else if(this.hoverAnimation == 5){//Left
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ x:this.inst.x-this.inst.width/13 }, 100);
|
|
}else if(this.hoverAnimation == 6){//Right
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ x:this.inst.x+this.inst.width/13 }, 100);
|
|
}
|
|
};
|
|
behinstProto.updateView = function (){
|
|
if(!this.useStates){
|
|
return;
|
|
}
|
|
if(!this.isInstanceOfSprite){
|
|
return;
|
|
}
|
|
if(this.isEnabled){
|
|
if(this.state == CLICKED && this.frame_clicked >= 0){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.call(this.inst, this.frame_clicked);
|
|
}
|
|
else if(this.state == HOVER && this.frame_hover >= 0){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.call(this.inst, this.frame_hover);
|
|
}
|
|
else if(this.state == NORMAL && this.frame_normal >= 0){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.call(this.inst, this.frame_normal);
|
|
}
|
|
}
|
|
else if(this.frame_disabled >= 0){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.call(this.inst, this.frame_disabled);
|
|
}
|
|
else if(!this.isInsideScrollView){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.call(this.inst, this.frame_normal);
|
|
}
|
|
};
|
|
/*Does not get called if:
|
|
- instance is invisible
|
|
- instance layer is
|
|
- under an opened dialog
|
|
cf dispatchTouchStart in proui plugin
|
|
*/
|
|
behinstProto.OnTouchStart = function ()
|
|
{
|
|
if(!this.isClickable() || !this.isInsideScrollView() || this.onTouchStarted)return;
|
|
/*var scrollView = this.proui.scrollViews["l"+this.inst.layer.index];
|
|
if(scrollView && (Math.abs(scrollView.contentDpos.dy)>1 || Math.abs(scrollView.contentDpos.dx)>1 ) ){
|
|
return;
|
|
}*/
|
|
var scrollView = this.proui.scrollViews["l"+this.inst.layer.index];
|
|
if(scrollView && Math.sqrt(Math.pow(scrollView.scroll.dx, 2) + Math.pow(scrollView.scroll.dy, 2)) > 5) return;
|
|
this.onTouchStarted = true;
|
|
if(this.state != CLICKED && this.clickAnimation>0){
|
|
this.tween["start"]();
|
|
}
|
|
this.state = CLICKED;
|
|
this.updateView();
|
|
if(this.clickSound){
|
|
this.proui.playAudio(this.clickSound);
|
|
}
|
|
};
|
|
behinstProto.OnAnyTouchEnd = function (touchX, touchY)
|
|
{
|
|
if(this.onTouchStarted){
|
|
this.OnTouchEnd(touchX, touchY);
|
|
}
|
|
this.onTouchStarted = false;
|
|
};
|
|
behinstProto.OnTouchEnd = function (touchX, touchY)
|
|
{
|
|
this.inst.update_bbox();
|
|
if(this.inst.contains_pt(touchX,touchY)){
|
|
if(this.runtime.isMobile){
|
|
this.state = NORMAL;
|
|
}else{
|
|
this.state = HOVER;
|
|
}
|
|
this.updateView();
|
|
this.proui.runCallback(this.callbackName,this.callbackParams);
|
|
for (var i = 0, l= this.callbacks.length; i < l; i++) {
|
|
this.callbacks[i]();
|
|
}
|
|
this.runtime.trigger(cr.behaviors.aekiro_button.prototype.cnds.OnClicked, this.inst);
|
|
}else{
|
|
this.state = NORMAL;
|
|
this.updateView();
|
|
}
|
|
if(this.clickAnimation>0){
|
|
this.tween["reverse"]();
|
|
}
|
|
};
|
|
behinstProto.isMouseOver = function ()
|
|
{
|
|
if(this.onTouchStarted){
|
|
var scrollView = this.proui.scrollViews["l"+this.inst.layer.index];
|
|
if(scrollView && Math.sqrt(Math.pow(scrollView.scroll.dx, 2) + Math.pow(scrollView.scroll.dy, 2)) > 5) {
|
|
this.onTouchStarted = false;
|
|
this.state = NORMAL;
|
|
this.updateView();
|
|
if(this.clickAnimation>0){
|
|
this.tween["reverse"]();
|
|
}
|
|
};
|
|
}
|
|
var mouse_x = this.proui.CursorX(this.inst.layer.index);
|
|
var mouse_y = this.proui.CursorY(this.inst.layer.index);
|
|
this.inst.update_bbox();
|
|
return this.inst.contains_pt(mouse_x, mouse_y);
|
|
};
|
|
behinstProto.OnMouseEnter = function ()
|
|
{
|
|
if(!this.isClickable())return;
|
|
this.state = HOVER;
|
|
this.updateView();
|
|
if(this.hoverAnimation>0){
|
|
this.tween_hover["start"]();
|
|
}
|
|
if(this.hoverSound){
|
|
this.proui.playAudio(this.hoverSound);
|
|
}
|
|
this.runtime.trigger(cr.behaviors.aekiro_button.prototype.cnds.OnMouseEnter, this.inst);
|
|
};
|
|
behinstProto.OnMouseLeave = function ()
|
|
{
|
|
this.state = NORMAL;
|
|
this.updateView();
|
|
if(this.hoverAnimation>0){
|
|
this.tween_hover["reverse"]();
|
|
}
|
|
this.runtime.trigger(cr.behaviors.aekiro_button.prototype.cnds.OnMouseLeave, this.inst);
|
|
};
|
|
behinstProto.isInTouch = function ()
|
|
{
|
|
var touch_x = this.proui.X(this.inst.layer.index);
|
|
var touch_y = this.proui.Y(this.inst.layer.index);
|
|
this.inst.update_bbox();
|
|
return this.inst.contains_pt(touch_x, touch_y);
|
|
};
|
|
behinstProto.setEnabled = function (isEnabled)
|
|
{
|
|
this.isEnabled = isEnabled;
|
|
this.updateView();
|
|
}
|
|
behinstProto.isInsideScrollView = function(){
|
|
var insideScrollView = true;
|
|
var scrollView = this.proui.scrollViews["l"+this.inst.layer.index];
|
|
if(scrollView){
|
|
var touch_x, touch_y;
|
|
if(this.runtime.isMobile){
|
|
touch_x = this.proui.X(this.inst.layer.index);
|
|
touch_y = this.proui.Y(this.inst.layer.index);
|
|
}
|
|
else{
|
|
touch_x = this.proui.CursorX(this.inst.layer.index);
|
|
touch_y = this.proui.CursorY(this.inst.layer.index);
|
|
}
|
|
scrollView.inst.update_bbox();
|
|
insideScrollView = scrollView.inst.contains_pt(touch_x, touch_y);
|
|
}
|
|
return insideScrollView;
|
|
};
|
|
behinstProto.isClickable = function()
|
|
{
|
|
var isVisible = (this.inst.layer.visible && this.inst.visible);
|
|
/***************/
|
|
var isUnder = false;
|
|
for (var i = 0,l=this.proui.currentDialogs.length; i < l; i++) {
|
|
if(this.inst.layer.index<this.proui.currentDialogs[i].inst.layer.index){
|
|
isUnder = true;
|
|
break;
|
|
}
|
|
}
|
|
return isVisible && this.isEnabled && !isUnder;
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if(this.firstFrame){
|
|
this.firstFrame = false;
|
|
if(this.useStates){
|
|
this.inst.cur_anim_speed = 0;
|
|
}
|
|
this.frame_normal = this.inst.cur_frame;
|
|
this.updateView();
|
|
this.lastY = this.proui.CursorY(this.inst.layer.index);
|
|
this.lastX = this.proui.CursorX(this.inst.layer.index);
|
|
}
|
|
var dt;
|
|
if(this.tween["isPlaying"]){
|
|
dt = this.runtime.getDt(this.inst)*1000
|
|
this.tween["update"](dt);
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
if(this.tween_hover["isPlaying"]){
|
|
dt = this.runtime.getDt(this.inst)*1000
|
|
this.tween_hover["update"](dt);
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
/*if(this.onTouchStarted){
|
|
if(this.isInTouch()){
|
|
}
|
|
}*/
|
|
if(this.isClickable()){
|
|
if(this.isMouseOver() && this.isInsideScrollView()){
|
|
if(!this.onMouseEnterFlag && (Math.abs(this.lastY-this.proui.CursorY(this.inst.layer.index))>10 || Math.abs(this.lastX-this.proui.CursorX(this.inst.layer.index))>10 ) ){
|
|
this.onMouseEnterFlag = true;
|
|
this.OnMouseEnter();
|
|
this.lastY = this.proui.CursorY(this.inst.layer.index);
|
|
this.lastX = this.proui.CursorX(this.inst.layer.index);
|
|
}
|
|
}else{
|
|
if(this.onMouseEnterFlag && (!this.isInsideScrollView() || Math.abs(this.lastY-this.proui.CursorY(this.inst.layer.index))>10 || Math.abs(this.lastX-this.proui.CursorX(this.inst.layer.index))>10)) {
|
|
this.onMouseEnterFlag = false;
|
|
this.OnMouseLeave();
|
|
this.lastY = this.proui.CursorY(this.inst.layer.index);
|
|
this.lastX = this.proui.CursorX(this.inst.layer.index);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"isEnabled" : this.isEnabled,
|
|
"clickSound" : this.clickSound,
|
|
"clickAnimation" : this.clickAnimation,
|
|
"hoverSound":this.hoverSound,
|
|
"hoverAnimation":this.hoverAnimation,
|
|
"callbackName" : this.callbackName,
|
|
"callbackParams" : this.callbackParams,
|
|
"frame_hover" : this.frame_hover,
|
|
"frame_clicked" : this.frame_clicked,
|
|
"frame_disabled" : this.frame_disabled
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.isEnabled = o["isEnabled"];
|
|
this.clickSound = o["clickSound"];
|
|
this.clickAnimation = o["clickAnimation"];
|
|
this.hoverSound = o["hoverSound"];
|
|
this.hoverAnimation = o["hoverAnimation"];
|
|
this.callbackName = o["callbackName"];
|
|
this.callbackParams = o["callbackParams"];
|
|
this.frame_hover = o["frame_hover"];
|
|
this.frame_clicked = o["frame_clicked"];
|
|
this.frame_disabled = o["frame_disabled"];
|
|
this.onCreateInit();
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnMouseEnter = function (){
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnMouseLeave = function (){
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnClicked = function (){
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsEnabled = function (){
|
|
return this.isEnabled;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.setEnabled = function (isEnabled){
|
|
this.setEnabled(isEnabled);
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.aekiro_checkbox = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.aekiro_checkbox.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
if(!cr.proui){
|
|
throw new Error("ProUI Plugin not found. Please add it to the project.");
|
|
}
|
|
if(!this.behavior.isHooked){
|
|
cr.proui.HookMe(this.behavior,["touch"]);
|
|
this.behavior.isHooked = true;
|
|
}
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
var NORMAL = 0, HOVER = 1, CLICKED = 2;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.proui = cr.proui;
|
|
this.proui.isTypeValid(this.inst,[cr.plugins_.Sprite],"Pro UI: Checkbox behavior is only applicable to Sprite objects.");
|
|
this.isEnabled = this.properties[0];
|
|
this.value = this.properties[1];
|
|
this.frames_normal = this.properties[2];
|
|
this.frames_hover = this.properties[3];
|
|
this.frames_disabled = this.properties[4];
|
|
this.clickSound = this.properties[5];
|
|
this.clickAnimation = this.properties[6];
|
|
this.hoverSound = this.properties[7];
|
|
this.hoverAnimation = this.properties[8];
|
|
this.callbackName = this.properties[9];
|
|
this.callbackParams = this.properties[10];
|
|
this.firstFrame = true;
|
|
this.uiType = "checkbox";
|
|
this.inst.uiType = "checkbox";
|
|
this.inst._proui = this;
|
|
this.firstSetValue = false;
|
|
this.state = NORMAL;
|
|
this.onTouchStarted = false;
|
|
this.onMouseEnterFlag = false;
|
|
/*If this elements is part of a composed ui element like a gridview, then upon creation of this element, the parent (gridview) will set this value to itself,
|
|
and it is passed in options.except (cf behinstProto.setValue ) to notifyBehaviorModels of themodel so that it wont notify the gridview
|
|
*/
|
|
this.compParent = this;
|
|
this.onCreateInit();
|
|
};
|
|
behinstProto.onCreateInit = function (){
|
|
this.setFrames();
|
|
this.setClickAnimations();
|
|
this.setHoverAnimations();
|
|
};
|
|
behinstProto.setFrames = function (){
|
|
var normalFrames = this.frames_normal.split(',');
|
|
this.frame_normal_uncheck = isNaN(parseInt(normalFrames[0]))?-1:parseInt(normalFrames[0]);
|
|
this.frame_normal_check = isNaN(parseInt(normalFrames[1]))?-1:parseInt(normalFrames[1]);
|
|
var hoverFrames = this.frames_hover.split(',');
|
|
this.frame_hover_uncheck = isNaN(parseInt(hoverFrames[0]))?-1:parseInt(hoverFrames[0]);
|
|
this.frame_hover_check = isNaN(parseInt(hoverFrames[1]))?-1:parseInt(hoverFrames[1]);
|
|
var disabledFrames = this.frames_disabled.split(',');
|
|
this.frame_disabled_uncheck = isNaN(parseInt(disabledFrames[0]))?-1:parseInt(disabledFrames[0]);
|
|
this.frame_disabled_check = isNaN(parseInt(disabledFrames[1]))?-1:parseInt(disabledFrames[1]);
|
|
};
|
|
behinstProto.setClickAnimations = function (){
|
|
this.tween = new TWEEN["Tween"](this.inst);
|
|
if(this.clickAnimation == 1){
|
|
this.tween["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ width: this.inst.width*1.2, height:this.inst.height*1.2 }, 200);
|
|
}else if(this.clickAnimation == 2){
|
|
this.tween["easing"](TWEEN["Easing"]["Elastic"]["Out"])["to"]({ width: this.inst.width*1.2, height:this.inst.height*1.2 }, 500);
|
|
}else if(this.clickAnimation == 3){
|
|
this.tween["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ y:this.inst.y+this.inst.height/10 }, 100);
|
|
}else if(this.clickAnimation == 4){
|
|
this.tween["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ y:this.inst.y-this.inst.height/10 }, 100);
|
|
}else if(this.clickAnimation == 5){
|
|
this.tween["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ x:this.inst.x-this.inst.width/10 }, 100);
|
|
}else if(this.clickAnimation == 6){
|
|
this.tween["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ x:this.inst.x+this.inst.width/10 }, 100);
|
|
}
|
|
};
|
|
behinstProto.setHoverAnimations = function (){
|
|
this.tween_hover = new TWEEN["Tween"](this.inst);
|
|
if(this.hoverAnimation == 1){
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ width: this.inst.width*1.1, height:this.inst.height*1.1 }, 200);
|
|
}else if(this.hoverAnimation == 2){
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Elastic"]["Out"])["to"]({ width: this.inst.width*1.1, height:this.inst.height*1.1 }, 500);
|
|
}else if(this.hoverAnimation == 3){
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ y:this.inst.y+this.inst.height/10 }, 100);
|
|
}else if(this.hoverAnimation == 4){
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ y:this.inst.y-this.inst.height/10 }, 100);
|
|
}else if(this.hoverAnimation == 5){//Left
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ x:this.inst.x-this.inst.width/13 }, 100);
|
|
}else if(this.hoverAnimation == 6){//Right
|
|
this.tween_hover["easing"](TWEEN["Easing"]["Quadratic"]["Out"])["to"]({ x:this.inst.x+this.inst.width/13 }, 100);
|
|
}
|
|
};
|
|
behinstProto.setValue = function (value){
|
|
this.firstSetValue = true;
|
|
if(this._setValue(value)){
|
|
var modelB = this.inst.proui_model;
|
|
if(modelB){
|
|
modelB.setModelValue(value,{except:this.compParent});
|
|
}
|
|
if(this.inst.proui_bind){
|
|
this.inst.proui_bind.updateGridViewModel(value,{except:this.compParent});
|
|
}
|
|
}
|
|
};
|
|
behinstProto._setValue = function (value){
|
|
if(value == null){
|
|
return false;
|
|
}
|
|
value = this.proui.validateSimpleValue(value,0);
|
|
value = cr.clamp(value,0,1);
|
|
if(this.value!=value){
|
|
this.value = value;
|
|
this.updateView();
|
|
return true;
|
|
}else{
|
|
return false;
|
|
}
|
|
};
|
|
behinstProto.updateFromModel = function (){
|
|
var modelB = this.inst.proui_model;
|
|
if(modelB){
|
|
var value = modelB.getFromModel();
|
|
if(value == null){
|
|
return;
|
|
}
|
|
value = this.proui.validateSimpleValue(value,0);
|
|
value = cr.clamp(value,0,1);
|
|
if(this.value!=value){
|
|
this.value = value;
|
|
}
|
|
}
|
|
};
|
|
behinstProto.updateView = function (){
|
|
if(this.value){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.apply(this.inst, [this.frame_normal_check]);
|
|
if(this.isEnabled){
|
|
if(this.state == HOVER && this.frame_hover_check>=0){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.apply(this.inst, [this.frame_hover_check]);
|
|
}
|
|
}else{
|
|
if(this.frame_disabled_check>=0)
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.apply(this.inst, [this.frame_disabled_check]);
|
|
}
|
|
}else{
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.apply(this.inst, [this.frame_normal_uncheck]);
|
|
if(this.isEnabled){
|
|
if(this.state == HOVER && this.frame_hover_uncheck>=0){
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.apply(this.inst, [this.frame_hover_uncheck]);
|
|
}
|
|
}else{
|
|
if(this.frame_disabled_uncheck>=0)
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame.apply(this.inst, [this.frame_disabled_uncheck]);
|
|
}
|
|
}
|
|
};
|
|
behinstProto.setEnabled = function (isEnabled)
|
|
{
|
|
this.isEnabled = isEnabled;
|
|
this.updateView();
|
|
}
|
|
behinstProto.OnTouchStart = function ()
|
|
{
|
|
if(!this.isClickable() || !this.isInsideScrollView() || this.onTouchStarted)return;
|
|
var scrollView = this.proui.scrollViews["l"+this.inst.layer.index];
|
|
if(scrollView && Math.sqrt(Math.pow(scrollView.scroll.dx, 2) + Math.pow(scrollView.scroll.dy, 2)) > 5) return;
|
|
this.onTouchStarted = true;
|
|
if(this.state != CLICKED && this.clickAnimation>0){
|
|
this.tween["start"]();
|
|
}
|
|
this.state = CLICKED;
|
|
if(this.clickSound){
|
|
this.proui.playAudio(this.clickSound);
|
|
}
|
|
};
|
|
behinstProto.OnAnyTouchEnd = function (touchX, touchY)
|
|
{
|
|
if(this.onTouchStarted){
|
|
this.OnTouchEnd(touchX, touchY);
|
|
}
|
|
this.onTouchStarted = false;
|
|
};
|
|
behinstProto.OnTouchEnd = function (touchX, touchY)
|
|
{
|
|
this.inst.update_bbox();
|
|
if(this.inst.contains_pt(touchX,touchY)){
|
|
if(this.runtime.isMobile){
|
|
this.state = NORMAL;
|
|
}else{
|
|
this.state = HOVER;
|
|
}
|
|
this.setValue(1-this.value);
|
|
this.updateView();
|
|
this.proui.runCallback(this.callbackName,this.callbackParams);
|
|
this.runtime.trigger(cr.behaviors.aekiro_checkbox.prototype.cnds.OnClicked, this.inst);
|
|
}else{
|
|
this.state = NORMAL;
|
|
this.updateView();
|
|
}
|
|
if(this.clickAnimation>0){
|
|
this.tween["reverse"]();
|
|
}
|
|
};
|
|
behinstProto.isMouseOver = function ()
|
|
{
|
|
if(this.onTouchStarted){
|
|
var scrollView = this.proui.scrollViews["l"+this.inst.layer.index];
|
|
if(scrollView && Math.sqrt(Math.pow(scrollView.scroll.dx, 2) + Math.pow(scrollView.scroll.dy, 2)) > 5) {
|
|
this.onTouchStarted = false;
|
|
this.state = NORMAL;
|
|
this.updateView();
|
|
if(this.clickAnimation>0){
|
|
this.tween["reverse"]();
|
|
}
|
|
};
|
|
}
|
|
var mouse_x = this.proui.CursorX(this.inst.layer.index);
|
|
var mouse_y = this.proui.CursorY(this.inst.layer.index);
|
|
this.inst.update_bbox();
|
|
return this.inst.contains_pt(mouse_x, mouse_y);
|
|
};
|
|
behinstProto.OnMouseEnter = function ()
|
|
{
|
|
if(!this.isClickable())return;
|
|
this.state = HOVER;
|
|
this.updateView();
|
|
if(this.hoverAnimation>0){
|
|
this.tween_hover["start"]();
|
|
}
|
|
if(this.hoverSound){
|
|
this.proui.playAudio(this.hoverSound);
|
|
}
|
|
this.runtime.trigger(cr.behaviors.aekiro_checkbox.prototype.cnds.OnMouseEnter, this.inst);
|
|
};
|
|
behinstProto.OnMouseLeave = function ()
|
|
{
|
|
this.state = NORMAL;
|
|
this.updateView();
|
|
if(this.hoverAnimation>0){
|
|
this.tween_hover["reverse"]();
|
|
}
|
|
this.runtime.trigger(cr.behaviors.aekiro_checkbox.prototype.cnds.OnMouseLeave, this.inst);
|
|
};
|
|
behinstProto.isInTouch = function ()
|
|
{
|
|
var touch_x = this.proui.X(this.inst.layer.index);
|
|
var touch_y = this.proui.Y(this.inst.layer.index);
|
|
this.inst.update_bbox();
|
|
return this.inst.contains_pt(touch_x, touch_y);
|
|
};
|
|
behinstProto.isInsideScrollView = function(){
|
|
var insideScrollView = true;
|
|
var scrollView = this.proui.scrollViews["l"+this.inst.layer.index];
|
|
if(scrollView){
|
|
var touch_x, touch_y;
|
|
if(this.runtime.isMobile){
|
|
touch_x = this.proui.X(this.inst.layer.index);
|
|
touch_y = this.proui.Y(this.inst.layer.index);
|
|
}
|
|
else{
|
|
touch_x = this.proui.CursorX(this.inst.layer.index);
|
|
touch_y = this.proui.CursorY(this.inst.layer.index);
|
|
}
|
|
scrollView.inst.update_bbox();
|
|
insideScrollView = scrollView.inst.contains_pt(touch_x, touch_y);
|
|
}
|
|
return insideScrollView;
|
|
};
|
|
behinstProto.isClickable = function()
|
|
{
|
|
var isVisible = (this.inst.layer.visible && this.inst.visible);
|
|
var isUnder = false;
|
|
for (var i = 0,l=this.proui.currentDialogs.length; i < l; i++) {
|
|
if(this.inst.layer.index<this.proui.currentDialogs[i].inst.layer.index){
|
|
isUnder = true;
|
|
break;
|
|
}
|
|
}
|
|
return isVisible && this.isEnabled && !isUnder;
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if(this.firstFrame){
|
|
this.firstFrame = false;
|
|
this.inst.cur_anim_speed = 0;
|
|
if(!this.firstSetValue){
|
|
this.updateFromModel();
|
|
}
|
|
this.updateView();
|
|
this.lastY = this.proui.CursorY(this.inst.layer.index);
|
|
this.lastX = this.proui.CursorX(this.inst.layer.index);
|
|
}
|
|
var dt;
|
|
if(this.tween["isPlaying"]){
|
|
dt = this.runtime.getDt(this.inst)*1000
|
|
this.tween["update"](dt);
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
if(this.tween_hover["isPlaying"]){
|
|
dt = this.runtime.getDt(this.inst)*1000
|
|
this.tween_hover["update"](dt);
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
/*if(this.onTouchStarted){
|
|
if(this.isInTouch()){
|
|
console.log("isTouching"+this.inst.uid);
|
|
}
|
|
}*/
|
|
if(this.isClickable()){
|
|
if(this.isMouseOver() && this.isInsideScrollView()){
|
|
if(!this.onMouseEnterFlag && (Math.abs(this.lastY-this.proui.CursorY(this.inst.layer.index))>10 || Math.abs(this.lastX-this.proui.CursorX(this.inst.layer.index))>10 ) ){
|
|
this.onMouseEnterFlag = true;
|
|
this.OnMouseEnter();
|
|
this.lastY = this.proui.CursorY(this.inst.layer.index);
|
|
this.lastX = this.proui.CursorX(this.inst.layer.index);
|
|
}
|
|
}else{
|
|
if(this.onMouseEnterFlag && (!this.isInsideScrollView() || Math.abs(this.lastY-this.proui.CursorY(this.inst.layer.index))>10 || Math.abs(this.lastX-this.proui.CursorX(this.inst.layer.index))>10 ) ){
|
|
this.onMouseEnterFlag = false;
|
|
this.OnMouseLeave();
|
|
this.lastY = this.proui.CursorY(this.inst.layer.index);
|
|
this.lastX = this.proui.CursorX(this.inst.layer.index);
|
|
}
|
|
}
|
|
}
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"isEnabled" : this.isEnabled,
|
|
"clickSound" : this.clickSound,
|
|
"clickAnimation" : this.clickAnimation,
|
|
"hoverSound":this.hoverSound,
|
|
"hoverAnimation":this.hoverAnimation,
|
|
"callbackName" : this.callbackName,
|
|
"callbackParams" : this.callbackParams,
|
|
"frames_normal" : this.frames_normal,
|
|
"frames_hover" : this.frames_hover,
|
|
"disabledFrames" : this.frames_disabled,
|
|
"value" : this.value
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.isEnabled = o["isEnabled"];
|
|
this.clickSound = o["clickSound"];
|
|
this.clickAnimation = o["clickAnimation"];
|
|
this.hoverSound = o["hoverSound"];
|
|
this.hoverAnimation = o["hoverAnimation"];
|
|
this.callbackName = o["callbackName"];
|
|
this.callbackParams = o["callbackParams"];
|
|
this.frames_normal = o["frames_normal"];
|
|
this.frames_hover = o["frames_hover"];
|
|
this.frames_disabled = o["disabledFrames"];
|
|
this.value = o["value"];
|
|
this.onCreateInit();
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnMouseEnter = function (){
|
|
return true;
|
|
};
|
|
Cnds.prototype.OnMouseLeave = function (){
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsEnabled = function (){
|
|
return this.isEnabled;
|
|
};
|
|
Cnds.prototype.OnClicked = function (){
|
|
return true;
|
|
};
|
|
Cnds.prototype.IsChecked = function (){
|
|
return this.value;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.setEnabled = function (isEnabled){
|
|
this.setEnabled(isEnabled);
|
|
};
|
|
Acts.prototype.setValue = function (value){
|
|
this.setValue(value);
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.value = function (ret)
|
|
{
|
|
ret.set_int(this.value);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.aekiro_dialog = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.aekiro_dialog.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
if(!cr.proui){
|
|
throw new Error("ProUI Plugin not found. Please add it to the project.");
|
|
return;
|
|
}
|
|
this.tweenFunctions =[
|
|
TWEEN["Easing"]["Linear"]["None"],
|
|
TWEEN["Easing"]["Quadratic"]["Out"],
|
|
TWEEN["Easing"]["Quartic"]["Out"],
|
|
TWEEN["Easing"]["Exponential"]["Out"],
|
|
TWEEN["Easing"]["Circular"]["Out"],
|
|
TWEEN["Easing"]["Back"]["Out"],
|
|
TWEEN["Easing"]["Elastic"]["Out"],
|
|
TWEEN["Easing"]["Bounce"]["Out"],
|
|
];
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.proui = cr.proui;
|
|
this.proui.isTypeValid(this.inst,[cr.plugins_.Sprite,cr.plugins_.NinePatch,cr.plugins_.TiledBg],"Pro UI: dialog behavior is only applicable to Sprite, 9-patch or tiled backgrounds objects.");
|
|
this.openAnimation = this.properties[0];
|
|
this.openAnimTweenFunction = this.tweenFunctions[this.properties[1]];
|
|
this.openSound = this.properties[2];
|
|
this.openAnimDuration = this.properties[3];
|
|
this.closeAnimation = this.properties[4];
|
|
this.closeAnimTweenFunction = this.tweenFunctions[this.properties[5]];
|
|
this.closeSound = this.properties[6];
|
|
this.closeAnimDuration = this.properties[7];
|
|
this.overlayUID = this.properties[8];
|
|
this.pauseOnOpen = this.properties[9];
|
|
this.closeButtonUID = this.properties[10];
|
|
this.isModal = this.properties[11];
|
|
this.isLayerContainer = this.properties[12];
|
|
this.firstFrame = true;
|
|
this.inst.uiType = "dialog";
|
|
this.uiType = "dialog";
|
|
this.inst._proui = this;
|
|
this.dpos = {};
|
|
this.isInit = false;
|
|
this.isOpen = false;
|
|
this.outLayerChildren = {}; //list of scrollviews on the dialog
|
|
this.tween = new TWEEN["Tween"]();
|
|
this.tween["onReverseComplete"](this.postClose,this);
|
|
this.tween["onComplete"](this.postOpen,this);
|
|
this.tween_close = new TWEEN["Tween"]();
|
|
this.tween_close["onComplete"](this.postClose,this);
|
|
this.tween_opacity = new TWEEN["Tween"](); //a separate tween for opacity: we don't want the opacity to be tweened by elastic
|
|
};
|
|
behinstProto.setCloseButton = function (){
|
|
this.closeButton = this.proui.tags[this.closeButtonUID];
|
|
if(this.closeButton){
|
|
if(this.closeButton.uiType != "button"){
|
|
console.error("ProUI-Dialog uid=%s: the close button needs to have a button behavior !",this.inst.uid);
|
|
return;
|
|
}
|
|
var self = this;
|
|
this.closeButton._proui.callbacks.push(function(){
|
|
self.close();
|
|
});
|
|
}
|
|
};
|
|
behinstProto.setOverlay = function (){
|
|
this.overlay = this.proui.tags[this.overlayUID];
|
|
if(this.overlay){
|
|
this.proui.isTypeValid(this.overlay,[cr.plugins_.Sprite,cr.plugins_.NinePatch,cr.plugins_.TiledBg],"ProUI-Dialog: The overlay of a dialog can only be a Sprite, 9-patch Or Tiled Background object.");
|
|
this.overlay.uiType = "overlay";
|
|
this.tween_overlay = new TWEEN["Tween"]();
|
|
this.tween_overlay["easing"](TWEEN["Easing"]["Quartic"]["Out"]);
|
|
}
|
|
};
|
|
behinstProto.showOverlay = function (){
|
|
if(this.overlay){
|
|
this.overlay.my_timescale = 1;
|
|
this.overlay.type.plugin.acts.MoveToLayer.call(this.overlay, this.inst.layer);
|
|
this.overlay.type.plugin.acts.MoveToBottom.call(this.overlay);
|
|
this.overlay.width = this.inst.layer.viewRight - this.inst.layer.viewLeft;
|
|
this.overlay.height = this.inst.layer.viewBottom - this.inst.layer.viewTop;
|
|
this.overlay.set_bbox_changed();
|
|
this.overlay.update_bbox();
|
|
this.overlay.x = this.inst.layer.viewLeft + (this.overlay.x - this.overlay.bbox.left);
|
|
this.overlay.y = this.inst.layer.viewTop + (this.overlay.y - this.overlay.bbox.top);
|
|
this.overlay.set_bbox_changed();
|
|
this.overlay.visible = true;
|
|
this.overlay.opacity = 0;
|
|
this.tween_overlay["setObject"](this.overlay);
|
|
this.tween_overlay["to"]({ opacity:0.3 }, 300);
|
|
this.tween_overlay["start"]();
|
|
}
|
|
};
|
|
behinstProto.setDialogTimeScale = function (){
|
|
var inst;
|
|
for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
inst.my_timescale = 1;
|
|
}
|
|
};
|
|
behinstProto.setOutLayerChildrenVisible = function (isVisible)
|
|
{
|
|
var layerInsts, self = this;
|
|
Object.keys(this.outLayerChildren).forEach(function(key) {
|
|
layerInsts = self.outLayerChildren[key];
|
|
for (var i = 0, l= layerInsts.length; i < l; i++) {
|
|
cr.system_object.prototype.acts.SetLayerVisible.call(self.runtime.system,layerInsts[i].layer,isVisible);
|
|
}
|
|
});
|
|
};
|
|
behinstProto.init = function ()
|
|
{
|
|
if(this.isInit)
|
|
return;
|
|
cr.system_object.prototype.acts.SetLayerVisible.call(this.runtime.system,this.inst.layer,false);
|
|
this.setOutLayerChildrenVisible(false);
|
|
/*if(this.inst.aekiro_gameobject){
|
|
this.inst.aekiro_gameobject.init();
|
|
}*/
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
this.dpos.dx = 0;
|
|
this.dpos.dy = 0;
|
|
this.inst.x = this.inst.layer.viewLeft - this.inst.width - 100;
|
|
this.inst.set_bbox_changed();
|
|
this.setOverlay();
|
|
this.setCloseButton();
|
|
this.isInit = true;
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if(this.firstFrame){
|
|
this.firstFrame = false;
|
|
this.init();
|
|
}
|
|
/*if(this.isOpen && this.runtime.timescale == 0){
|
|
this.resetDialogTimeScale();
|
|
}*/
|
|
var dt;
|
|
if(this.tween["isPlaying"]){
|
|
dt = this.runtime.getDt(this.inst)*1000;
|
|
this.tween["update"](dt);
|
|
if(this.openAnimation == 5 || this.openAnimation == 6){ //ScaleDown|ScaleUp
|
|
var layerInsts, self = this;
|
|
Object.keys(this.outLayerChildren).forEach(function(key) {
|
|
layerInsts = self.outLayerChildren[key];
|
|
for (var i = 0, l= layerInsts.length; i < l; i++) {
|
|
layerInsts[i].layer.scale = self.inst.layer.scale;
|
|
}
|
|
});
|
|
this.runtime.redraw = true;
|
|
}else{
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
}
|
|
if(this.tween_close["isPlaying"]){
|
|
dt = this.runtime.getDt(this.inst)*1000;
|
|
this.tween_close["update"](dt);
|
|
if(this.closeAnimation == 6 || this.closeAnimation == 7){ //ScaleDown|ScaleUp
|
|
var layerInsts, self = this;
|
|
Object.keys(this.outLayerChildren).forEach(function(key) {
|
|
layerInsts = self.outLayerChildren[key];
|
|
for (var i = 0, l= layerInsts.length; i < l; i++) {
|
|
layerInsts[i].layer.scale = self.inst.layer.scale;
|
|
}
|
|
});
|
|
this.runtime.redraw = true;
|
|
}else{
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
}
|
|
if(this.tween_opacity["isPlaying"]){
|
|
dt = this.runtime.getDt(this.inst)*1000;
|
|
this.tween_opacity["update"](dt);
|
|
var layerInsts, self = this;
|
|
Object.keys(this.outLayerChildren).forEach(function(key) {
|
|
layerInsts = self.outLayerChildren[key];
|
|
for (var i = 0, l= layerInsts.length; i < l; i++) {
|
|
layerInsts[i].layer.opacity = self.inst.layer.opacity;
|
|
}
|
|
});
|
|
this.runtime.redraw = true;
|
|
}
|
|
if(this.tween_overlay && this.tween_overlay["isPlaying"]){
|
|
dt = this.runtime.getDt(this.inst)*1000;
|
|
this.tween_overlay["update"](dt);
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
behinstProto.updateChildren = function ()
|
|
{
|
|
if(!this.isLayerContainer){
|
|
return;
|
|
}
|
|
if(isNaN(this.dpos.prev_x)){
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
}
|
|
this.dpos.dx = this.inst.x - this.dpos.prev_x;
|
|
this.dpos.dy = this.inst.y - this.dpos.prev_y;
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
var inst;
|
|
if( (this.dpos.dx != 0) || (this.dpos.dy != 0) ){
|
|
for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
if ( inst.uiType == "dialog" || inst.uiType == "overlay" || inst.isSubComp===true)
|
|
continue;
|
|
inst.x += this.dpos.dx;
|
|
inst.y += this.dpos.dy;
|
|
inst.set_bbox_changed();
|
|
if ( inst.uiType == "radiogroup" || inst.uiType =="discreteProgress" || inst.uiType =="sliderbar"){
|
|
inst._proui.updateChildren();
|
|
}
|
|
/*if(inst.aekiro_gameobject){
|
|
inst.aekiro_gameobject.updateChildren();
|
|
}*/
|
|
}
|
|
var layerInsts;
|
|
var self = this;
|
|
Object.keys(this.outLayerChildren).forEach(function(key,index) {
|
|
layerInsts = self.outLayerChildren[key];
|
|
for (var i = 0, l= layerInsts.length; i < l; i++) {
|
|
inst = layerInsts[i];
|
|
inst.x += self.dpos.dx;
|
|
inst.y += self.dpos.dy;
|
|
inst.set_bbox_changed();
|
|
}
|
|
});
|
|
}
|
|
};
|
|
behinstProto.tick2 = function ()
|
|
{
|
|
this.updateChildren();
|
|
};
|
|
behinstProto.setInitialPosition = function (targetX,targetY,center){
|
|
var initX,initY;
|
|
if(this.openAnimation == 0 || this.openAnimation == 5 || this.openAnimation == 6){ //None/ ScaleDown|ScaleUp
|
|
initX = targetX;
|
|
initY = targetY;
|
|
if(center){
|
|
initY = (this.inst.layer.viewTop+this.inst.layer.viewBottom)/2;
|
|
initX = (this.inst.layer.viewLeft+this.inst.layer.viewRight)/2;
|
|
}
|
|
}else if(this.openAnimation == 1){ //SlideDown
|
|
initY = this.inst.layer.viewTop - (this.inst.height/2) - 100;
|
|
if(center){
|
|
initX = (this.inst.layer.viewLeft+this.inst.layer.viewRight)/2;
|
|
}else{
|
|
initX = targetX;
|
|
}
|
|
}else if(this.openAnimation == 2){ //SlideUp
|
|
initY = this.inst.layer.viewBottom + (this.inst.height/2) + 100;
|
|
if(center){
|
|
initX = (this.inst.layer.viewLeft+this.inst.layer.viewRight)/2;
|
|
}else{
|
|
initX = targetX;
|
|
}
|
|
}else if(this.openAnimation == 3){ //SlideLeft
|
|
initX = this.inst.layer.viewRight + (this.inst.width/2) + 100;
|
|
if(center){
|
|
initY = (this.inst.layer.viewTop+this.inst.layer.viewBottom)/2;
|
|
}else{
|
|
initY = targetY;
|
|
}
|
|
}else if(this.openAnimation == 4){ //SlideRight
|
|
initX = this.inst.layer.viewLeft - (this.inst.width/2) - 100;
|
|
if(center){
|
|
initY = (this.inst.layer.viewTop+this.inst.layer.viewBottom)/2;
|
|
}else{
|
|
initY = targetY;
|
|
}
|
|
}
|
|
this.inst.x = initX;
|
|
this.inst.y = initY;
|
|
this.inst.set_bbox_changed();
|
|
this.updateChildren();
|
|
};
|
|
behinstProto.open = function (_targetX,_targetY,center)
|
|
{
|
|
this.init();
|
|
if(this.isOpen || this.tween["isPlaying"]){//|| this.tween_close["isPlaying"]
|
|
return;
|
|
}
|
|
if(this.proui.isModalDialogOpened()){
|
|
console.log("ProUI-Dialog: Can not open dialog because modal dialog is already opened");
|
|
return;
|
|
}
|
|
if(this.tween_close["isPlaying"]){
|
|
this.tween_close["isPlaying"] = false;
|
|
this.postClose();
|
|
}
|
|
this.proui.addDialog(this);
|
|
this.isOpen = true;
|
|
this.runtime.trigger(cr.behaviors.aekiro_dialog.prototype.cnds.onDialogOpened, this.inst);
|
|
if(this.pauseOnOpen){
|
|
this.prevTimescale = this.runtime.timescale;
|
|
cr.system_object.prototype.acts.SetTimescale.call(this.runtime.system,0);
|
|
}
|
|
if(this.runtime.timescale != 1){
|
|
this.setDialogTimeScale(1);
|
|
}
|
|
this.setInitialPosition(_targetX,_targetY,center);
|
|
cr.system_object.prototype.acts.SetLayerVisible.call(this.runtime.system,this.inst.layer,true);
|
|
var layerInsts, self = this;
|
|
Object.keys(this.outLayerChildren).forEach(function(key) {
|
|
layerInsts = self.outLayerChildren[key];
|
|
for (var i = 0, l= layerInsts.length; i < l; i++) {
|
|
cr.system_object.prototype.acts.SetLayerVisible.call(self.runtime.system,layerInsts[i].layer,true);
|
|
}
|
|
});
|
|
var targetX = _targetX;
|
|
var targetY = _targetY;
|
|
if(center){
|
|
targetX = (this.inst.layer.viewLeft+this.inst.layer.viewRight)/2;
|
|
targetY = (this.inst.layer.viewTop+this.inst.layer.viewBottom)/2;
|
|
}
|
|
if(this.openAnimDuration == 0){ //If anim duration = 0 then we set animation to "no animation", otherwise wierd bug emerge
|
|
this.openAnimation = 0
|
|
}
|
|
if(this.openAnimation==1 || this.openAnimation == 2){ //SlideDown|SlideUp
|
|
this.tween["setObject"](this.inst);
|
|
this.tween["easing"](this.openAnimTweenFunction);
|
|
this.tween["to"]({y: targetY }, this.openAnimDuration);
|
|
}else if(this.openAnimation == 3 || this.openAnimation == 4){ //SlideLeft|SlideRight
|
|
this.tween["setObject"](this.inst);
|
|
this.tween["easing"](this.openAnimTweenFunction);
|
|
this.tween["to"]({x: targetX }, this.openAnimDuration);
|
|
}else if(this.openAnimation == 5 || this.openAnimation == 6){ //ScaleDown|ScaleUp
|
|
this.tween["setObject"](this.inst.layer);
|
|
this.tween["easing"](this.openAnimTweenFunction);
|
|
if(this.openAnimation == 5){ //ScaleDown
|
|
this.inst.layer.scale = 2;
|
|
}else{ //ScaleUp
|
|
this.inst.layer.scale = 0.2;
|
|
}
|
|
this.inst.layer.opacity = 0;
|
|
this.runtime.redraw = true;
|
|
this.tween["to"]({ scale: 1 }, this.openAnimDuration);
|
|
this.tween_opacity["setObject"](this.inst.layer);
|
|
this.tween_opacity["to"]({ opacity: 1 }, 300);
|
|
this.tween_opacity["easing"](TWEEN["Easing"]["Quartic"]["Out"]);
|
|
}
|
|
if(this.openAnimation>0){
|
|
this.tween["start"]();
|
|
if(this.openAnimation == 5 || this.openAnimation == 6){ //ScaleDown|ScaleUp
|
|
this.tween_opacity["start"]();
|
|
}
|
|
}else{
|
|
this.inst.x = targetX;
|
|
this.inst.y = targetY;
|
|
this.inst.set_bbox_changed();
|
|
this.updateChildren();
|
|
}
|
|
if(this.openSound){
|
|
this.proui.playAudio(this.openSound);
|
|
}
|
|
};
|
|
behinstProto.postOpen = function (){
|
|
this.showOverlay();
|
|
};
|
|
behinstProto.getCloseTargetPosition = function (){
|
|
var X = this.inst.x;
|
|
var Y = this.inst.y;
|
|
if(this.closeAnimation == 2){ //SlideDown
|
|
Y = this.inst.layer.viewBottom + (this.inst.height/2) + 100;
|
|
X = this.inst.x;
|
|
}else if(this.closeAnimation == 3){ //SlideUp
|
|
Y = this.inst.layer.viewTop - (this.inst.height/2) - 100;
|
|
X = this.inst.x;
|
|
}else if(this.closeAnimation == 4){ //SlideLeft
|
|
X = this.inst.layer.viewLeft - (this.inst.width/2) - 100;
|
|
Y = this.inst.y;
|
|
}else if(this.closeAnimation == 5){ //SlideRight
|
|
X = this.inst.layer.viewRight + (this.inst.width/2) + 100;
|
|
Y = this.inst.y;
|
|
}
|
|
return {x:X,y:Y};
|
|
};
|
|
behinstProto.close = function ()
|
|
{
|
|
if(!this.isOpen || this.tween["isPlaying"] || this.tween_close["isPlaying"]){
|
|
return;
|
|
}
|
|
this.isOpen = false;
|
|
this.runtime.trigger(cr.behaviors.aekiro_dialog.prototype.cnds.onDialogClosed, this.inst);
|
|
if(this.overlay){
|
|
this.overlay.visible = false;
|
|
}
|
|
this.proui.removeDialog(this);
|
|
var target = this.getCloseTargetPosition();
|
|
var targetX = target.x;
|
|
var targetY = target.y;
|
|
if(this.closeAnimDuration == 0){ //If anim duration = 0 then we set animation to "no animation", otherwise wierd bug emerge
|
|
this.closeAnimation = 0
|
|
}
|
|
if(this.closeAnimation==2 || this.closeAnimation==3){ //SlideDown|SlideUp
|
|
this.tween_close["setObject"](this.inst);
|
|
this.tween_close["easing"](this.closeAnimTweenFunction);
|
|
this.tween_close["to"]({ y: targetY }, this.closeAnimDuration);
|
|
}else if(this.closeAnimation == 4 || this.closeAnimation == 5){ //SlideLeft|SlideRight
|
|
this.tween_close["setObject"](this.inst);
|
|
this.tween_close["easing"](this.closeAnimTweenFunction);
|
|
this.tween_close["to"]({ x: targetX }, this.closeAnimDuration);
|
|
}else if(this.closeAnimation == 6 || this.closeAnimation == 7){ //ScaleDown|ScaleUp
|
|
this.tween_close["setObject"](this.inst.layer);
|
|
this.tween_close["easing"](this.closeAnimTweenFunction);
|
|
if(this.closeAnimation == 6){ //ScaleDown
|
|
this.tween_close["to"]({ scale: 0.2 }, this.closeAnimDuration);
|
|
}else{ //ScaleUp
|
|
this.tween_close["to"]({ scale: 2 }, this.closeAnimDuration);
|
|
}
|
|
this.tween_opacity["setObject"](this.inst.layer);
|
|
this.tween_opacity["to"]({ opacity: 0 }, 300);
|
|
this.tween_opacity["easing"](TWEEN["Easing"]["Quartic"]["Out"]);
|
|
}
|
|
if(this.closeAnimation==1){//Reverse
|
|
this.tween["reverse"]();
|
|
if(this.openAnimation == 5 || this.openAnimation == 6){ //ScaleDown|ScaleUp
|
|
this.tween_opacity["reverse"]();
|
|
}
|
|
}else if(this.closeAnimation==0){//None
|
|
this.postClose();
|
|
}else{ //SlideDown|SlideUp|SlideLeft|SlideRight|ScaleDown|ScaleUp
|
|
this.tween_close["start"]();
|
|
if(this.closeAnimation == 6 || this.closeAnimation == 7){ //ScaleDown|ScaleUp
|
|
this.tween_opacity["start"]();
|
|
}
|
|
}
|
|
if(this.closeSound){
|
|
this.proui.playAudio(this.closeSound);
|
|
}
|
|
};
|
|
behinstProto.postClose = function (){
|
|
cr.system_object.prototype.acts.SetLayerVisible.call(this.runtime.system,this.inst.layer,false);
|
|
var layerInsts, self = this;
|
|
Object.keys(this.outLayerChildren).forEach(function(key) {
|
|
layerInsts = self.outLayerChildren[key];
|
|
for (var i = 0, l= layerInsts.length; i < l; i++) {
|
|
cr.system_object.prototype.acts.SetLayerVisible.call(self.runtime.system,layerInsts[i].layer,false);
|
|
}
|
|
});
|
|
this.inst.layer.scale = 1;
|
|
this.inst.layer.opacity = 1;
|
|
this.runtime.redraw = true;
|
|
var targetX = (this.inst.layer.viewLeft+this.inst.layer.viewRight)/2;
|
|
var targetY = this.inst.layer.viewTop - (this.inst.height/2) -100;
|
|
this.inst.x = targetX;
|
|
this.inst.y = targetY;
|
|
this.inst.set_bbox_changed();
|
|
this.updateChildren();
|
|
if(this.pauseOnOpen){
|
|
cr.system_object.prototype.acts.SetTimescale.call(this.runtime.system,this.prevTimescale);
|
|
}
|
|
if(this.runtime.timescale != 0){
|
|
this.setDialogTimeScale(-1); //-1 indicate game time (cf RestoreObjectTimescale in system.js)
|
|
}
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
this.proui.removeDialog(this);
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.onDialogOpened = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.onDialogClosed = function ()
|
|
{
|
|
return true;
|
|
};
|
|
Cnds.prototype.isOpened = function ()
|
|
{
|
|
return this.isOpen;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.Open = function (targetX,targetY,center)
|
|
{
|
|
this.open(targetX,targetY,center);
|
|
};
|
|
Acts.prototype.Close = function ()
|
|
{
|
|
this.close();
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.aekiro_gameobject2 = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.aekiro_gameobject2.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
if(!cr.goManager){
|
|
var runtime = this.runtime;
|
|
cr.goManager = {
|
|
gos : {},
|
|
toBeDestroyed : [],
|
|
addGO : function(inst){
|
|
if(!inst)return;
|
|
if(!inst.aekiro_gameobject2.name){
|
|
inst.aekiro_gameobject2.name = "o"+inst.uid;
|
|
}
|
|
/*if(!name){
|
|
console.error("Aekiro Hierarchy: object of uid=%s has no name !",inst.uid);
|
|
return;
|
|
}*/
|
|
var name = inst.aekiro_gameobject2.name;
|
|
if(this.gos.hasOwnProperty(name)){
|
|
console.error("Aekiro Hierarchy: GameObject already exist with name: %s !",name);
|
|
return;
|
|
}
|
|
this.gos[name] = inst;
|
|
},
|
|
removeGO : function(name){
|
|
delete this.gos[name];
|
|
},
|
|
clearDestroyList : function (){
|
|
var toBeDestroyed = this.toBeDestroyed;
|
|
for (var i = 0,l=toBeDestroyed.length; i < l; i++) {
|
|
runtime.DestroyInstance(toBeDestroyed[i]);
|
|
}
|
|
toBeDestroyed.length = 0;
|
|
},
|
|
createInst : function (objtype,_layer,x,y)
|
|
{
|
|
var layer = (typeof _layer == "number")?this.runtime.getLayerByNumber(_layer):(typeof _layer == "string")?this.runtime.getLayerByName(_layer):_layer;
|
|
var inst = runtime.createInstance(objtype,layer);
|
|
/*var sol = objtype.getCurrentSol();
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
sol.instances[0] = inst;*/
|
|
return inst;
|
|
},
|
|
clone : function (t_node,parent,layer, x, y){
|
|
cr.haltNext = true;
|
|
var inst = this.createInst(t_node.parent.type, layer);
|
|
cr.haltNext = false;
|
|
inst.type.plugin.acts.LoadFromJsonString.call(inst,t_node.parent.json);
|
|
inst.x = x;
|
|
inst.y = y;
|
|
inst.set_bbox_changed();
|
|
inst.update_bbox();
|
|
inst.aekiro_gameobject2.name = "";
|
|
inst.aekiro_gameobject2.onCreateInit();
|
|
if(parent){
|
|
inst.aekiro_gameobject2.parentName = parent.aekiro_gameobject2.name;
|
|
}
|
|
for (var i = 0, l= t_node.children.length; i < l; i++) {
|
|
this.clone(t_node.children[i], inst, layer, inst.bbox.left+t_node.children[i].parent.relX, inst.bbox.top+t_node.children[i].parent.relY);
|
|
}
|
|
inst.aekiro_gameobject2.init();
|
|
return inst;
|
|
}
|
|
}
|
|
}
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.goManager = cr.goManager;
|
|
this.name = this.properties[0];
|
|
this.parentName = this.properties[1];
|
|
this.firstFrame = true;
|
|
this.inst.aekiro_gameobject2 = this;
|
|
this.isInit = false;
|
|
this.areChildrenRegistred = false;
|
|
this.children = [];
|
|
if(!cr.haltNext){
|
|
this.onCreateInit();
|
|
}
|
|
};
|
|
behinstProto.onCreateInit = function(){
|
|
this.goManager.addGO(this.inst);
|
|
this.local = {x:0,y:0,angle:0};
|
|
this.inst.update_bbox();
|
|
this.prev = {
|
|
x : this.inst.x,
|
|
y : this.inst.y,
|
|
angle : this.inst.angle,
|
|
width: this.inst.width,
|
|
height: this.inst.height,
|
|
};
|
|
var set_bbox_changed_old = this.inst.set_bbox_changed;
|
|
this.inst.set_bbox_changed_old = this.inst.set_bbox_changed;
|
|
this.inst.set_bbox_changed = function(){
|
|
this.aekiro_gameobject2.local_update();
|
|
this.aekiro_gameobject2.children_update();
|
|
set_bbox_changed_old.call(this);
|
|
};
|
|
};
|
|
behinstProto.local_update = function(){
|
|
this.parent = this.parent_get();
|
|
if(this.parent){
|
|
var res = this.globalToLocal(this.inst,this.parent);
|
|
this.local.x = res.x;
|
|
this.local.y = res.y
|
|
this.local.angle = res.angle;
|
|
}
|
|
};
|
|
behinstProto.local_set = function(x,y,angle){
|
|
this.parent = this.parent_get();
|
|
if(this.parent){
|
|
var inst = this.inst;
|
|
if(x!=undefined)this.local.x = x;
|
|
if(y!=undefined)this.local.y = y;
|
|
if(angle!=undefined)this.local.angle = angle;
|
|
inst.x = this.parent.x + this.local.x*Math.cos(this.parent.angle) - this.local.y*Math.sin(this.parent.angle);
|
|
inst.y = this.parent.y + this.local.x*Math.sin(this.parent.angle) + this.local.y*Math.cos(this.parent.angle);
|
|
inst.angle = this.parent.angle + this.local.angle;
|
|
this.prev.x = inst.x;
|
|
this.prev.y = inst.y;
|
|
this.prev.angle = inst.angle;
|
|
this.children_update();
|
|
this.inst.set_bbox_changed_old();
|
|
}
|
|
};
|
|
behinstProto.children_add = function(inst){
|
|
var name,aekiro_gameobject2;
|
|
if (typeof inst === 'string'){ //add by child name
|
|
name = inst;
|
|
inst = null;
|
|
}else{
|
|
aekiro_gameobject2 = inst.aekiro_gameobject2;
|
|
if(!aekiro_gameobject2){
|
|
console.error("Aekiro GameObject: You're adding a child (uid=%s) without a gameobject behavior on it.",inst.uid);
|
|
return;
|
|
}
|
|
name = inst.aekiro_gameobject2.name;
|
|
}
|
|
inst = this.goManager.gos[name];
|
|
if(!inst){
|
|
console.error("Aekiro GameObject: Object of name : %s not found !",name);
|
|
return;
|
|
}
|
|
if(name == this.parentName){
|
|
console.error("Aekiro GameObject: Cannot add %s as a child of %s, because %s is its parent !",name,this.name,name);
|
|
return;
|
|
}
|
|
if(this.children.indexOf(inst) > -1){
|
|
console.error("Aekiro GameObject: Object %s already have a child named %s !",this.name,name);
|
|
return;
|
|
}
|
|
aekiro_gameobject2 = inst.aekiro_gameobject2;
|
|
aekiro_gameobject2.removeFromParent(); //if inst is already a child of another parent then remove it from its parent.
|
|
aekiro_gameobject2.parentName = this.name;
|
|
/*initial local.x should be computed using x of parent as it is in the editor
|
|
we use self.prev.x instead of self.inst.x otherwise and in case of a "set x" action that happens on "on start of layout"
|
|
the local.x will be computed used the new value set by "set x"
|
|
*/
|
|
/*aekiro_gameobject2.local.x = inst.x - this.prev.x ;
|
|
aekiro_gameobject2.local.y = inst.y - this.prev.y ;
|
|
aekiro_gameobject2.local.angle = inst.angle - this.prev.angle;*/
|
|
var res = this.globalToLocal2(inst,this.prev.x,this.prev.y,this.prev.angle);
|
|
aekiro_gameobject2.local.x = res.x;
|
|
aekiro_gameobject2.local.y = res.y
|
|
aekiro_gameobject2.local.angle = res.angle;
|
|
this.children.push(inst);
|
|
};
|
|
behinstProto.children_remove = function(inst){
|
|
var index = -1;
|
|
if (typeof inst === 'string'){ //remove by child name
|
|
for (var i = 0, l= this.children.length; i < l; i++) {
|
|
if(this.children[i].aekiro_gameobject2.name==inst){
|
|
index = i;
|
|
break;
|
|
}
|
|
}
|
|
}else{
|
|
index = this.children.indexOf(inst);
|
|
}
|
|
if(index!=-1){
|
|
this.children[index].aekiro_gameobject2.parentName = "";
|
|
this.children[index].aekiro_gameobject2.parent = null;
|
|
this.children.splice(index, 1);
|
|
}
|
|
};
|
|
behinstProto.children_update = function ()
|
|
{
|
|
if(!this.areChildrenRegistred)
|
|
this.registerChildren();
|
|
this.prev.x = this.inst.x;
|
|
this.prev.y = this.inst.y;
|
|
this.prev.angle = this.inst.angle;
|
|
if(!this.children.length)
|
|
return;
|
|
var parent_inst = this.inst;
|
|
parent_inst.width = parent_inst.width==0?0.1:parent_inst.width;
|
|
parent_inst.height = parent_inst.height==0?0.1:parent_inst.height;
|
|
var wf = parent_inst.width/this.prev.width;
|
|
var hf = parent_inst.height/this.prev.height;
|
|
this.prev.width = parent_inst.width;
|
|
this.prev.height = parent_inst.height;
|
|
var inst, goManager = this.goManager;
|
|
for (var i = 0, l= this.children.length; i < l; i++) {
|
|
inst = this.children[i];
|
|
if(wf!=1){
|
|
inst.width *= wf;
|
|
inst.aekiro_gameobject2.local.x *=wf;
|
|
}
|
|
if(hf!=1){
|
|
inst.height *= hf;
|
|
inst.aekiro_gameobject2.local.y *=hf;
|
|
}
|
|
inst.x = parent_inst.x + inst.aekiro_gameobject2.local.x*Math.cos(parent_inst.angle) - inst.aekiro_gameobject2.local.y*Math.sin(parent_inst.angle);
|
|
inst.y = parent_inst.y + inst.aekiro_gameobject2.local.x*Math.sin(parent_inst.angle) + inst.aekiro_gameobject2.local.y*Math.cos(parent_inst.angle);
|
|
inst.angle = parent_inst.angle + inst.aekiro_gameobject2.local.angle;
|
|
inst.aekiro_gameobject2.prev.x = inst.x;
|
|
inst.aekiro_gameobject2.prev.y = inst.y;
|
|
inst.aekiro_gameobject2.prev.angle = inst.angle;
|
|
inst.set_bbox_changed_old();
|
|
inst.aekiro_gameobject2.children_update();
|
|
}
|
|
};
|
|
behinstProto.scopeToParent = function (local,parent_inst){
|
|
var res = {};
|
|
res.x = parent_inst.x + local.x*Math.cos(parent_inst.angle) - local.y*Math.sin(parent_inst.angle);
|
|
res.y = parent_inst.y + local.x*Math.sin(parent_inst.angle) + local.y*Math.cos(parent_inst.angle);
|
|
res.angle = parent_inst.angle + local.angle;
|
|
return res;
|
|
};
|
|
behinstProto.localToGlobal = function (){
|
|
let parent = this.parent_get();
|
|
var local = this.local;
|
|
var res = {};
|
|
if (!parent) {
|
|
return {
|
|
x: this.inst.x,
|
|
y: this.inst.y,
|
|
angle: this.inst.angle
|
|
}
|
|
}
|
|
while (parent) {
|
|
res.x = parent.x + local.x*Math.cos(parent.angle) - local.y*Math.sin(parent.angle);
|
|
res.y = parent.y + local.x*Math.sin(parent.angle) + local.y*Math.cos(parent.angle);
|
|
res.angle = parent.angle + local.angle;
|
|
local = {
|
|
x: res.x,
|
|
y: res.y,
|
|
angle: res.angle
|
|
}
|
|
parent = parent.aekiro_gameobject2.parent_get();
|
|
}
|
|
return res;
|
|
};
|
|
behinstProto.globalToLocal = function (inst,parent_inst){
|
|
var res = {};
|
|
res.x = (inst.x-parent_inst.x)*Math.cos(parent_inst.angle) + (inst.y-parent_inst.y)*Math.sin(parent_inst.angle);
|
|
res.y = -(inst.x-parent_inst.x)*Math.sin(parent_inst.angle) + (inst.y-parent_inst.y)*Math.cos(parent_inst.angle);
|
|
res.angle = inst.angle - parent_inst.angle;
|
|
return res;
|
|
};
|
|
behinstProto.globalToLocal2 = function (inst,p_x,p_y,p_angle){
|
|
var res = {};
|
|
res.x = (inst.x-p_x)*Math.cos(p_angle) + (inst.y-p_y)*Math.sin(p_angle);
|
|
res.y = -(inst.x-p_x)*Math.sin(p_angle) + (inst.y-p_y)*Math.cos(p_angle);
|
|
res.angle = inst.angle - p_angle;
|
|
return res;
|
|
};
|
|
behinstProto.registerChildren = function (){
|
|
if(this.areChildrenRegistred)
|
|
return;
|
|
var gos = this.goManager.gos;
|
|
var go;
|
|
var self = this;
|
|
if(this.name){
|
|
Object.keys(gos).forEach(function(key) {
|
|
go = gos[key];
|
|
if(go.aekiro_gameobject2.parentName == self.name){
|
|
self.children_add(go);
|
|
go.aekiro_gameobject2.registerChildren();
|
|
}
|
|
});
|
|
}
|
|
this.areChildrenRegistred = true;
|
|
console.log("registerChildren");
|
|
};
|
|
behinstProto.init = function (){
|
|
if(this.isInit){
|
|
return;
|
|
}
|
|
this.registerChildren();
|
|
this.children_update();
|
|
this.isInit = true;
|
|
this.setVisible(this.inst.visible);
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if(this.firstFrame){
|
|
this.firstFrame = false;
|
|
this.init();
|
|
}
|
|
};
|
|
behinstProto.tick2 = function ()
|
|
{
|
|
};
|
|
behinstProto.setVisible = function (isVisible){
|
|
this.init();
|
|
this.inst.type.plugin.acts.SetVisible.call(this.inst,isVisible);
|
|
var children = this.children;
|
|
for (var i = 0, l= children.length; i < l; i++) {
|
|
children[i].aekiro_gameobject2.setVisible(isVisible);
|
|
}
|
|
};
|
|
behinstProto.setOpacity = function (v){
|
|
this.init();
|
|
var SetOpacity = this.inst.type.plugin.acts.SetOpacity;
|
|
SetOpacity.call(this.inst,v);
|
|
var children = this.children;
|
|
for (var i = 0, l= children.length; i < l; i++) {
|
|
children[i].aekiro_gameobject2.setOpacity(v);
|
|
}
|
|
};
|
|
behinstProto.getTemplate = function (node,parent,template){
|
|
this.init();
|
|
if(!node){
|
|
node = this.inst;
|
|
}
|
|
if(!template){
|
|
template = [];
|
|
}
|
|
if(parent){
|
|
parent.update_bbox();
|
|
}
|
|
template.push({
|
|
parent:{
|
|
type: node.type,
|
|
relX: parent?node.x - parent.bbox.left:null,
|
|
relY: parent?node.y - parent.bbox.top:null,
|
|
json:JSON.stringify(this.runtime.saveInstanceToJSON(node, true))
|
|
},
|
|
children:[]
|
|
});
|
|
var children = node.aekiro_gameobject2.children;
|
|
for (var i = 0, l= children.length; i < l; i++) {
|
|
this.getTemplate(children[i],node,template[template.length-1].children);
|
|
}
|
|
return template[0];
|
|
};
|
|
behinstProto.parent_get = function ()
|
|
{
|
|
if(!this.parent && this.parentName && this.name){
|
|
this.parent = this.goManager.gos[this.parentName];
|
|
}
|
|
return this.parent;
|
|
};
|
|
behinstProto.removeFromParent = function ()
|
|
{
|
|
this.parent = this.parent_get();
|
|
if(this.parent){
|
|
this.parent.aekiro_gameobject2.children_remove(this.inst);
|
|
}
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
var goManager = this.goManager;
|
|
if(!this.runtime.changelayout){
|
|
for (var i = 0,l=this.children.length; i < l; i++) {
|
|
goManager.toBeDestroyed.push(this.children[i]);
|
|
}
|
|
setTimeout(function(){ goManager.clearDestroyList(); }, 0);
|
|
}
|
|
this.children.length = 0;
|
|
goManager.removeGO(this.name);
|
|
this.inst.set_bbox_changed = this.inst.set_bbox_changed_old;
|
|
this.removeFromParent();
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsName = function (name){
|
|
return (name == this.name);
|
|
};
|
|
Cnds.prototype.IsParent = function (name){
|
|
return (name == this.parentName);
|
|
};
|
|
Cnds.prototype.OnCloned = function ()
|
|
{
|
|
return true;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.Clone = function (layer,x,y)
|
|
{
|
|
var template = [];
|
|
template = this.getTemplate(this.inst);
|
|
var inst = this.goManager.clone(template,null,layer,x,y);
|
|
this.runtime.trigger(cr.behaviors.aekiro_gameobject2.prototype.cnds.OnCloned, inst);
|
|
/*var sol = inst.type.getCurrentSol();
|
|
sol.select_all = false;
|
|
cr.clearArray(sol.instances);
|
|
sol.instances[0] = inst;*/
|
|
};
|
|
Acts.prototype.SetVisible = function (isVisible)
|
|
{
|
|
this.setVisible(isVisible);
|
|
};
|
|
Acts.prototype.SetOpacity = function (v)
|
|
{
|
|
this.setOpacity(v);
|
|
};
|
|
Acts.prototype.AddChildrenFromLayer = function (_layer)
|
|
{
|
|
this.init();
|
|
var layer = (typeof _layer == "number")?this.runtime.getLayerByNumber(_layer):(typeof _layer == "string")?this.runtime.getLayerByName(_layer):_layer;
|
|
var inst, name;
|
|
for (var i = 0, l= layer.instances.length; i < l; i++) {
|
|
this.children_add(layer.instances[i]);
|
|
}
|
|
};
|
|
Acts.prototype.AddChildrenFromType = function (type)
|
|
{
|
|
if (!type)
|
|
return;
|
|
var instances = type.getCurrentSol().getObjects();
|
|
for (var i = 0, l= instances.length; i < l; i++) {
|
|
this.children_add(instances[i]);
|
|
}
|
|
};
|
|
Acts.prototype.AddChildByName = function (name)
|
|
{
|
|
this.children_add(name);
|
|
};
|
|
Acts.prototype.SetLocalPosition = function (x,y)
|
|
{
|
|
this.local_set(x,y);
|
|
};
|
|
Acts.prototype.SetLocal = function (prop,value)
|
|
{
|
|
if(prop==0){
|
|
this.local_set(value);//x
|
|
}else if(prop==1){
|
|
this.local_set(null,value);//y
|
|
}else if(prop==2){
|
|
this.local_set(null,null,value);//angle
|
|
}
|
|
};
|
|
Acts.prototype.RemoveChildByName = function (name)
|
|
{
|
|
this.children_remove(name);
|
|
};
|
|
Acts.prototype.RemoveChildByType = function (type)
|
|
{
|
|
if (!type)
|
|
return;
|
|
var instances = type.getCurrentSol().getObjects();
|
|
for (var i = 0, l= instances.length; i < l; i++) {
|
|
this.children_remove(instances[i]);
|
|
}
|
|
};
|
|
Acts.prototype.RemoveFromParent = function ()
|
|
{
|
|
this.removeFromParent();
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.name = function (ret)
|
|
{
|
|
ret.set_string(this.name);
|
|
};
|
|
Exps.prototype.parent = function (ret)
|
|
{
|
|
ret.set_string(this.parentName);
|
|
};
|
|
Exps.prototype.local = function (ret,prop)
|
|
{
|
|
if(!this.parent_get()){
|
|
ret.set_float(0);
|
|
}else{
|
|
if(prop=="x"){
|
|
ret.set_float(this.local.x);
|
|
}else if(prop=="y"){
|
|
ret.set_float(this.local.y);
|
|
}else if(prop=="angle"){
|
|
ret.set_float(this.local.angle);
|
|
}else{
|
|
ret.set_float(0);
|
|
}
|
|
}
|
|
};
|
|
Exps.prototype.global = function (ret,prop)
|
|
{
|
|
var parent = this.parent_get();
|
|
if(!parent){
|
|
if(prop === "x") {
|
|
ret.set_float(this.inst.x);
|
|
} else if(prop === "y") {
|
|
ret.set_float(this.inst.y);
|
|
} else if(prop === "angle") {
|
|
ret.set_float(this.inst.angle);
|
|
} else {
|
|
ret.set_float(0);
|
|
}
|
|
}else{
|
|
let global = this.localToGlobal();
|
|
if(prop === "x") {
|
|
ret.set_float(global.x);
|
|
} else if(prop === "y") {
|
|
ret.set_float(global.y);
|
|
} else if(prop === "angle") {
|
|
ret.set_float(global.angle);
|
|
} else {
|
|
ret.set_float(0);
|
|
}
|
|
}
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.aekiro_gridView = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.aekiro_gridView.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
if(!cr.proui){
|
|
throw new Error("ProUI Plugin not found. Please add it to the project.");
|
|
return;
|
|
}
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.proui = cr.proui;
|
|
this.proui.isTypeValid(this.inst,[cr.plugins_.Sprite,cr.plugins_.NinePatch,cr.plugins_.TiledBg],"ProUI-GRIDVIEW: GridView behavior is only applicable to Sprite Or 9-patch objects.");
|
|
this.itemUID = this.properties[0];
|
|
this.columns = this.properties[1];
|
|
this.rows = this.properties[2];
|
|
this.vspace = this.properties[3];
|
|
this.hspace = this.properties[4];
|
|
this.VPadding = this.properties[5];
|
|
this.HPadding = this.properties[6];
|
|
this.dialogUID = this.properties[7];
|
|
this.firstFrame = true;
|
|
this.inst.uiType = "gridView";
|
|
this.uiType = "gridView";
|
|
this.inst._proui = this;
|
|
this.dpos = {};
|
|
this.template = {};
|
|
this.isTemplateSet = false;
|
|
this.value = [];
|
|
this.items = [];
|
|
this.isViewBuilt = false;
|
|
this.it_column = 0; //column iterator
|
|
this.it_row = 0; //row iterator
|
|
this.firstUpdateView = false;
|
|
this.scrollView = null;
|
|
this.isScrollViewInit = false;
|
|
this.triggerRenderTickCt = 0;
|
|
this.triggerRenderTickMax = 4;
|
|
};
|
|
behinstProto.updateFromModel = function (){
|
|
var modelB = this.inst.proui_model;
|
|
if(modelB){
|
|
var value = modelB.getFromModel();
|
|
if(value == null){
|
|
return;
|
|
}
|
|
if(!isArray(value)){
|
|
console.error("ProUI-GRIDVIEW: The value at the key %s of the model of uid= %s, is not an array !",modelB.modelKey,modelB.modelUID);
|
|
return;
|
|
}
|
|
this.value = value;
|
|
}
|
|
};
|
|
behinstProto._setValue = function (value, options){
|
|
if(value == null){
|
|
value = [];
|
|
}
|
|
if(!isArray(value)){
|
|
var modelB = this.inst.proui_model;
|
|
console.error("ProUI-GRIDVIEW: The value at the key %s of the model of uid= %s, is not an array !",modelB.modelKey,modelB.modelUID);
|
|
return;
|
|
}
|
|
this.value = value;
|
|
this.updateView(options);
|
|
};
|
|
behinstProto.setItemTemplate = function (){
|
|
if(this.isTemplateSet){
|
|
return;
|
|
}
|
|
this.setTemplateVisible(true);
|
|
var item = this.proui.tags[this.itemUID];
|
|
if(!item){
|
|
throw new Error("ProUI-GRIDVIEW: Grid item not found, please check gridItem uid");
|
|
return;
|
|
}
|
|
this.proui.isTypeValid(item,[cr.plugins_.Sprite,cr.plugins_.NinePatch,cr.plugins_.TiledBg],"ProUI-GRIDVIEW: Grid item can only be a Sprite Or 9-patch object.");
|
|
item.uiType = "gridItem";
|
|
item.update_bbox();
|
|
this.template.item = {};
|
|
this.template.item.type = item.type;
|
|
this.template.item.width = item.width;
|
|
this.template.item.height = item.height;
|
|
this.template.item.uiType = "gridItem";
|
|
this.template.item.offsetX = item.x - item.bbox.left;
|
|
this.template.item.offsetY = item.y - item.bbox.top;
|
|
this.template.item.json = JSON.stringify(this.runtime.saveInstanceToJSON(item, true));
|
|
this.template.subs = []; //subitems
|
|
var inst, inst_template;
|
|
/* on firstframe the gridview update its view. the issue is that setTemplate might happens before the sliderbar set the slider button
|
|
with isSubComp == true and then get saved in the template.
|
|
*/
|
|
for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
if (inst.uiType == "discreteProgress" || inst.uiType == "sliderbar" || inst.uiType == "progress" || inst.uiType == "scrollView"){
|
|
inst._proui.init();
|
|
}
|
|
}
|
|
for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
if ( inst.uiType == "gridView" || inst.uiType == "gridItem" || inst.uiType == "dialog" || inst.uiType == "scrollView" || inst.uiType == "radiobutton" || inst.uiType == "scrollBar" || inst.uiType == "slider")
|
|
continue;
|
|
if(inst.isSubComp === true){
|
|
continue;
|
|
}
|
|
inst_template = null;
|
|
if(inst.uiType == "radiogroup" || inst.uiType == "discreteProgress" || inst.uiType == "sliderbar"){
|
|
inst_template = inst._proui.getTemplate();
|
|
}
|
|
this.template.subs.push({
|
|
type : inst.type,
|
|
relX: inst.x - item.bbox.left,
|
|
relY: inst.y - item.bbox.top,
|
|
json: JSON.stringify(this.runtime.saveInstanceToJSON(inst, true)),
|
|
bindkey: inst.proui_bind?inst.proui_bind.bind_key:"",
|
|
template: inst_template
|
|
});
|
|
}
|
|
this.isTemplateSet = true;
|
|
for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
if ( inst.uiType == "gridView" || inst.uiType == "dialog" || inst.uiType == "scrollView" || inst.uiType == "radiobutton" || inst.uiType == "scrollBar" || inst.uiType == "slider" || inst.isSubComp === true)
|
|
continue;
|
|
this.runtime.DestroyInstance(inst);
|
|
}
|
|
};
|
|
behinstProto.initScrollView = function (){
|
|
if(this.isScrollViewInit){
|
|
return;
|
|
}
|
|
var inst;
|
|
for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
if ( inst.uiType == "scrollView"){
|
|
inst._proui.init();
|
|
this.isScrollViewInit = true;
|
|
return;
|
|
}
|
|
}
|
|
};
|
|
behinstProto.updateView = function (options){
|
|
if(this.rows<=0 && this.columns<=0){
|
|
console.error("ProUI-GRIDVIEW: max rows and max columns can't be both -1 or 0");
|
|
return;
|
|
}
|
|
this.initScrollView();
|
|
this.setItemTemplate();
|
|
this.inst.update_bbox();
|
|
this.initBboxTop = this.inst.bbox.top;
|
|
this.initBboxLeft = this.inst.bbox.left;
|
|
if(this.value.length == 0){
|
|
this.clear();
|
|
}else if(options.op == 2){ //load
|
|
this.build();
|
|
}else if(options.op == 1){//push
|
|
if(this.rows>0 && this.columns>0 && this.it_row==this.rows){
|
|
return;
|
|
}
|
|
this.add(this.value.length-1);
|
|
this.nextRowColumn();
|
|
this.resize();
|
|
}else if(options.op == -1){ //remove
|
|
this.remove(options.idx);
|
|
}else if(options.op == 3){ //insert
|
|
this.build();
|
|
}else if(options.op == 4){ //edit
|
|
this.edit(options.key,options.value);
|
|
}
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
this.dpos.dx = 0;
|
|
this.dpos.dy = 0;
|
|
if(this.scrollView){
|
|
this.scrollView.postGridviewUpdate();
|
|
}
|
|
if(this.firstUpdateView){
|
|
this.runtime.trigger(cr.behaviors.aekiro_gridView.prototype.cnds.OnRender, this.inst);
|
|
}
|
|
this.firstUpdateView = true;
|
|
};
|
|
behinstProto.edit = function (key,value){
|
|
var modelB = this.inst.proui_model;
|
|
var modelKey = modelB.modelKey;
|
|
var itemIndex = 0;
|
|
var subKey;
|
|
if(key.slice(0, modelKey.length+1) == (modelKey+".") ){ //make sure that key is a subkey of this.modelKey and not the opposite
|
|
var keys = key.slice(modelKey.length+1);//extract the part after the modelkey (0.coinValue)
|
|
var keysArray = keys.split(".");
|
|
if(keysArray.length>1){
|
|
itemIndex = keysArray[0];
|
|
subKey = keys.slice(itemIndex.length+1);
|
|
var item = this.items[itemIndex];
|
|
if(!item){
|
|
return;
|
|
}
|
|
for (var j = 0,m=item.subs.length; j < m; j++) {
|
|
var subItem = item.subs[j];
|
|
if(subItem.proui_bind && subItem.proui_bind.bind_key == subKey){
|
|
subItem.proui_bind.setValue(value);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
};
|
|
behinstProto.clear = function (){
|
|
for (var i = 0,l=this.items.length; i < l; i++) {
|
|
this.runtime.DestroyInstance(this.items[i].parent);
|
|
for (var j = 0,m=this.items[i].subs.length; j < m; j++) {
|
|
this.runtime.DestroyInstance(this.items[i].subs[j]);
|
|
}
|
|
}
|
|
this.items.length = 0;
|
|
this.it_column = 0; //column iterator
|
|
this.it_row = 0; //row iterator
|
|
this.inst.width = 5;
|
|
this.inst.height = 5;
|
|
this.inst.set_bbox_changed();
|
|
this.inst.update_bbox();
|
|
this.inst.x = this.initBboxLeft + (this.inst.x-this.inst.bbox.left);
|
|
this.inst.y = this.initBboxTop + (this.inst.y-this.inst.bbox.top);
|
|
this.inst.set_bbox_changed();
|
|
};
|
|
behinstProto.resize = function (){
|
|
var row = Math.ceil(this.value.length/this.columns);
|
|
var column = Math.ceil(this.value.length/this.rows);
|
|
if(this.rows<0){
|
|
column = this.columns;
|
|
if(this.value.length<this.columns){
|
|
column = this.value.length;
|
|
}
|
|
}else if(this.columns<0){
|
|
row = this.rows;
|
|
if(this.value.length<this.rows){
|
|
row = this.value.length;
|
|
}
|
|
}else{
|
|
column = this.columns;
|
|
row = this.rows;
|
|
}
|
|
this.inst.update_bbox();
|
|
var prevBboxTop = this.inst.bbox.top;
|
|
var prevBboxLeft = this.inst.bbox.left;
|
|
this.inst.width = this.template.item.width*column+this.vspace*(column-1)+2*this.HPadding;
|
|
this.inst.height = this.template.item.height*row+this.hspace*(row-1)+2*this.VPadding;
|
|
this.inst.set_bbox_changed();
|
|
this.inst.update_bbox();
|
|
this.inst.x = prevBboxLeft + (this.inst.x-this.inst.bbox.left);
|
|
this.inst.y = prevBboxTop + (this.inst.y-this.inst.bbox.top);
|
|
this.inst.set_bbox_changed();
|
|
if(this.scrollView){
|
|
this.scrollView.contentDpos.prev_x = this.inst.x;
|
|
this.scrollView.contentDpos.prev_y = this.inst.y;
|
|
}
|
|
};
|
|
behinstProto.build = function (){
|
|
if(this.items.length!=0 && this.value.length == this.items.length){
|
|
for (var itemIndex = 0; itemIndex < this.value.length; itemIndex++) {
|
|
this.mapData(itemIndex);
|
|
}
|
|
}else{
|
|
this.clear();
|
|
for (var itemIndex = 0; itemIndex < this.value.length; itemIndex++) {
|
|
this.add(itemIndex);
|
|
if(!this.nextRowColumn()){
|
|
break;
|
|
}
|
|
}
|
|
this.resize();
|
|
}
|
|
};
|
|
behinstProto.mapData = function (itemIndex){
|
|
var item = this.items[itemIndex];
|
|
var subItem, temp_subItem;
|
|
for (var k = 0,l=item.subs.length; k < l; k++) {
|
|
temp_subItem = this.template.subs[k];
|
|
subItem = item.subs[k];
|
|
if(subItem.proui_bind && isObject(this.value[itemIndex])){
|
|
var temp_subItemKey = temp_subItem.bindkey;
|
|
if(temp_subItemKey){
|
|
var subItemValue = getValueByKeyString(this.value[itemIndex],temp_subItemKey);
|
|
if(subItemValue!= undefined){
|
|
subItem.proui_bind.setValue(subItemValue);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
};
|
|
behinstProto.add = function (itemIndex){
|
|
var item;
|
|
var modelB = this.inst.proui_model;
|
|
this.inst.update_bbox();
|
|
this.runtime.extra.notRegister = true;
|
|
item = this.runtime.createInstance(this.template.item.type, this.inst.layer);
|
|
this.template.item.type.plugin.acts.LoadFromJsonString.call(item,this.template.item.json);
|
|
item.x = this.inst.bbox.left + this.template.item.offsetX + (this.vspace+item.width)*this.it_column + this.HPadding;
|
|
item.y = this.inst.bbox.top + this.template.item.offsetY + (this.hspace+item.height)*this.it_row + this.VPadding;
|
|
item.set_bbox_changed();
|
|
item.update_bbox();
|
|
this.items.push({parent:item,subs:[]});
|
|
if(item.proui_bind){
|
|
item.proui_bind.index = itemIndex;
|
|
}
|
|
var subItem, temp_subItem;
|
|
for (var k = 0,l=this.template.subs.length; k < l; k++) {
|
|
temp_subItem = this.template.subs[k];
|
|
subItem = this.runtime.createInstance(temp_subItem.type, this.inst.layer);
|
|
temp_subItem.type.plugin.acts.LoadFromJsonString.call(subItem,temp_subItem.json);
|
|
subItem.x = item.bbox.left + temp_subItem.relX;
|
|
subItem.y = item.bbox.top + temp_subItem.relY;
|
|
subItem.set_bbox_changed();
|
|
if(subItem.type.plugin.acts.SetEffect){
|
|
subItem.type.plugin.acts.SetEffect.call(subItem,9);
|
|
}
|
|
if(subItem.proui_model){
|
|
subItem.proui_model.modelUID = null;
|
|
subItem.proui_model.modelKey = null;
|
|
}
|
|
if(subItem._proui){
|
|
subItem._proui.isValidModel = false;
|
|
if(subItem._proui.compParent != undefined){
|
|
subItem._proui.compParent = this; //cf checkbox
|
|
}
|
|
}
|
|
this.items[itemIndex].subs.push(subItem);
|
|
if(subItem.uiType == "radiogroup" || subItem.uiType == "discreteProgress" || subItem.uiType == "sliderbar"){
|
|
subItem._proui.clone(temp_subItem.template);
|
|
}
|
|
var temp_subItemKey, subItemValue;
|
|
if(subItem.proui_bind && isObject(this.value[itemIndex])){
|
|
temp_subItemKey = temp_subItem.bindkey;
|
|
if(temp_subItemKey){
|
|
if(subItem.uiType == "checkbox" || subItem.uiType == "radiogroup" || subItem.uiType == "sliderbar"){
|
|
subItem.proui_bind.deepKey = modelB.modelKey+"."+itemIndex+"."+temp_subItemKey;
|
|
subItem.proui_bind.model = modelB.model;
|
|
}
|
|
subItemValue = getValueByKeyString(this.value[itemIndex],temp_subItemKey);
|
|
if(subItemValue!= undefined){
|
|
subItem.proui_bind.setValue(subItemValue);
|
|
}
|
|
}
|
|
subItem.proui_bind.index = itemIndex;
|
|
}
|
|
}
|
|
this.runtime.extra.notRegister = false;
|
|
};
|
|
behinstProto.nextRowColumn = function (){
|
|
if(this.rows<0){
|
|
this.it_column++;
|
|
if(this.it_column == this.columns){
|
|
this.it_column = 0;
|
|
this.it_row++;
|
|
}
|
|
}else if(this.columns<0){
|
|
this.it_row++;
|
|
if(this.it_row == this.rows){
|
|
this.it_row = 0;
|
|
this.it_column++;
|
|
}
|
|
}else{
|
|
this.it_column++;
|
|
if(this.it_column == this.columns){
|
|
this.it_column = 0;
|
|
this.it_row++;
|
|
}
|
|
if(this.it_row == this.rows)
|
|
return false;
|
|
}
|
|
return true;
|
|
};
|
|
behinstProto.previousRowColumn = function (){
|
|
if(this.rows<0){
|
|
this.it_column--;
|
|
if(this.it_column < 0){
|
|
this.it_column = this.columns-1;
|
|
this.it_row--;
|
|
}
|
|
}else if(this.columns<0){
|
|
this.it_row--;
|
|
if(this.it_row < 0){
|
|
this.it_row = this.rows-1;
|
|
this.it_column--;
|
|
}
|
|
}else{
|
|
this.it_column--;
|
|
if(this.it_column < 0){
|
|
this.it_column = this.columns-1;
|
|
this.it_row--;
|
|
}
|
|
if(this.it_row == 0)
|
|
return false;
|
|
}
|
|
return true;
|
|
};
|
|
behinstProto.remove = function (itemIndex){
|
|
var prev_x, prev_y, temp_x, temp_y, subItem, temp_subItem,temp_subItemKey, parent;
|
|
var modelB = this.inst.proui_model;
|
|
for (var i = itemIndex, l=this.items.length; i < l; i++) {
|
|
parent = this.items[i].parent;
|
|
if(i == itemIndex){
|
|
prev_x = parent.x;
|
|
prev_y = parent.y;
|
|
this.runtime.DestroyInstance(parent);
|
|
for (var j = 0,m=this.items[i].subs.length; j < m; j++) {
|
|
this.runtime.DestroyInstance(this.items[i].subs[j]);
|
|
}
|
|
}else{
|
|
temp_x = parent.x;
|
|
temp_y = parent.y;
|
|
parent.x = prev_x;
|
|
parent.y = prev_y;
|
|
prev_x = temp_x;
|
|
prev_y = temp_y;
|
|
parent.set_bbox_changed();
|
|
parent.update_bbox();
|
|
for (var j = 0,m=this.items[i].subs.length; j < m; j++) {
|
|
temp_subItem = this.template.subs[j];
|
|
subItem = this.items[i].subs[j];
|
|
subItem.x = parent.bbox.left + temp_subItem.relX;
|
|
subItem.y = parent.bbox.top + temp_subItem.relY;
|
|
subItem.set_bbox_changed();
|
|
if( subItem.proui_bind && isObject(this.value[itemIndex])){
|
|
subItem.proui_bind.index--;
|
|
temp_subItemKey = temp_subItem.bindkey;
|
|
if(temp_subItemKey){
|
|
if(subItem.uiType == "checkbox" || subItem.uiType == "radiogroup" || subItem.uiType == "sliderbar"){
|
|
subItem.proui_bind.deepKey = modelB.modelKey+"."+subItem.proui_bind.index+"."+temp_subItemKey;
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
this.items.splice(itemIndex, 1);
|
|
this.previousRowColumn();
|
|
this.resize();
|
|
if(this.rows>0 && this.columns>0){
|
|
var itemsCount = this.rows * this.columns;
|
|
if(this.value.length>=itemsCount){
|
|
this.add(itemsCount-1);
|
|
this.nextRowColumn();
|
|
this.resize();
|
|
}
|
|
}
|
|
};
|
|
behinstProto.setTemplateVisible = function (isVisible){
|
|
if(this.isTemplateSet)
|
|
return;
|
|
var inst;
|
|
/* on firstframe the gridview update its view. the issue is that setTemplate might happens before the sliderbar set the slider button
|
|
with isSubComp == true and then get saved in the template.
|
|
*/
|
|
for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
if (inst.uiType == "discreteProgress" || inst.uiType == "sliderbar" || inst.uiType == "progress" || inst.uiType == "scrollView"){
|
|
inst._proui.init();
|
|
}
|
|
}
|
|
/*for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
if ( inst && (inst.uiType == "gridView" || inst.uiType == "dialog" || inst.uiType == "scrollView" || inst.uiType == "scrollBar" || inst.uiType == "slider") )
|
|
continue;
|
|
inst.visible = isVisible;
|
|
}*/
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if(this.firstFrame){
|
|
this.firstFrame = false;
|
|
this.setTemplateVisible(false);
|
|
var dialog = this.proui.tags[this.dialogUID];
|
|
if(dialog && (dialog.uiType == "dialog") && dialog._proui){
|
|
if(!dialog._proui.outLayerChildren[this.inst.layer.name]){
|
|
dialog._proui.outLayerChildren[this.inst.layer.name] = [];
|
|
}
|
|
dialog._proui.outLayerChildren[this.inst.layer.name].push(this.inst);
|
|
}
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
this.dpos.dx = 0;
|
|
this.dpos.dy = 0;
|
|
this.updateFromModel();
|
|
if(!this.firstUpdateView){
|
|
this.updateView({op:2});
|
|
}
|
|
}
|
|
/*if(this.triggerRenderTickCt != 0){
|
|
this.triggerRenderTickCt++;
|
|
if(this.triggerRenderTickCt == this.triggerRenderTickMax){
|
|
this.triggerRenderTickCt = 0;
|
|
this.runtime.trigger(cr.behaviors.aekiro_gridView.prototype.cnds.OnRender, this.inst);
|
|
console.log("trigger render");
|
|
}
|
|
}*/
|
|
};
|
|
behinstProto.updateChildren = function ()
|
|
{
|
|
if(isNaN(this.dpos.prev_x)){
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
}
|
|
this.dpos.dx = this.inst.x - this.dpos.prev_x;
|
|
this.dpos.dy = this.inst.y - this.dpos.prev_y;
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
var inst;
|
|
if( (this.dpos.dx != 0) || (this.dpos.dy != 0) ){
|
|
for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
if ( inst.isSubComp===true || (inst.uiType == "gridView") || (inst.uiType == "dialog") || (inst.uiType == "scrollView") || (inst.uiType == "scrollBar") || (inst.uiType == "slider"))
|
|
continue;
|
|
inst.x += this.dpos.dx;
|
|
inst.y += this.dpos.dy;
|
|
inst.set_bbox_changed();
|
|
}
|
|
}
|
|
};
|
|
behinstProto.tick2 = function ()
|
|
{
|
|
this.updateChildren();
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
var isObject = function(a) {
|
|
return (!!a) && (a.constructor === Object);
|
|
};
|
|
var isArray = function(a) {
|
|
return (!!a) && (a.constructor === Array);
|
|
};
|
|
var getValueByKeyString = function(o, s) {
|
|
s = s.replace(/\[(\w+)\]/g, '.$1'); // convert indexes to properties
|
|
s = s.replace(/^\./, ''); // strip a leading dot
|
|
var a = s.split('.');
|
|
for (var i = 0, n = a.length; i < n; ++i) {
|
|
var k = a[i];
|
|
if (k in o) {
|
|
o = o[k];
|
|
} else {
|
|
return;
|
|
}
|
|
}
|
|
return o;
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.OnRender = function (){
|
|
return true;
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.aekiro_modelB = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.aekiro_modelB.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
if(!cr.proui){
|
|
throw new Error("ProUI Plugin not found. Please add it to the project.");
|
|
return;
|
|
}
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.proui = cr.proui;
|
|
this.modelUID = this.properties[0];
|
|
this.modelKey = this.properties[1];
|
|
this.model = this.proui.tags[this.modelUID];
|
|
this.model = (!!this.model && this.model.uiType == "model")?this.model:null;
|
|
this.firstFrame = true;
|
|
this.inst.proui_model = this;
|
|
if(this.model && this.modelKey){
|
|
this.model.registerBehavior(this);
|
|
}
|
|
};
|
|
behinstProto.setModelValue = function (value,options){
|
|
if(this.model && this.modelKey){
|
|
cr.plugins_.aekiro_model.prototype.acts.SetValueByKeyString.call(this.model,this.modelKey,value,options);
|
|
}
|
|
};
|
|
behinstProto.setElementValue = function (value,options){
|
|
var inst = this.inst;
|
|
if(inst._proui && inst._proui._setValue){
|
|
inst._proui._setValue(value,options);
|
|
}
|
|
};
|
|
behinstProto.getFromModel = function (){
|
|
var value = null;
|
|
if(this.model && this.modelKey){
|
|
value = this.model.getValue(this.modelKey);
|
|
}
|
|
return value;
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
/*if(this.firstFrame){
|
|
this.firstFrame = false;
|
|
}*/
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
if(this.model){
|
|
this.model.unregisterBehavior(this);
|
|
}
|
|
this.modelUID = 0;
|
|
this.modelKey = "";
|
|
this.model = null;
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.Reset = function ()
|
|
{
|
|
if(this.model){
|
|
this.model.unregisterBehavior(this);
|
|
}
|
|
this.modelUID = "";
|
|
this.modelKey = "";
|
|
this.model = null;
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.aekiro_scrollView = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.aekiro_scrollView.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
if(!cr.proui){
|
|
throw new Error("ProUI Plugin not found. Please add it to the project.");
|
|
return;
|
|
}
|
|
if(!this.behavior.isHooked){
|
|
cr.proui.HookMe(this.behavior,["touch","wheel"]);
|
|
this.behavior.isHooked = true;
|
|
}
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.proui = cr.proui;
|
|
this.proui.isTypeValid(this.inst,[cr.plugins_.Sprite,cr.plugins_.NinePatch,cr.plugins_.TiledBg],"Pro UI: ScrollView behavior is only applicable to Sprite Or 9-patch objects.");
|
|
this.scrolling = this.properties[0];
|
|
this.isSwipeScroll = this.properties[1];
|
|
this.isMouseScroll = this.properties[2];
|
|
this.contentUID = this.properties[3];
|
|
this.vSliderUID = this.properties[4];
|
|
this.vScrollBarUID = this.properties[5];
|
|
this.hSliderUID = this.properties[6];
|
|
this.hScrollBarUID = this.properties[7];
|
|
this.inertia = this.properties[8];
|
|
this.movement = this.properties[9]; //0:clamped; 1:elastic
|
|
this.dialogUID = this.properties[10];
|
|
if(!this.inertia){ //If there's no inertia, then the movement can't be elastic.
|
|
this.movement = 0;
|
|
}
|
|
this.elasticF = 1;
|
|
if(this.movement){
|
|
this.elasticF = 0.4;
|
|
}
|
|
this.firstFrame = true;
|
|
this.uiType = "scrollView";
|
|
this.inst.uiType = "scrollView";
|
|
this.inst._proui = this;
|
|
this.dpos = {};
|
|
this.proui.scrollViews["l"+this.inst.layer.index] = this;
|
|
this.onTouchStarted = false;
|
|
this.isTouchMoving = false;
|
|
this.onSliderTouchStarted = false;
|
|
this.onvSliderTouchStarted = false;
|
|
this.onhSliderTouchStarted = false;
|
|
this.content = null;
|
|
this.vSlider = null;
|
|
this.vScrollBar = null;
|
|
this.hSlider = null;
|
|
this.hScrollBar = null;
|
|
this.contentPrevWidth = 0;
|
|
this.contentPrevHeight = 0;
|
|
this.contentDpos = {};
|
|
this.isInit = false;
|
|
this.isContentGridView = false;
|
|
this.scroll = {
|
|
isEnabled:false,
|
|
prevTouchX : 0,
|
|
dx:0,
|
|
prevTouchY : 0,
|
|
dy:0,
|
|
scrollRatio:0,
|
|
vScrolling: (this.scrolling == 0) || (this.scrolling == 2),
|
|
hScrolling: (this.scrolling == 1) || (this.scrolling == 2),
|
|
isSwipeScroll: this.isSwipeScroll,
|
|
isMouseScroll:this.isMouseScroll,
|
|
vSliderDy:0,
|
|
hSliderDx:0,
|
|
scrollToTargetY:null,
|
|
scrollToTargetX:null,
|
|
scrollToX:false,
|
|
scrollToY:false,
|
|
scrollToSmooth : 0.3
|
|
};
|
|
};
|
|
behinstProto.scrollTo = function (targetX,targetY,targetType,smooth){
|
|
this.inst.update_bbox();
|
|
this.content.update_bbox();
|
|
this.scroll.scrollToSmooth = smooth;
|
|
this.scroll.scrollToTargetY = null;
|
|
this.scroll.scrollToTargetX = null;
|
|
this.scroll.scrollToX = false;
|
|
this.scroll.scrollToY = false;
|
|
this.onScrollToStarted = false;
|
|
if(targetY>=0 && this.scroll.vScrolling ){
|
|
var viewportCenterY = (this.inst.bbox.top+this.inst.bbox.bottom)/2;
|
|
if(targetType){//Percentage
|
|
targetY = cr.clamp(targetY,0,1);
|
|
targetY = this.content.bbox.top + targetY*this.content.height;
|
|
}else{
|
|
targetY = this.content.bbox.top + targetY;
|
|
}
|
|
this.scroll.scrollToTargetY = this.content.y + (viewportCenterY-targetY);
|
|
this.scroll.scrollToY = true;
|
|
this.scroll.isEnabled = true;
|
|
this.onScrollToStarted = true;
|
|
}
|
|
if(targetX>=0 && this.scroll.hScrolling){
|
|
var viewportCenterX = (this.inst.bbox.left+this.inst.bbox.right)/2;
|
|
if(targetType){//Percentage
|
|
targetX = cr.clamp(targetX,0,1);
|
|
targetX = this.content.bbox.left + targetX*this.content.width;
|
|
}else{
|
|
targetX = this.content.bbox.left + targetX;
|
|
}
|
|
this.scroll.scrollToTargetX = this.content.x + (viewportCenterX-targetX);
|
|
this.scroll.scrollToX = true;
|
|
this.scroll.isEnabled = true;
|
|
this.onScrollToStarted = true;
|
|
}
|
|
this.content.set_bbox_changed();
|
|
};
|
|
behinstProto.OnWheel = function (dir){
|
|
if(!this.isInteractible()){
|
|
return;
|
|
}
|
|
if(this.scroll.isMouseScroll && this.scroll.vScrolling && this.isMouseOver()){
|
|
this.scroll.scrollToX = false;
|
|
this.scroll.scrollToY = false;
|
|
this.scroll.isEnabled = true;
|
|
this.onWheelStarted = true;
|
|
dir = (dir == 0 ? -1 : 1);
|
|
this.scroll.dy = dir*0.026*this.content.height;
|
|
}
|
|
};
|
|
behinstProto.OnAnyTouchStart = function ()
|
|
{
|
|
if(this.vSlider && this.isInTouch(this.vSlider) && this.scroll.vScrolling){
|
|
this.OnSliderTouchStart();
|
|
this.onvSliderTouchStarted = true;
|
|
}
|
|
if(this.hSlider && this.isInTouch(this.hSlider) && this.scroll.hScrolling){
|
|
this.OnSliderTouchStart();
|
|
this.onhSliderTouchStarted = true;
|
|
}
|
|
};
|
|
behinstProto.isInteractible = function ()
|
|
{
|
|
var isInteractible = true;
|
|
for (var i = 0,l=this.proui.currentDialogs.length; i < l; i++) {
|
|
if(this.inst.layer.index<this.proui.currentDialogs[i].inst.layer.index){
|
|
isInteractible = false;
|
|
return isInteractible;
|
|
}
|
|
}
|
|
var layers = this.runtime.running_layout.layers;
|
|
var scrollView;
|
|
for (var i = this.inst.layer.index+1,l=layers.length; i < l; i++) {
|
|
scrollView = this.proui.scrollViews["l"+i];
|
|
if(scrollView){
|
|
scrollView.inst.update_bbox();
|
|
if(
|
|
scrollView.inst.contains_pt(this.proui.X(scrollView.inst.layer.index),this.proui.Y(scrollView.inst.layer.index)) ||
|
|
scrollView.inst.contains_pt(this.proui.CursorX(scrollView.inst.layer.index),this.proui.CursorY(scrollView.inst.layer.index))
|
|
){
|
|
isInteractible = false;
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
return isInteractible;
|
|
};
|
|
behinstProto.OnTouchStart = function ()
|
|
{
|
|
if(!this.isInteractible()){
|
|
return;
|
|
}
|
|
this.onTouchStarted = true;
|
|
if(this.scroll.vScrolling){
|
|
this.scroll.prevTouchY = this.proui.Y(this.inst.layer.index);
|
|
this.scroll.dy = 0;
|
|
this.scroll.isEnabled = true;
|
|
this.scroll.scrollToX = false;
|
|
this.scroll.scrollToY = false;
|
|
}
|
|
if(this.scroll.hScrolling){
|
|
this.scroll.prevTouchX = this.proui.X(this.inst.layer.index);
|
|
this.scroll.dx = 0;
|
|
this.scroll.isEnabled = true;
|
|
this.scroll.scrollToX = false;
|
|
this.scroll.scrollToY = false;
|
|
}
|
|
};
|
|
behinstProto.OnTouchMove = function ()
|
|
{
|
|
this.isTouchMoving = true;
|
|
}
|
|
behinstProto.OnAnyTouchEnd = function (touchX, touchY)
|
|
{
|
|
if(this.onTouchStarted){
|
|
this.OnTouchEnd(touchX, touchY);
|
|
}
|
|
this.onTouchStarted = false;
|
|
this.onSliderTouchStarted = false;
|
|
this.onvSliderTouchStarted = false;
|
|
this.onhSliderTouchStarted = false;
|
|
};
|
|
behinstProto.OnTouchEnd = function (touchX, touchY)
|
|
{
|
|
this.isTouchMoving = false;
|
|
};
|
|
behinstProto.OnSliderTouchStart = function (){
|
|
this.scroll.prevTouchY = this.proui.Y(this.inst.layer.index);
|
|
this.scroll.prevTouchX = this.proui.X(this.inst.layer.index);
|
|
this.scroll.dy = 0;
|
|
this.scroll.dx = 0;
|
|
this.scroll.vSliderDy = 0;
|
|
this.scroll.hSliderDx = 0;
|
|
this.onSliderTouchStarted = true;
|
|
this.scroll.isEnabled = true;
|
|
this.scroll.scrollToX = false;
|
|
this.scroll.scrollToY = false;
|
|
};
|
|
behinstProto.isMouseOver = function ()
|
|
{
|
|
var mouse_x = this.proui.CursorX(this.inst.layer.index);
|
|
var mouse_y = this.proui.CursorY(this.inst.layer.index);
|
|
this.inst.update_bbox();
|
|
return this.inst.contains_pt(mouse_x, mouse_y);
|
|
};
|
|
/*behinstProto.onMouseEnter = function ()
|
|
{
|
|
};
|
|
behinstProto.onMouseLeave = function ()
|
|
{
|
|
};*/
|
|
behinstProto.isInTouch = function (inst)
|
|
{
|
|
var touch_x = this.proui.X(this.inst.layer.index);
|
|
var touch_y = this.proui.Y(this.inst.layer.index);
|
|
inst.update_bbox();
|
|
return inst.contains_pt(touch_x, touch_y);
|
|
};
|
|
behinstProto.boundSlider = function (slider){
|
|
if(slider == "v" && this.vSlider && this.vScrollBar){
|
|
this.inst.update_bbox();
|
|
this.content.update_bbox();
|
|
this.vScrollBar.update_bbox();
|
|
this.vSlider.update_bbox();
|
|
var sy = this.vScrollBar.bbox.top+(this.vSlider.y-this.vSlider.bbox.top)+(this.vScrollBar.height-this.vSlider.height)*((this.content.bbox.top-this.inst.bbox.top)/(this.inst.height-this.content.height));
|
|
this.vSlider.y = cr.clamp(sy,this.vScrollBar.bbox.top+(this.vSlider.y-this.vSlider.bbox.top), this.vScrollBar.bbox.bottom-(this.vSlider.bbox.bottom - this.vSlider.y));
|
|
this.vSlider.set_bbox_changed();
|
|
}
|
|
if(slider == "h" && this.hSlider && this.hScrollBar){
|
|
this.inst.update_bbox();
|
|
this.content.update_bbox();
|
|
this.hScrollBar.update_bbox();
|
|
this.hSlider.update_bbox();
|
|
var sx = this.hScrollBar.bbox.left+(this.hSlider.x-this.hSlider.bbox.left)+(this.hScrollBar.width-this.hSlider.width)*((this.content.bbox.left-this.inst.bbox.left)/(this.inst.width-this.content.width));
|
|
this.hSlider.x = cr.clamp(sx,this.hScrollBar.bbox.left+(this.hSlider.x-this.hSlider.bbox.left), this.hScrollBar.bbox.right-(this.hSlider.bbox.right - this.hSlider.x));
|
|
this.hSlider.set_bbox_changed();
|
|
}
|
|
};
|
|
behinstProto.postGridviewUpdate = function (){
|
|
var parts = [this.vScrollBar,this.vSlider,this.hScrollBar,this.hSlider];
|
|
for (var i = 0, l= parts.length; i < l; i++) {
|
|
if(parts[i]){
|
|
parts[i].type.plugin.acts.MoveToTop.call(parts[i]);
|
|
}
|
|
}
|
|
};
|
|
behinstProto.init = function (){
|
|
if(this.isInit){
|
|
return;
|
|
}
|
|
if(this.vSliderUID){
|
|
this.vSlider = this.proui.tags[this.vSliderUID];
|
|
if(this.vSlider){
|
|
this.proui.isTypeValid(this.vSlider,[cr.plugins_.Sprite,cr.plugins_.NinePatch],"ProUI-ScrollView: The vertical slider can only be a Sprite Or 9-patch object.");
|
|
this.vSlider.uiType = "slider";
|
|
}else{
|
|
console.error("ProUI-ScrollView %d : Vertical slider not found",this.inst.uid);
|
|
}
|
|
}
|
|
if(this.vScrollBarUID){
|
|
this.vScrollBar = this.proui.tags[this.vScrollBarUID];
|
|
if(this.vScrollBar){
|
|
this.proui.isTypeValid(this.vScrollBar,[cr.plugins_.Sprite,cr.plugins_.NinePatch],"ProUI-ScrollView: The vertical scrollbar can only be a Sprite Or 9-patch object.");
|
|
this.vScrollBar.uiType = "scrollBar";
|
|
}else{
|
|
console.error("ProUI-ScrollView %d : Vertical scrollbar not found",this.inst.uid);
|
|
}
|
|
}
|
|
if(this.hSliderUID){
|
|
this.hSlider = this.proui.tags[this.hSliderUID];
|
|
if(this.hSlider){
|
|
this.proui.isTypeValid(this.hSlider,[cr.plugins_.Sprite,cr.plugins_.NinePatch],"ProUI-ScrollView: The horizontal slider can only be a Sprite Or 9-patch object.");
|
|
this.hSlider.uiType = "slider";
|
|
}else{
|
|
console.error("ProUI-ScrollView %d : Horizontal slider not found",this.inst.uid);
|
|
}
|
|
}
|
|
if(this.hScrollBarUID){
|
|
this.hScrollBar = this.proui.tags[this.hScrollBarUID];
|
|
if(this.hScrollBar){
|
|
this.proui.isTypeValid(this.hScrollBar,[cr.plugins_.Sprite,cr.plugins_.NinePatch],"ProUI-ScrollView: The horizontal scrollbar can only be a Sprite Or 9-patch object.");
|
|
this.hScrollBar.uiType = "scrollBar";
|
|
}else{
|
|
console.error("ProUI-ScrollView %d : Horizontal scrollbar not found",this.inst.uid);
|
|
}
|
|
}
|
|
this.content = this.proui.tags[this.contentUID];
|
|
if(this.content){
|
|
this.proui.isTypeValid(this.content,[cr.plugins_.Sprite,cr.plugins_.NinePatch,cr.plugins_.TiledBg],"ProUI-ScrollView: The content of the scrollView can only be a Sprite Or 9-patch object.");
|
|
if(this.content.uiType == "gridView"){
|
|
this.isContentGridView = true;
|
|
this.content._proui.scrollView = this; //make sure that gridview knows that it is on a scrollview
|
|
}
|
|
if(this.content.height<=this.inst.height){
|
|
this.scroll.vScrolling = false;
|
|
}
|
|
if(this.content.width<=this.inst.width){
|
|
this.scroll.hScrolling = false;
|
|
}
|
|
this.contentPrevHeight = this.content.height;
|
|
this.contentPrevWidth = this.content.width;
|
|
this.contentDpos.prev_x = this.content.x;
|
|
this.contentDpos.prev_y = this.content.y;
|
|
this.contentDpos.dx = 0;
|
|
this.contentDpos.dy = 0;
|
|
this.inst.update_bbox();
|
|
this.content.update_bbox();
|
|
this.content.x = this.inst.bbox.left + (this.content.x - this.content.bbox.left);
|
|
this.content.y = this.inst.bbox.top + (this.content.y - this.content.bbox.top);
|
|
this.content.set_bbox_changed();
|
|
}else{
|
|
throw new Error("ProUI-ScrollView: Content not found, please check the content tag");
|
|
}
|
|
if(this.hSlider && this.hScrollBar){
|
|
this.hSlider.update_bbox();
|
|
this.hScrollBar.update_bbox();
|
|
this.hSlider.x = this.hScrollBar.bbox.left+(this.hSlider.x-this.hSlider.bbox.left);
|
|
this.hSlider.set_bbox_changed();
|
|
this.hScrollBar.type.plugin.acts.MoveToTop.call(this.hScrollBar);
|
|
this.hSlider.type.plugin.acts.MoveToTop.call(this.hSlider);
|
|
}
|
|
if(this.vSlider && this.vScrollBar){
|
|
this.vSlider.update_bbox();
|
|
this.vScrollBar.update_bbox();
|
|
this.vSlider.y = this.vScrollBar.bbox.top+(this.vSlider.y-this.vSlider.bbox.top);
|
|
this.vSlider.set_bbox_changed();
|
|
this.vScrollBar.type.plugin.acts.MoveToTop.call(this.vScrollBar);
|
|
this.vSlider.type.plugin.acts.MoveToTop.call(this.vSlider);
|
|
}
|
|
cr.system_object.prototype.acts.SetLayerForceOwnTexture.call(this.runtime.system,this.inst.layer,true);
|
|
var inst;
|
|
for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
if(!inst)continue;
|
|
if ( inst == this.inst || inst.uiType == "dialog" || inst.uiType == "scrollBar" || inst.uiType == "slider")
|
|
continue;
|
|
if(inst.type.plugin.acts.SetEffect){
|
|
inst.type.plugin.acts.SetEffect.call(inst,9);
|
|
}
|
|
}
|
|
this.isInit = true;
|
|
var dialog = this.proui.tags[this.dialogUID];
|
|
if(dialog && (dialog.uiType == "dialog") && dialog._proui){
|
|
if(!dialog._proui.outLayerChildren[this.inst.layer.name]){
|
|
dialog._proui.outLayerChildren[this.inst.layer.name] = [];
|
|
}
|
|
dialog._proui.outLayerChildren[this.inst.layer.name].push(this.inst);
|
|
if(!dialog._proui.isOpen){
|
|
cr.system_object.prototype.acts.SetLayerVisible.call(this.runtime.system,this.inst.layer,false);
|
|
}
|
|
}
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if(this.firstFrame){
|
|
this.firstFrame = false;
|
|
this.prevSelfLayerVisible = this.inst.layer.visible;
|
|
this.init();
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
this.dpos.dx = 0;
|
|
this.dpos.dy = 0;
|
|
}
|
|
if(!this.content){
|
|
return;
|
|
}
|
|
this.contentDpos.dx = this.content.x - this.contentDpos.prev_x;
|
|
this.contentDpos.dy = this.content.y - this.contentDpos.prev_y;
|
|
this.contentDpos.prev_x = this.content.x;
|
|
this.contentDpos.prev_y = this.content.y;
|
|
var isSelfLayerVisible = this.inst.layer.visible;
|
|
if(isSelfLayerVisible != this.prevSelfLayerVisible){
|
|
this.prevSelfLayerVisible = this.inst.layer.visible;
|
|
cr.system_object.prototype.acts.SetLayerForceOwnTexture.call(this.runtime.system,this.inst.layer, isSelfLayerVisible);
|
|
}
|
|
if(this.contentPrevHeight != this.content.height){
|
|
this.inst.update_bbox();
|
|
this.content.update_bbox();
|
|
if(this.content.height<=this.inst.height){ //the content is snapped to the top
|
|
this.content.y = this.inst.bbox.top+(this.content.y-this.content.bbox.top);
|
|
this.scroll.vScrolling = false;
|
|
}else{
|
|
this.content.y = cr.clamp(this.content.y,this.inst.bbox.bottom-(this.content.bbox.bottom-this.content.y),this.inst.bbox.top+(this.content.y-this.content.bbox.top));
|
|
if( (this.scrolling == 0) || (this.scrolling == 2))//We re-activate the vScrolling only if the user has originaly enabled it.
|
|
this.scroll.vScrolling = true;
|
|
}
|
|
this.content.set_bbox_changed();
|
|
this.boundSlider("v");
|
|
this.contentPrevHeight = this.content.height;
|
|
}
|
|
if(this.contentPrevWidth != this.content.width){
|
|
this.inst.update_bbox();
|
|
this.content.update_bbox();
|
|
if(this.content.width<=this.inst.width){//the content is snapped to the left
|
|
this.content.x = this.inst.bbox.left + (this.content.x - this.content.bbox.left);
|
|
this.scroll.hScrolling = false;
|
|
}else{
|
|
this.content.x = cr.clamp(this.content.x,this.inst.bbox.right-(this.content.bbox.right-this.content.x),this.inst.bbox.left +(this.content.x - this.content.bbox.left));
|
|
if((this.scrolling == 1) || (this.scrolling == 2))
|
|
this.scroll.hScrolling = true;
|
|
}
|
|
this.content.set_bbox_changed();
|
|
this.boundSlider("h");
|
|
this.contentPrevWidth = this.content.width;
|
|
}
|
|
if(!this.scroll.isEnabled)
|
|
return;
|
|
if(this.onvSliderTouchStarted && this.scroll.vScrolling)
|
|
{
|
|
this.scroll.vSliderDy = this.proui.Y(this.inst.layer.index)-this.scroll.prevTouchY;
|
|
this.scroll.prevTouchY = this.proui.Y(this.inst.layer.index);
|
|
var sy = this.vSlider.y + this.scroll.vSliderDy;
|
|
this.vSlider.update_bbox();
|
|
this.vScrollBar.update_bbox();
|
|
this.vSlider.y = cr.clamp(sy,this.vScrollBar.bbox.top+(this.vSlider.y-this.vSlider.bbox.top), this.vScrollBar.bbox.bottom-(this.vSlider.bbox.bottom - this.vSlider.y));
|
|
this.vSlider.set_bbox_changed();
|
|
this.vSlider.update_bbox();
|
|
this.inst.update_bbox();
|
|
this.content.update_bbox();
|
|
this.content.y = this.inst.bbox.top+(this.content.y-this.content.bbox.top)-((this.vSlider.bbox.top-this.vScrollBar.bbox.top)/(this.vScrollBar.height-this.vSlider.height))*(this.content.height-this.inst.height);
|
|
this.content.set_bbox_changed();
|
|
}
|
|
if(this.onhSliderTouchStarted && this.scroll.hScrolling)
|
|
{
|
|
this.scroll.hSliderDx = this.proui.X(this.inst.layer.index)-this.scroll.prevTouchX;
|
|
this.scroll.prevTouchX = this.proui.X(this.inst.layer.index);
|
|
var sx = this.hSlider.x + this.scroll.hSliderDx;
|
|
this.hSlider.update_bbox();
|
|
this.hScrollBar.update_bbox();
|
|
this.hSlider.x = cr.clamp(sx,this.hScrollBar.bbox.left+(this.hSlider.x-this.hSlider.bbox.left) , this.hScrollBar.bbox.right-(this.hSlider.bbox.right-this.hSlider.x));
|
|
this.hSlider.set_bbox_changed();
|
|
this.hSlider.update_bbox();
|
|
this.inst.update_bbox();
|
|
this.content.update_bbox();
|
|
this.content.x = this.inst.bbox.left+(this.content.x-this.content.bbox.left)-((this.hSlider.bbox.left-this.hScrollBar.bbox.left)/(this.hScrollBar.width-this.hSlider.width))*(this.content.width-this.inst.width);
|
|
this.content.set_bbox_changed();
|
|
}
|
|
if(this.scroll.isSwipeScroll && this.isInTouch(this.inst) && !this.onSliderTouchStarted && this.onTouchStarted){
|
|
if(this.scroll.vScrolling){
|
|
this.scroll.dy = this.proui.Y(this.inst.layer.index)-this.scroll.prevTouchY+(this.runtime.tickcount%2 == 1? 0.2 : -0.2); //the 0.2 fixes a bug i cant udnerstand
|
|
this.scroll.prevTouchY = this.proui.Y(this.inst.layer.index);
|
|
}
|
|
if(this.scroll.hScrolling){
|
|
this.scroll.dx = this.proui.X(this.inst.layer.index)-this.scroll.prevTouchX;
|
|
this.scroll.prevTouchX = this.proui.X(this.inst.layer.index);
|
|
}
|
|
}
|
|
if(this.scroll.vScrolling && !this.onSliderTouchStarted){
|
|
if(!this.scroll.scrollToY){//non-programatic scrolling
|
|
this.content.y = cr.lerp(this.content.y,this.content.y+this.scroll.dy,0.7);
|
|
}else if(this.scroll.scrollToTargetY!=null){//programatic scrolling using the ScrollTo action
|
|
this.content.y = cr.lerp(this.content.y,this.scroll.scrollToTargetY,this.scroll.scrollToSmooth);
|
|
if(Math.abs(this.content.y-this.scroll.scrollToTargetY)<5){
|
|
this.content.y = this.scroll.scrollToTargetY;
|
|
this.scroll.scrollToY = false;
|
|
}
|
|
}
|
|
this.content.set_bbox_changed();
|
|
if(this.inertia){
|
|
this.scroll.dy = (14/15)*this.scroll.dy;
|
|
}else{
|
|
this.scroll.dy = 0;
|
|
}
|
|
this.boundSlider("v");
|
|
}
|
|
if(this.scroll.hScrolling && !this.onSliderTouchStarted ){
|
|
if(!this.scroll.scrollToX){//non-programatic scrolling
|
|
this.content.x = cr.lerp(this.content.x,this.content.x+this.scroll.dx,0.7);
|
|
}else if(this.scroll.scrollToTargetX!=null){//programatic scrolling using the ScrollTo action
|
|
this.content.x = cr.lerp(this.content.x,this.scroll.scrollToTargetX,this.scroll.scrollToSmooth);
|
|
if(Math.abs(this.content.x-this.scroll.scrollToTargetX)<5){
|
|
this.content.x = this.scroll.scrollToTargetX;
|
|
this.scroll.scrollToX = false;
|
|
}
|
|
}
|
|
this.content.set_bbox_changed();
|
|
if(this.inertia){
|
|
this.scroll.dx = (14/15)*this.scroll.dx;
|
|
}else{
|
|
this.scroll.dx = 0;
|
|
}
|
|
this.boundSlider("h");
|
|
}
|
|
if(!this.onSliderTouchStarted){
|
|
this.inst.update_bbox();
|
|
this.content.update_bbox();
|
|
var diff_topY = 0, diff_bottomY = 0, diff_rightX =0,diff_leftX=0;
|
|
if(this.scroll.vScrolling){
|
|
diff_topY = this.content.bbox.top-this.inst.bbox.top;
|
|
diff_bottomY = this.inst.bbox.bottom-this.content.bbox.bottom;
|
|
if(diff_topY>0 || diff_bottomY>0){
|
|
if(this.scroll.scrollToY){
|
|
this.content.y = cr.clamp(this.content.y,this.content.y+diff_bottomY,this.content.y - diff_topY);
|
|
this.scroll.scrollToTargetY = this.content.y;
|
|
this.scroll.scrollToY = false;
|
|
}else{
|
|
this.content.y = cr.clamp(this.content.y,cr.lerp(this.content.y,this.content.y+diff_bottomY,this.elasticF),cr.lerp(this.content.y,this.content.y - diff_topY,this.elasticF));
|
|
}
|
|
}
|
|
this.content.set_bbox_changed();
|
|
}
|
|
if(this.scroll.hScrolling){
|
|
diff_rightX = this.inst.bbox.right-this.content.bbox.right;
|
|
diff_leftX = this.content.bbox.left-this.inst.bbox.left;
|
|
if(diff_rightX>0 || diff_leftX>0){
|
|
if(this.scroll.scrollToX){
|
|
this.content.x = cr.clamp(this.content.x,this.content.x + diff_rightX,this.content.x - diff_leftX);
|
|
this.scroll.scrollToTargetX = this.content.x;
|
|
this.scroll.scrollToX = false;
|
|
}else{
|
|
this.content.x = cr.clamp(this.content.x,cr.lerp(this.content.x,this.content.x + diff_rightX,this.elasticF),cr.lerp(this.content.x,this.content.x - diff_leftX,this.elasticF));
|
|
}
|
|
}
|
|
this.content.set_bbox_changed();
|
|
}
|
|
if(!this.inertia && this.onWheelStarted){
|
|
this.scroll.isEnabled = false;
|
|
this.onWheelStarted = false;
|
|
}
|
|
if(this.onScrollToStarted && !this.scroll.scrollToX && !this.scroll.scrollToY){
|
|
this.scroll.isEnabled = false;
|
|
this.onScrollToStarted = false;
|
|
}
|
|
if( this.inertia && Math.abs(this.scroll.dx)<0.1 && Math.abs(this.scroll.dy)<0.1 && !this.scroll.scrollToX && !this.scroll.scrollToY ){
|
|
this.scroll.isEnabled = false;
|
|
console.log("Scroll disabled");
|
|
}
|
|
}
|
|
};
|
|
behinstProto.updateContentChildren = function ()
|
|
{
|
|
if(!this.content)return;
|
|
/*this.contentDpos.dx = this.content.x - this.contentDpos.prev_x;
|
|
this.contentDpos.dy = this.content.y - this.contentDpos.prev_y;
|
|
this.contentDpos.prev_x = this.content.x;
|
|
this.contentDpos.prev_y = this.content.y;*/
|
|
var inst;
|
|
if( (this.contentDpos.dx != 0) || (this.contentDpos.dy != 0) ){
|
|
for (var i = 0, l= this.inst.layer.instances.length; i < l; i++) {
|
|
inst = this.inst.layer.instances[i];
|
|
if(!inst)continue;
|
|
if ( inst==this.content || inst.isSubComp===true || inst.uiType == "dialog" || inst.uiType == "scrollView" || inst.uiType == "scrollBar" || inst.uiType == "slider")
|
|
continue;
|
|
inst.x += this.contentDpos.dx;
|
|
inst.y += this.contentDpos.dy;
|
|
inst.set_bbox_changed();
|
|
}
|
|
}
|
|
};
|
|
behinstProto.updateChildren = function ()
|
|
{
|
|
if(isNaN(this.dpos.prev_x)){
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
}
|
|
this.dpos.dx = this.inst.x - this.dpos.prev_x;
|
|
this.dpos.dy = this.inst.y - this.dpos.prev_y;
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
var parts = [this.content, this.vScrollBar,this.vSlider,this.hScrollBar,this.hSlider];
|
|
var inst;
|
|
if( (this.dpos.dx != 0) || (this.dpos.dy != 0) ){
|
|
for (var i = 0, l= parts.length; i < l; i++) {
|
|
inst = parts[i];
|
|
if(inst){
|
|
inst.x += this.dpos.dx;
|
|
inst.y += this.dpos.dy;
|
|
inst.set_bbox_changed();
|
|
}
|
|
}
|
|
}
|
|
};
|
|
behinstProto.tick2 = function ()
|
|
{
|
|
if(!this.isContentGridView){
|
|
this.updateContentChildren();
|
|
}
|
|
this.updateChildren();
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
this.proui.scrollViews["l"+this.inst.layer.index] = null;
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.ScrollTo = function (targetX,targetY,targetType,smooth)
|
|
{
|
|
this.scrollTo(targetX,targetY,targetType,smooth);
|
|
}
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.aekiro_sliderbar = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.aekiro_sliderbar.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
if(!cr.proui){
|
|
throw new Error("ProUI Plugin not found. Please add it to the project.");
|
|
return;
|
|
}
|
|
if(!this.behavior.isHooked){
|
|
cr.proui.HookMe(this.behavior,["touch"]);
|
|
this.behavior.isHooked = true;
|
|
}
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.proui = cr.proui;
|
|
this.proui.isTypeValid(this.inst,[cr.plugins_.Sprite,cr.plugins_.NinePatch],"Pro UI: SliderBar behavior is only applicable to Sprite Or 9-patch objects.");
|
|
this.isEnabled = this.properties[0];
|
|
this.value = this.properties[1];
|
|
this.sliderButtonUID = this.properties[2];
|
|
this.minValue = this.properties[3];
|
|
this.maxValue = this.properties[4];
|
|
this.step = this.properties[5];
|
|
this.firstFrame = true;
|
|
this.inst.uiType = "sliderbar";
|
|
this.uiType = "sliderbar";
|
|
this.inst._proui = this;
|
|
this.firstSetValue = false;
|
|
this.compParent = this;
|
|
this.isInit = false;
|
|
this.dpos = {};
|
|
this.onSliderTouchStarted = false;
|
|
this.onValueChanged = false;
|
|
this.value = this.validateValue(this.value); //needs to be after step
|
|
};
|
|
behinstProto.getTemplate = function (){
|
|
this.sliderButton = this.proui.tags[this.sliderButtonUID];
|
|
if(!this.sliderButton){
|
|
console.error("SLIDERBAR %d : Slider button not found",this.inst.uid);
|
|
return;
|
|
}
|
|
var template = {
|
|
sliderTag:this.sliderButtonUID,
|
|
type: this.sliderButton.type,
|
|
json: JSON.stringify(this.runtime.saveInstanceToJSON(this.sliderButton, true))
|
|
};
|
|
return template;
|
|
};
|
|
behinstProto.clone = function (template){
|
|
if(!template){
|
|
return;
|
|
}
|
|
var sliderButton = this.runtime.createInstance(template.type, this.inst.layer);
|
|
sliderButton.type.plugin.acts.LoadFromJsonString.call(sliderButton,template.json);
|
|
var sliderTag = template.sliderTag + this.proui.getIter();
|
|
sliderButton.aekiro_tag.tag = sliderTag;
|
|
var prevRegister = this.runtime.extra.notRegister;
|
|
this.runtime.extra.notRegister = false;
|
|
this.proui.addTag(sliderTag,sliderButton);
|
|
this.runtime.extra.notRegister = prevRegister;
|
|
this.sliderButtonUID = sliderTag;
|
|
this.init();
|
|
};
|
|
behinstProto.setValue = function (value){
|
|
this.firstSetValue = true;
|
|
if(this._setValue(value)){
|
|
var modelB = this.inst.proui_model;
|
|
if(modelB){
|
|
modelB.setModelValue(value,{except:this.compParent});
|
|
}
|
|
if(this.inst.proui_bind){
|
|
this.inst.proui_bind.updateGridViewModel(value,{except:this.compParent});
|
|
}
|
|
}
|
|
};
|
|
behinstProto.validateValue = function (value){
|
|
value = this.proui.validateSimpleValue(value,0);
|
|
value = Math.round(value/this.step)*this.step;
|
|
value = cr.clamp(value,this.minValue,this.maxValue);
|
|
return value;
|
|
};
|
|
behinstProto._setValue = function (value){
|
|
if(value == null){
|
|
return false;
|
|
}
|
|
value = this.validateValue(value);
|
|
this.value = value;
|
|
this.updateView();
|
|
return true;
|
|
/*}else{
|
|
return false;
|
|
}*/
|
|
};
|
|
behinstProto.updateFromModel = function (){
|
|
var modelB = this.inst.proui_model;
|
|
if(modelB){
|
|
var value = modelB.getFromModel();
|
|
if(value == null){
|
|
return;
|
|
}
|
|
value = this.validateValue(value);
|
|
this.value = value;
|
|
}
|
|
};
|
|
behinstProto.OnAnyTouchStart = function ()
|
|
{
|
|
if(this.sliderButton && this.isInTouch(this.sliderButton) && this.isEnabled){
|
|
this.OnSliderTouchStart();
|
|
this.onSliderTouchStarted = true;
|
|
this.onValueChanged = true;
|
|
}
|
|
};
|
|
behinstProto.OnTouchStart = function (){
|
|
if( (this.sliderButton && this.isInTouch(this.sliderButton)) || !this.isEnabled){
|
|
return;
|
|
}
|
|
this.onX(this.proui.X(this.inst.layer.index));
|
|
this.onValueChanged = true;
|
|
};
|
|
behinstProto.OnSliderTouchStart = function (){
|
|
};
|
|
behinstProto.OnAnyTouchEnd = function (touchX, touchY)
|
|
{
|
|
if(this.onSliderTouchStarted){
|
|
this.OnTouchEnd(touchX, touchY);
|
|
}
|
|
this.onSliderTouchStarted = false;
|
|
this.onValueChanged = false;
|
|
};
|
|
behinstProto.OnTouchEnd = function (touchX, touchY){
|
|
this.setValue(this.value);
|
|
};
|
|
behinstProto.updateView = function (){
|
|
if(!this.isInit){
|
|
return;
|
|
}
|
|
this.inst.update_bbox();
|
|
this.sliderButton.x = cr.clamp(this.inst.bbox.left+((this.value-this.minValue)/this.step)*this.widthStep,this.inst.bbox.left,this.inst.bbox.right);
|
|
this.sliderButton.y = (this.inst.bbox.bottom+this.inst.bbox.top)/2;
|
|
this.sliderButton.set_bbox_changed();
|
|
this.lastStop = this.sliderButton.x;
|
|
};
|
|
behinstProto.setEnabled = function (isEnabled)
|
|
{
|
|
this.isEnabled = isEnabled;
|
|
}
|
|
behinstProto.init = function (){
|
|
if(this.isInit){
|
|
return;
|
|
}
|
|
this.sliderButton = this.proui.tags[this.sliderButtonUID];
|
|
if(!this.sliderButton){
|
|
console.error("SLIDERBAR %d : Slider button not found",this.inst.uid);
|
|
return;
|
|
}
|
|
this.sliderButton.uiType = "sliderbutton";
|
|
this.inst.update_bbox();
|
|
this.sliderButton.x = this.inst.bbox.left;
|
|
this.sliderButton.y = (this.inst.bbox.bottom+this.inst.bbox.top)/2;
|
|
this.sliderButton.set_bbox_changed();
|
|
this.sliderButton.isSubComp = true;
|
|
this.widthStep = (this.step/(this.maxValue-this.minValue))* this.inst.width;
|
|
this.thres = this.step/(this.maxValue-this.minValue);
|
|
this.lastStop = this.inst.bbox.left;
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
this.dpos.dx = 0;
|
|
this.dpos.dy = 0;
|
|
this.isInit = true;
|
|
};
|
|
behinstProto.onX = function (touchX){
|
|
this.inst.update_bbox();
|
|
var diff = touchX-this.lastStop;
|
|
if(this.thres>0.04){
|
|
if(this.sign(diff)>0 && (this.maxValue-this.value < this.step) ){
|
|
return;
|
|
}
|
|
if( (Math.abs(diff) > this.widthStep*2/3)){
|
|
this.lastStop = this.lastStop + this.sign(diff)*this.widthStep;
|
|
this.sliderButton.x = cr.clamp(this.lastStop,this.inst.bbox.left,this.inst.bbox.right);
|
|
this.sliderButton.set_bbox_changed();
|
|
this.value = this.value + this.sign(diff)*this.step;
|
|
this.value = cr.clamp(this.value,this.minValue,this.maxValue);
|
|
}
|
|
}else{
|
|
this.sliderButton.x = cr.clamp(touchX,this.inst.bbox.left,this.inst.bbox.right);
|
|
this.sliderButton.set_bbox_changed();
|
|
this.value = ((this.sliderButton.x-this.inst.bbox.left)/this.inst.width)*(this.maxValue-this.minValue);
|
|
this.value = this.minValue+Math.round(this.value/this.step)*this.step;
|
|
this.value = cr.clamp(this.value,this.minValue,this.maxValue);
|
|
}
|
|
};
|
|
behinstProto.isInTouch = function (inst)
|
|
{
|
|
var touch_x = this.proui.X(this.inst.layer.index);
|
|
var touch_y = this.proui.Y(this.inst.layer.index);
|
|
inst.update_bbox();
|
|
return inst.contains_pt(touch_x, touch_y);
|
|
};
|
|
behinstProto.sign = function(value_){
|
|
if (isNaN(parseFloat(value_))) return NaN;
|
|
if (value_ === 0) return 0;
|
|
if (value_ === -0) return -0;
|
|
return value_ > 0 ? 1 : -1;
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
if(this.firstFrame){
|
|
this.firstFrame = false;
|
|
this.init();
|
|
if(!this.firstSetValue){
|
|
this.updateFromModel();
|
|
}
|
|
this.updateView();
|
|
}
|
|
if(this.onSliderTouchStarted){
|
|
this.onX(this.proui.X(this.inst.layer.index));
|
|
}
|
|
};
|
|
behinstProto.updateChildren = function ()
|
|
{
|
|
if(!this.sliderButton){
|
|
return;
|
|
}
|
|
if(isNaN(this.dpos.prev_x)){
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
}
|
|
this.dpos.dx = this.inst.x - this.dpos.prev_x;
|
|
this.dpos.dy = this.inst.y - this.dpos.prev_y;
|
|
this.dpos.prev_x = this.inst.x;
|
|
this.dpos.prev_y = this.inst.y;
|
|
var inst = this.sliderButton;
|
|
if( (this.dpos.dx != 0) || (this.dpos.dy != 0) ){
|
|
inst.x += this.dpos.dx;
|
|
inst.y += this.dpos.dy;
|
|
inst.set_bbox_changed();
|
|
}
|
|
};
|
|
behinstProto.tick2 = function ()
|
|
{
|
|
this.updateChildren();
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
if(this.runtime.changelayout){
|
|
return;
|
|
}
|
|
this.proui.toBeDestroyed.push(this.sliderButton);
|
|
var proui = this.proui;
|
|
setTimeout(function(){ proui.clearDestroyList(); }, 0);
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"isEnabled" : this.isEnabled,
|
|
"value": this.value,
|
|
"minValue": this.minValue,
|
|
"maxValue": this.maxValue,
|
|
"step": this.step
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.isEnabled = o["isEnabled"];
|
|
this.value = o["value"];
|
|
this.minValue = o["minValue"];
|
|
this.maxValue = o["maxValue"];
|
|
this.step = o["step"];
|
|
};
|
|
var getValueByKeyString = function(o, s) {
|
|
s = s.replace(/\[(\w+)\]/g, '.$1'); // convert indexes to properties
|
|
s = s.replace(/^\./, ''); // strip a leading dot
|
|
var a = s.split('.');
|
|
for (var i = 0, n = a.length; i < n; ++i) {
|
|
var k = a[i];
|
|
if (k in o) {
|
|
o = o[k];
|
|
} else {
|
|
return;
|
|
}
|
|
}
|
|
return o;
|
|
};
|
|
function Cnds() {};
|
|
behaviorProto.cnds = new Cnds();
|
|
Cnds.prototype.IsSliding = function (){
|
|
return this.onValueChanged;
|
|
};
|
|
function Acts() {};
|
|
Acts.prototype.setValue = function (value){
|
|
this.setValue(value);
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.value = function (ret)
|
|
{
|
|
ret.set_float(this.value);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.aekiro_tag = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.aekiro_tag.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst;
|
|
this.runtime = type.runtime;
|
|
if(!cr.proui){
|
|
throw new Error("ProUI Plugin not found. Please add it to the project.");
|
|
return;
|
|
}
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.proui = cr.proui;
|
|
this.tag = this.properties[0];
|
|
this.inst.proui_tag = this.tag;
|
|
this.inst.aekiro_tag = this;
|
|
this.proui.addTag(this.tag,this.inst);
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
};
|
|
behinstProto.onDestroy = function ()
|
|
{
|
|
this.proui.removeTag(this.tag);
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsTag = function (tag){
|
|
return (tag == this.tag);
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.tag = function (ret)
|
|
{
|
|
ret.set_string(this.tag);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.jumpthru = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.jumpthru.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.inst.extra["jumpthruEnabled"] = (this.properties[0] !== 0);
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsEnabled = function ()
|
|
{
|
|
return this.inst.extra["jumpthruEnabled"];
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetEnabled = function (e)
|
|
{
|
|
this.inst.extra["jumpthruEnabled"] = !!e;
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
}());
|
|
var easeOutBounceArray = [];
|
|
var easeInElasticArray = [];
|
|
var easeOutElasticArray = [];
|
|
var easeInOutElasticArray = [];
|
|
var easeInCircle = [];
|
|
var easeOutCircle = [];
|
|
var easeInOutCircle = [];
|
|
var easeInBack = [];
|
|
var easeOutBack = [];
|
|
var easeInOutBack = [];
|
|
var litetween_precision = 10000;
|
|
var updateLimit = 0; //0.0165;
|
|
function easeOutBouncefunc(t) {
|
|
var b=0.0;
|
|
var c=1.0;
|
|
var d=1.0;
|
|
if ((t/=d) < (1/2.75)) {
|
|
result = c*(7.5625*t*t) + b;
|
|
} else if (t < (2/2.75)) {
|
|
result = c*(7.5625*(t-=(1.5/2.75))*t + .75) + b;
|
|
} else if (t < (2.5/2.75)) {
|
|
result = c*(7.5625*(t-=(2.25/2.75))*t + .9375) + b;
|
|
} else {
|
|
result = c*(7.5625*(t-=(2.625/2.75))*t + .984375) + b;
|
|
}
|
|
return result;
|
|
}
|
|
function integerize(t, d)
|
|
{
|
|
return Math.round(t/d*litetween_precision);
|
|
}
|
|
function easeFunc(easing, t, b, c, d, flip, param)
|
|
{
|
|
var ret_ease = 0;
|
|
switch (easing) {
|
|
case 0: // linear
|
|
ret_ease = c*t/d + b;
|
|
break;
|
|
case 1: // easeInQuad
|
|
ret_ease = c*(t/=d)*t + b;
|
|
break;
|
|
case 2: // easeOutQuad
|
|
ret_ease = -c *(t/=d)*(t-2) + b;
|
|
break;
|
|
case 3: // easeInOutQuad
|
|
if ((t/=d/2) < 1)
|
|
ret_ease = c/2*t*t + b
|
|
else
|
|
ret_ease = -c/2 * ((--t)*(t-2) - 1) + b;
|
|
break;
|
|
case 4: // easeInCubic
|
|
ret_ease = c*(t/=d)*t*t + b;
|
|
break;
|
|
case 5: // easeOutCubic
|
|
ret_ease = c*((t=t/d-1)*t*t + 1) + b;
|
|
break;
|
|
case 6: // easeInOutCubic
|
|
if ((t/=d/2) < 1)
|
|
ret_ease = c/2*t*t*t + b
|
|
else
|
|
ret_ease = c/2*((t-=2)*t*t + 2) + b;
|
|
break;
|
|
case 7: // easeInQuart
|
|
ret_ease = c*(t/=d)*t*t*t + b;
|
|
break;
|
|
case 8: // easeOutQuart
|
|
ret_ease = -c * ((t=t/d-1)*t*t*t - 1) + b;
|
|
break;
|
|
case 9: // easeInOutQuart
|
|
if ((t/=d/2) < 1)
|
|
ret_ease = c/2*t*t*t*t + b
|
|
else
|
|
ret_ease = -c/2 * ((t-=2)*t*t*t - 2) + b;
|
|
break;
|
|
case 10: // easeInQuint
|
|
ret_ease = c*(t/=d)*t*t*t*t + b;
|
|
break;
|
|
case 11: // easeOutQuint
|
|
ret_ease = c*((t=t/d-1)*t*t*t*t + 1) + b;
|
|
break;
|
|
case 12: // easeInOutQuint
|
|
if ((t/=d/2) < 1)
|
|
ret_ease = c/2*t*t*t*t*t + b
|
|
else
|
|
ret_ease = c/2*((t-=2)*t*t*t*t + 2) + b;
|
|
break;
|
|
case 13: // easeInCircle
|
|
if (param.optimized) {
|
|
ret_ease = easeInCircle[integerize(t,d)];
|
|
} else {
|
|
ret_ease = -(Math.sqrt(1-t*t) - 1);
|
|
}
|
|
break;
|
|
case 14: // easeOutCircle
|
|
if (param.optimized) {
|
|
ret_ease = easeOutCircle[integerize(t,d)];
|
|
} else {
|
|
ret_ease = Math.sqrt(1 - ((t-1)*(t-1)));
|
|
}
|
|
break;
|
|
case 15: // easeInOutCircle
|
|
if (param.optimized) {
|
|
ret_ease = easeInOutCircle[integerize(t,d)];
|
|
} else {
|
|
if ((t/=d/2) < 1) ret_ease = -c/2 * (Math.sqrt(1 - t*t) - 1) + b
|
|
else ret_ease = c/2 * (Math.sqrt(1 - (t-=2)*t) + 1) + b;
|
|
}
|
|
break;
|
|
case 16: // easeInBack
|
|
if (param.optimized) {
|
|
ret_ease = easeInBack[integerize(t,d)];
|
|
} else {
|
|
var s = param.s;
|
|
ret_ease = c*(t/=d)*t*((s+1)*t - s) + b;
|
|
}
|
|
break;
|
|
case 17: // easeOutBack
|
|
if (param.optimized) {
|
|
ret_ease = easeOutBack[integerize(t,d)];
|
|
} else {
|
|
var s = param.s;
|
|
ret_ease = c*((t=t/d-1)*t*((s+1)*t + s) + 1) + b;
|
|
}
|
|
break;
|
|
case 18: // easeInOutBack
|
|
if (param.optimized) {
|
|
ret_ease = easeInOutBack[integerize(t,d)];
|
|
} else {
|
|
var s = param.s
|
|
if ((t/=d/2) < 1)
|
|
ret_ease = c/2*(t*t*(((s*=(1.525))+1)*t - s)) + b
|
|
else
|
|
ret_ease = c/2*((t-=2)*t*(((s*=(1.525))+1)*t + s) + 2) + b;
|
|
}
|
|
break;
|
|
case 19: //easeInElastic
|
|
if (param.optimized) {
|
|
ret_ease = easeInElasticArray[integerize(t, d)];
|
|
} else {
|
|
var a = param.a;
|
|
var p = param.p;
|
|
var s = 0;
|
|
if (t==0) ret_ease = b; if ((t/=d)==1) ret_ease = b+c;
|
|
if (p==0) p=d*.3; if (a==0 || a < Math.abs(c)) { a=c; s=p/4; }
|
|
else var s = p/(2*Math.PI) * Math.asin (c/a);
|
|
ret_ease = -(a*Math.pow(2,10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )) + b;
|
|
}
|
|
break;
|
|
case 20: //easeOutElastic
|
|
if (param.optimized) {
|
|
ret_ease = easeOutElasticArray[integerize(t,d)];
|
|
} else {
|
|
var a = param.a;
|
|
var p = param.p;
|
|
var s = 0;
|
|
if (t==0) ret_ease= b; if ((t/=d)==1) ret_ease= b+c; if (p == 0) p=d*.3;
|
|
if (a==0 || a < Math.abs(c)) { a=c; var s=p/4; }
|
|
else var s = p/(2*Math.PI) * Math.asin (c/a);
|
|
ret_ease= (a*Math.pow(2,-10*t) * Math.sin( (t*d-s)*(2*Math.PI)/p ) + c + b);
|
|
}
|
|
break;
|
|
case 21: //easeInOutElastic
|
|
if (param.optimized) {
|
|
ret_ease = easeInOutElasticArray[integerize(t,d)];
|
|
} else {
|
|
var a = param.a;
|
|
var p = param.p;
|
|
var s = 0;
|
|
if (t==0) ret_ease = b;
|
|
if ((t/=d/2)==2) ret_ease = b+c;
|
|
if (p==0) p=d*(.3*1.5);
|
|
if (a==0 || a < Math.abs(c)) { a=c; var s=p/4; }
|
|
else var s = p/(2*Math.PI) * Math.asin (c/a);
|
|
if (t < 1)
|
|
ret_ease = -.5*(a*Math.pow(2,10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )) + b
|
|
else
|
|
ret_ease = a*Math.pow(2,-10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )*.5 + c + b;
|
|
}
|
|
break;
|
|
case 22: //easeInBounce
|
|
if (param.optimized) {
|
|
ret_ease = c - easeOutBounceArray[integerize(d-t, d)] + b;
|
|
} else {
|
|
ret_ease = c - easeOutBouncefunc(d-t/d) + b;
|
|
}
|
|
break;
|
|
case 23: //easeOutBounce
|
|
if (param.optimized) {
|
|
ret_ease = easeOutBounceArray[integerize(t, d)];
|
|
} else {
|
|
ret_ease = easeOutBouncefunc(t/d);
|
|
}
|
|
break;
|
|
case 24: //easeInOutBounce
|
|
if (param.optimized) {
|
|
if (t < d/2)
|
|
ret_ease = (c - easeOutBounceArray[integerize(d-(t*2), d)] + b) * 0.5 +b;
|
|
else
|
|
ret_ease = easeOutBounceArray[integerize(t*2-d, d)] * .5 + c*.5 + b;
|
|
} else {
|
|
if (t < d/2)
|
|
ret_ease = (c - easeOutBouncefunc(d-(t*2)) + b) * 0.5 +b;
|
|
else
|
|
ret_ease = easeOutBouncefunc((t*2-d)/d) * .5 + c *.5 + b;
|
|
}
|
|
break;
|
|
case 25: //easeInSmoothstep
|
|
var mt = (t/d) / 2;
|
|
ret_ease = (2*(mt * mt * (3 - 2*mt)));
|
|
break;
|
|
case 26: //easeOutSmoothstep
|
|
var mt = ((t/d) + 1) / 2;
|
|
ret_ease = ((2*(mt * mt * (3 - 2*mt))) - 1);
|
|
break;
|
|
case 27: //easeInOutSmoothstep
|
|
var mt = (t / d);
|
|
ret_ease = (mt * mt * (3 - 2*mt));
|
|
break;
|
|
};
|
|
if (flip)
|
|
return (c - b) - ret_ease
|
|
else
|
|
return ret_ease;
|
|
};
|
|
(function preCalculateArray() {
|
|
var d = 1.0;
|
|
var b = 0.0;
|
|
var c = 1.0;
|
|
var result = 0.0;
|
|
var a = 0.0;
|
|
var p = 0.0;
|
|
var t = 0.0;
|
|
var s = 0.0;
|
|
for (var ti = 0; ti <= litetween_precision; ti++) {
|
|
t = ti/litetween_precision;
|
|
if ((t/=d) < (1/2.75)) {
|
|
result = c*(7.5625*t*t) + b;
|
|
} else if (t < (2/2.75)) {
|
|
result = c*(7.5625*(t-=(1.5/2.75))*t + .75) + b;
|
|
} else if (t < (2.5/2.75)) {
|
|
result = c*(7.5625*(t-=(2.25/2.75))*t + .9375) + b;
|
|
} else {
|
|
result = c*(7.5625*(t-=(2.625/2.75))*t + .984375) + b;
|
|
}
|
|
easeOutBounceArray[ti] = result;
|
|
t = ti/litetween_precision; a = 0; p = 0;
|
|
if (t==0) result = b; if ((t/=d)==1) result = b+c;
|
|
if (p==0) p=d*.3; if (a==0 || a < Math.abs(c)) { a=c; var s=p/4; }
|
|
else var s = p/(2*Math.PI) * Math.asin (c/a);
|
|
result = -(a*Math.pow(2,10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )) + b;
|
|
easeInElasticArray[ti] = result;
|
|
t = ti/litetween_precision; a = 0; p = 0;
|
|
if (t==0) result= b; if ((t/=d)==1) result= b+c; if (p == 0) p=d*.3;
|
|
if (a==0 || a < Math.abs(c)) { a=c; var s=p/4; }
|
|
else var s = p/(2*Math.PI) * Math.asin (c/a);
|
|
result= (a*Math.pow(2,-10*t) * Math.sin( (t*d-s)*(2*Math.PI)/p ) + c + b);
|
|
easeOutElasticArray[ti] = result;
|
|
t = ti/litetween_precision; a = 0; p = 0;
|
|
if (t==0) result = b;
|
|
if ((t/=d/2)==2) result = b+c;
|
|
if (p==0) p=d*(.3*1.5);
|
|
if (a==0 || a < Math.abs(c)) { a=c; var s=p/4; }
|
|
else var s = p/(2*Math.PI) * Math.asin (c/a);
|
|
if (t < 1)
|
|
result = -.5*(a*Math.pow(2,10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )) + b
|
|
else
|
|
result = a*Math.pow(2,-10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )*.5 + c + b;
|
|
easeInOutElasticArray[ti] = result;
|
|
t = ti/litetween_precision; easeInCircle[ti] = -(Math.sqrt(1-t*t) - 1);
|
|
t = ti/litetween_precision; easeOutCircle[ti] = Math.sqrt(1 - ((t-1)*(t-1)));
|
|
t = ti/litetween_precision;
|
|
if ((t/=d/2) < 1) result = -c/2 * (Math.sqrt(1 - t*t) - 1) + b
|
|
else result = c/2 * (Math.sqrt(1 - (t-=2)*t) + 1) + b;
|
|
easeInOutCircle[ti] = result;
|
|
t = ti/litetween_precision; s = 0;
|
|
if (s==0) s = 1.70158;
|
|
result = c*(t/=d)*t*((s+1)*t - s) + b;
|
|
easeInBack[ti] = result;
|
|
t = ti/litetween_precision; s = 0;
|
|
if (s==0) s = 1.70158;
|
|
result = c*((t=t/d-1)*t*((s+1)*t + s) + 1) + b;
|
|
easeOutBack[ti] = result;
|
|
t = ti/litetween_precision; s = 0; if (s==0) s = 1.70158;
|
|
if ((t/=d/2) < 1)
|
|
result = c/2*(t*t*(((s*=(1.525))+1)*t - s)) + b
|
|
else
|
|
result = c/2*((t-=2)*t*(((s*=(1.525))+1)*t + s) + 2) + b;
|
|
easeInOutBack[ti] = result;
|
|
}
|
|
}());
|
|
var TweenObject = function()
|
|
{
|
|
var constructor = function (tname, tweened, easefunc, initial, target, duration, enforce)
|
|
{
|
|
this.name = tname;
|
|
this.value = 0;
|
|
this.setInitial(initial);
|
|
this.setTarget(target);
|
|
this.easefunc = easefunc;
|
|
this.tweened = tweened;
|
|
this.duration = duration;
|
|
this.progress = 0;
|
|
this.state = 0;
|
|
this.onStart = false;
|
|
this.onEnd = false;
|
|
this.onReverseStart = false;
|
|
this.onReverseEnd = false;
|
|
this.lastKnownValue = 0;
|
|
this.lastKnownValue2 = 0;
|
|
this.enforce = enforce;
|
|
this.pingpong = 1.0;
|
|
this.flipEase = false;
|
|
this.easingparam = [];
|
|
this.lastState = 1;
|
|
for (var i=0; i<28; i++) {
|
|
this.easingparam[i] = {};
|
|
this.easingparam[i].a = 0.0;
|
|
this.easingparam[i].p = 0.0;
|
|
this.easingparam[i].t = 0.0;
|
|
this.easingparam[i].s = 0.0;
|
|
this.easingparam[i].optimized = true;
|
|
}
|
|
}
|
|
return constructor;
|
|
}();
|
|
(function () {
|
|
TweenObject.prototype = {
|
|
};
|
|
TweenObject.prototype.flipTarget = function ()
|
|
{
|
|
var x1 = this.initialparam1;
|
|
var x2 = this.initialparam2;
|
|
this.initialparam1 = this.targetparam1;
|
|
this.initialparam2 = this.targetparam2;
|
|
this.targetparam1 = x1;
|
|
this.targetparam2 = x2;
|
|
this.lastKnownValue = 0;
|
|
this.lastKnownValue2 = 0;
|
|
}
|
|
TweenObject.prototype.setInitial = function (initial)
|
|
{
|
|
this.initialparam1 = parseFloat(initial.split(",")[0]);
|
|
this.initialparam2 = parseFloat(initial.split(",")[1]);
|
|
this.lastKnownValue = 0;
|
|
this.lastKnownValue2 = 0;
|
|
}
|
|
TweenObject.prototype.setTarget = function (target)
|
|
{
|
|
this.targetparam1 = parseFloat(target.split(",")[0]);
|
|
this.targetparam2 = parseFloat(target.split(",")[1]);
|
|
if (isNaN(this.targetparam2)) this.targetparam2 = this.targetparam1;
|
|
}
|
|
TweenObject.prototype.OnTick = function(dt)
|
|
{
|
|
if (this.state === 0) return -1.0;
|
|
if (this.state === 1)
|
|
this.progress += dt;
|
|
if (this.state === 2)
|
|
this.progress -= dt;
|
|
if (this.state === 3) {
|
|
this.state = 0;
|
|
}
|
|
if ((this.state === 4) || (this.state === 6)) {
|
|
this.progress += dt * this.pingpong;
|
|
}
|
|
if (this.state === 5) {
|
|
this.progress += dt * this.pingpong;
|
|
}
|
|
if (this.progress < 0) {
|
|
this.progress = 0;
|
|
if (this.state === 4) {
|
|
this.pingpong = 1;
|
|
} else if (this.state === 6) {
|
|
this.pingpong = 1;
|
|
this.flipEase = false;
|
|
} else {
|
|
this.state = 0;
|
|
}
|
|
this.onReverseEnd = true;
|
|
return 0.0;
|
|
} else if (this.progress > this.duration) {
|
|
this.progress = this.duration;
|
|
if (this.state === 4) {
|
|
this.pingpong = -1;
|
|
} else if (this.state === 6) {
|
|
this.pingpong = -1;
|
|
this.flipEase = true;
|
|
} else if (this.state === 5) {
|
|
this.progress = 0.0;
|
|
} else {
|
|
this.state = 0;
|
|
}
|
|
this.onEnd = true;
|
|
return 1.0;
|
|
} else {
|
|
if (this.flipEase) {
|
|
var factor = easeFunc(this.easefunc, this.duration - this.progress, 0, 1, this.duration, this.flipEase, this.easingparam[this.easefunc]);
|
|
} else {
|
|
var factor = easeFunc(this.easefunc, this.progress, 0, 1, this.duration, this.flipEase, this.easingparam[this.easefunc]);
|
|
}
|
|
return factor;
|
|
}
|
|
};
|
|
}());
|
|
;
|
|
;
|
|
function trim (str) {
|
|
return str.replace(/^\s\s*/, '').replace(/\s\s*$/, '');
|
|
}
|
|
cr.behaviors.lunarray_LiteTween = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.lunarray_LiteTween.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
this.i = 0; // progress
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.playmode = this.properties[0];
|
|
this.active = (this.playmode == 1) || (this.playmode == 2) || (this.playmode == 3) || (this.playmode == 4);
|
|
this.tweened = this.properties[1]; // 0=Position|1=Size|2=Width|3=Height|4=Angle|5=Opacity|6=Value only|7=Horizontal|8=Vertical|9=Scale
|
|
this.easing = this.properties[2];
|
|
this.target = this.properties[3];
|
|
this.targetmode = this.properties[4];
|
|
this.useCurrent = false;
|
|
if (this.targetmode === 1) this.target = "relative("+this.target+")";
|
|
this.duration = this.properties[5];
|
|
this.enforce = (this.properties[6] === 1);
|
|
this.value = 0;
|
|
this.tween_list = {};
|
|
this.addToTweenList("default", this.tweened, this.easing, "current", this.target, this.duration, this.enforce);
|
|
if (this.properties[0] === 1) this.startTween(0)
|
|
if (this.properties[0] === 2) this.startTween(2)
|
|
if (this.properties[0] === 3) this.startTween(3)
|
|
if (this.properties[0] === 4) this.startTween(4)
|
|
};
|
|
behinstProto.parseCurrent = function(tweened, parseText)
|
|
{
|
|
if (parseText === undefined) parseText = "current";
|
|
var parsed = trim(parseText);
|
|
parseText = trim(parseText);
|
|
var value = this.value;
|
|
if (parseText === "current") {
|
|
switch (tweened) {
|
|
case 0: parsed = this.inst.x + "," + this.inst.y; break;
|
|
case 1: parsed = this.inst.width + "," + this.inst.height; break;
|
|
case 2: parsed = this.inst.width + "," + this.inst.height; break;
|
|
case 3: parsed = this.inst.width + "," + this.inst.height; break;
|
|
case 4: parsed = cr.to_degrees(this.inst.angle) + "," + cr.to_degrees(this.inst.angle); break;
|
|
case 5: parsed = (this.inst.opacity*100) + "," + (this.inst.opacity*100); break;
|
|
case 6: parsed = value + "," + value; break;
|
|
case 7: parsed = this.inst.x + "," + this.inst.y; break;
|
|
case 8: parsed = this.inst.x + "," + this.inst.y; break;
|
|
case 9:
|
|
if (this.inst.curFrame !== undefined)
|
|
parsed = (this.inst.width/this.inst.curFrame.width) + "," +(this.inst.height/this.inst.curFrame.height)
|
|
else
|
|
parsed = "1,1";
|
|
break;
|
|
default: break;
|
|
}
|
|
}
|
|
if (parseText.substring(0,8) === "relative") {
|
|
var param1 = parseText.match(/\((.*?)\)/);
|
|
if (param1) {
|
|
var relativex = parseFloat(param1[1].split(",")[0]);
|
|
var relativey = parseFloat(param1[1].split(",")[1]);
|
|
}
|
|
if (isNaN(relativex)) relativex = 0;
|
|
if (isNaN(relativey)) relativey = 0;
|
|
switch (tweened) {
|
|
case 0: parsed = (this.inst.x+relativex) + "," + (this.inst.y+relativey); break;
|
|
case 1: parsed = (this.inst.width+relativex) + "," + (this.inst.height+relativey); break;
|
|
case 2: parsed = (this.inst.width+relativex) + "," + (this.inst.height+relativey); break;
|
|
case 3: parsed = (this.inst.width+relativex) + "," + (this.inst.height+relativey); break;
|
|
case 4: parsed = (cr.to_degrees(this.inst.angle)+relativex) + "," + (cr.to_degrees(this.inst.angle)+relativey); break;
|
|
case 5: parsed = (this.inst.opacity*100+relativex) + "," + (this.inst.opacity*100+relativey); break;
|
|
case 6: parsed = value+relativex + "," + value+relativex; break;
|
|
case 7: parsed = (this.inst.x+relativex) + "," + (this.inst.y); break;
|
|
case 8: parsed = (this.inst.x) + "," + (this.inst.y+relativex); break;
|
|
case 9: parsed = (relativex) + "," + (relativey); break;
|
|
default: break;
|
|
}
|
|
}
|
|
return parsed;
|
|
};
|
|
behinstProto.addToTweenList = function(tname, tweened, easing, init, targ, duration, enforce)
|
|
{
|
|
init = this.parseCurrent(tweened, init);
|
|
targ = this.parseCurrent(tweened, targ);
|
|
if (this.tween_list[tname] !== undefined) {
|
|
delete this.tween_list[tname]
|
|
}
|
|
this.tween_list[tname] = new TweenObject(tname, tweened, easing, init, targ, duration, enforce);
|
|
this.tween_list[tname].dt = 0;
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
var v = JSON.stringify(this.tween_list["default"]);
|
|
return {
|
|
"playmode": this.playmode,
|
|
"active": this.active,
|
|
"tweened": this.tweened,
|
|
"easing": this.easing,
|
|
"target": this.target,
|
|
"targetmode": this.targetmode,
|
|
"useCurrent": this.useCurrent,
|
|
"duration": this.duration,
|
|
"enforce": this.enforce,
|
|
"value": this.value,
|
|
"tweenlist": JSON.stringify(this.tween_list["default"])
|
|
};
|
|
};
|
|
TweenObject.Load = function(rawObj, tname, tweened, easing, init, targ, duration, enforce)
|
|
{
|
|
var obj = new TweenObject(tname, tweened, easing, init, targ, duration, enforce);
|
|
for(var i in rawObj)
|
|
obj[i] = rawObj[i];
|
|
return obj;
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
var x = JSON.parse(o["tweenlist"]);
|
|
var tempObj = TweenObject.Load(x, x.name, x.tweened, x.easefunc, x.initialparam1+","+x.initialparam2, x.targetparam1+","+x.targetparam2, x.duration, x.enforce);
|
|
this.tween_list["default"] = tempObj;
|
|
this.playmode = o["playmode"];
|
|
this.active = o["active"];
|
|
this.movement = o["tweened"];
|
|
this.easing = o["easing"];
|
|
this.target = o["target"];
|
|
this.targetmode = o["targetmode"];
|
|
this.useCurrent = o["useCurrent"];
|
|
this.duration = o["duration"];
|
|
this.enforce = o["enforce"];
|
|
this.value = o["value"];
|
|
};
|
|
behinstProto.setProgressTo = function (mark)
|
|
{
|
|
if (mark > 1.0) mark = 1.0;
|
|
if (mark < 0.0) mark = 0.0;
|
|
for (var i in this.tween_list) {
|
|
var inst = this.tween_list[i];
|
|
inst.lastKnownValue = 0;
|
|
inst.lastKnownValue2 = 0;
|
|
inst.state = 3;
|
|
inst.progress = mark * inst.duration;
|
|
var factor = inst.OnTick(0);
|
|
this.updateTween(inst, factor);
|
|
}
|
|
}
|
|
behinstProto.startTween = function (startMode)
|
|
{
|
|
for (var i in this.tween_list) {
|
|
var inst = this.tween_list[i];
|
|
if (this.useCurrent) {
|
|
var init = this.parseCurrent(inst.tweened, "current");
|
|
var target = this.parseCurrent(inst.tweened, this.target);
|
|
inst.setInitial(init);
|
|
inst.setTarget(target);
|
|
}
|
|
if (startMode === 0) {
|
|
inst.progress = 0.000001;
|
|
inst.lastKnownValue = 0;
|
|
inst.lastKnownValue2 = 0;
|
|
inst.onStart = true;
|
|
inst.state = 1;
|
|
}
|
|
if (startMode === 1) {
|
|
inst.state = inst.lastState;
|
|
}
|
|
if ((startMode === 2) || (startMode === 4)) {
|
|
inst.progress = 0.000001;
|
|
inst.lastKnownValue = 0;
|
|
inst.lastKnownValue2 = 0;
|
|
inst.onStart = true;
|
|
if (startMode == 2) inst.state = 4; //state ping pong
|
|
if (startMode == 4) inst.state = 6; //state flip flop
|
|
}
|
|
if (startMode === 3) {
|
|
inst.progress = 0.000001;
|
|
inst.lastKnownValue = 0;
|
|
inst.lastKnownValue2 = 0;
|
|
inst.onStart = true;
|
|
inst.state = 5;
|
|
}
|
|
}
|
|
}
|
|
behinstProto.stopTween = function (stopMode)
|
|
{
|
|
for (var i in this.tween_list) {
|
|
var inst = this.tween_list[i];
|
|
if ((inst.state != 3) && (inst.state != 0)) //don't save paused/seek state
|
|
inst.lastState = inst.state;
|
|
if (stopMode === 1) inst.progress = 0.0;
|
|
if (stopMode === 2) inst.progress = inst.duration;
|
|
inst.state = 3;
|
|
var factor = inst.OnTick(0);
|
|
this.updateTween(inst, factor);
|
|
}
|
|
}
|
|
behinstProto.reverseTween = function(reverseMode)
|
|
{
|
|
for (var i in this.tween_list) {
|
|
var inst = this.tween_list[i];
|
|
if (reverseMode === 1) {
|
|
inst.progress = inst.duration;
|
|
inst.lastKnownValue = 0;
|
|
inst.lastKnownValue2 = 0;
|
|
inst.onReverseStart = true;
|
|
}
|
|
inst.state = 2;
|
|
}
|
|
}
|
|
behinstProto.updateTween = function (inst, factor)
|
|
{
|
|
if (inst.tweened === 0) {
|
|
if (inst.enforce) {
|
|
this.inst.x = inst.initialparam1 + (inst.targetparam1 - inst.initialparam1) * factor;
|
|
this.inst.y = inst.initialparam2 + (inst.targetparam2 - inst.initialparam2) * factor;
|
|
} else {
|
|
this.inst.x += ((inst.targetparam1 - inst.initialparam1) * factor) - inst.lastKnownValue;
|
|
this.inst.y += ((inst.targetparam2 - inst.initialparam2) * factor) - inst.lastKnownValue2;
|
|
inst.lastKnownValue = ((inst.targetparam1 - inst.initialparam1) * factor);
|
|
inst.lastKnownValue2 = ((inst.targetparam2 - inst.initialparam2) * factor);
|
|
}
|
|
} else if (inst.tweened === 1) {
|
|
if (inst.enforce) {
|
|
this.inst.width = (inst.initialparam1 + ((inst.targetparam1 - inst.initialparam1) * (factor)));
|
|
this.inst.height = (inst.initialparam2 + ((inst.targetparam2 - inst.initialparam2) * (factor)));
|
|
} else {
|
|
this.inst.width += ((inst.targetparam1 - inst.initialparam1) * factor) - inst.lastKnownValue;
|
|
this.inst.height += ((inst.targetparam2 - inst.initialparam2) * factor) - inst.lastKnownValue2;
|
|
inst.lastKnownValue = ((inst.targetparam1 - inst.initialparam1) * factor);
|
|
inst.lastKnownValue2 = ((inst.targetparam2 - inst.initialparam2) * factor);
|
|
}
|
|
} else if (inst.tweened === 2) {
|
|
if (inst.enforce) {
|
|
this.inst.width = (inst.initialparam1 + ((inst.targetparam1 - inst.initialparam1) * (factor)));
|
|
} else {
|
|
this.inst.width += ((inst.targetparam1 - inst.initialparam1) * factor) - inst.lastKnownValue;
|
|
inst.lastKnownValue = ((inst.targetparam1 - inst.initialparam1) * factor);
|
|
}
|
|
} else if (inst.tweened === 3) {
|
|
if (inst.enforce) {
|
|
this.inst.height = (inst.initialparam2 + ((inst.targetparam2 - inst.initialparam2) * (factor)));
|
|
} else {
|
|
this.inst.height += ((inst.targetparam2 - inst.initialparam2) * factor) - inst.lastKnownValue2;
|
|
inst.lastKnownValue2 = ((inst.targetparam2 - inst.initialparam2) * factor);
|
|
}
|
|
} else if (inst.tweened === 4) {
|
|
if (inst.enforce) {
|
|
var tangle = inst.initialparam1 + (inst.targetparam1 - inst.initialparam1) * factor;
|
|
this.inst.angle = cr.clamp_angle(cr.to_radians(tangle));
|
|
} else {
|
|
var tangle = ((inst.targetparam1 - inst.initialparam1) * factor) - inst.lastKnownValue;
|
|
this.inst.angle = cr.clamp_angle(this.inst.angle + cr.to_radians(tangle));
|
|
inst.lastKnownValue = (inst.targetparam1 - inst.initialparam1) * factor;
|
|
}
|
|
} else if (inst.tweened === 5) {
|
|
if (inst.enforce) {
|
|
this.inst.opacity = (inst.initialparam1 + (inst.targetparam1 - inst.initialparam1) * factor) / 100;
|
|
} else {
|
|
this.inst.opacity += (((inst.targetparam1 - inst.initialparam1) * factor) - inst.lastKnownValue) / 100;
|
|
inst.lastKnownValue = ((inst.targetparam1 - inst.initialparam1) * factor);
|
|
}
|
|
} else if (inst.tweened === 6) {
|
|
if (inst.enforce) {
|
|
this.value = (inst.initialparam1 + (inst.targetparam1 - inst.initialparam1) * factor);
|
|
} else {
|
|
this.value += (((inst.targetparam1 - inst.initialparam1) * factor) - inst.lastKnownValue);
|
|
inst.lastKnownValue = ((inst.targetparam1 - inst.initialparam1) * factor);
|
|
}
|
|
} else if (inst.tweened === 7) {
|
|
if (inst.enforce) {
|
|
this.inst.x = inst.initialparam1 + (inst.targetparam1 - inst.initialparam1) * factor;
|
|
} else {
|
|
this.inst.x += ((inst.targetparam1 - inst.initialparam1) * factor) - inst.lastKnownValue;
|
|
inst.lastKnownValue = ((inst.targetparam1 - inst.initialparam1) * factor);
|
|
}
|
|
} else if (inst.tweened === 8) {
|
|
if (inst.enforce) {
|
|
this.inst.y = inst.initialparam2 + (inst.targetparam2 - inst.initialparam2) * factor;
|
|
} else {
|
|
this.inst.y += ((inst.targetparam2 - inst.initialparam2) * factor) - inst.lastKnownValue2;
|
|
inst.lastKnownValue2 = ((inst.targetparam2 - inst.initialparam2) * factor);
|
|
}
|
|
} else if (inst.tweened === 9) {
|
|
var scalex = inst.initialparam1 + (inst.targetparam1 - inst.initialparam1) * factor;
|
|
var scaley = inst.initialparam2 + (inst.targetparam2 - inst.initialparam2) * factor;
|
|
if (this.inst.width < 0) scalex = inst.initialparam1 + (inst.targetparam1 + inst.initialparam1) * -factor;
|
|
if (this.inst.height < 0) scaley = inst.initialparam2 + (inst.targetparam2 + inst.initialparam2) * -factor;
|
|
if (inst.enforce) {
|
|
this.inst.width = this.inst.curFrame.width * scalex;
|
|
this.inst.height = this.inst.curFrame.height * scaley;
|
|
} else {
|
|
if (this.inst.width < 0) {
|
|
this.inst.width = scalex * (this.inst.width / (-1+inst.lastKnownValue));
|
|
inst.lastKnownValue = scalex + 1
|
|
} else {
|
|
this.inst.width = scalex * (this.inst.width / (1+inst.lastKnownValue));
|
|
inst.lastKnownValue = scalex - 1;
|
|
}
|
|
if (this.inst.height < 0) {
|
|
this.inst.height = scaley * (this.inst.height / (-1+inst.lastKnownValue2));
|
|
inst.lastKnownValue2 = scaley + 1
|
|
} else {
|
|
this.inst.height = scaley * (this.inst.height / (1+inst.lastKnownValue2));
|
|
inst.lastKnownValue2 = scaley - 1;
|
|
}
|
|
}
|
|
}
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
behinstProto.tick = function ()
|
|
{
|
|
var dt = this.runtime.getDt(this.inst);
|
|
var inst = this.tween_list["default"];
|
|
if (inst.state !== 0) {
|
|
if (inst.onStart) {
|
|
this.runtime.trigger(cr.behaviors.lunarray_LiteTween.prototype.cnds.OnStart, this.inst);
|
|
inst.onStart = false;
|
|
}
|
|
if (inst.onReverseStart) {
|
|
this.runtime.trigger(cr.behaviors.lunarray_LiteTween.prototype.cnds.OnReverseStart, this.inst);
|
|
inst.onReverseStart = false;
|
|
}
|
|
this.active = (inst.state == 1) || (inst.state == 2) || (inst.state == 4) || (inst.state == 5) || (inst.state == 6);
|
|
var factor = inst.OnTick(dt);
|
|
this.updateTween(inst, factor);
|
|
if (inst.onEnd) {
|
|
this.runtime.trigger(cr.behaviors.lunarray_LiteTween.prototype.cnds.OnEnd, this.inst);
|
|
inst.onEnd = false;
|
|
}
|
|
if (inst.onReverseEnd) {
|
|
this.runtime.trigger(cr.behaviors.lunarray_LiteTween.prototype.cnds.OnReverseEnd, this.inst);
|
|
inst.onReverseEnd = false;
|
|
}
|
|
}
|
|
};
|
|
behaviorProto.cnds = {};
|
|
var cnds = behaviorProto.cnds;
|
|
cnds.IsActive = function ()
|
|
{
|
|
return (this.tween_list["default"].state !== 0);
|
|
};
|
|
cnds.IsReversing = function ()
|
|
{
|
|
return (this.tween_list["default"].state == 2);
|
|
};
|
|
cnds.CompareProgress = function (cmp, v)
|
|
{
|
|
var inst = this.tween_list["default"];
|
|
return cr.do_cmp((inst.progress / inst.duration), cmp, v);
|
|
};
|
|
cnds.OnThreshold = function (cmp, v)
|
|
{
|
|
var inst = this.tween_list["default"];
|
|
this.threshold = (cr.do_cmp((inst.progress / inst.duration), cmp, v));
|
|
var ret = (this.oldthreshold != this.threshold) && (this.threshold);
|
|
if (ret) {
|
|
this.oldthreshold = this.threshold;
|
|
}
|
|
return ret;
|
|
};
|
|
cnds.OnStart = function ()
|
|
{
|
|
if (this.tween_list["default"] === undefined)
|
|
return false;
|
|
return this.tween_list["default"].onStart;
|
|
};
|
|
cnds.OnReverseStart = function ()
|
|
{
|
|
if (this.tween_list["default"] === undefined)
|
|
return false;
|
|
return this.tween_list["default"].onReverseStart;
|
|
};
|
|
cnds.OnEnd = function ()
|
|
{
|
|
if (this.tween_list["default"] === undefined)
|
|
return false;
|
|
return this.tween_list["default"].onEnd;
|
|
};
|
|
cnds.OnReverseEnd = function ()
|
|
{
|
|
if (this.tween_list["default"] === undefined)
|
|
return false;
|
|
return this.tween_list["default"].onReverseEnd;
|
|
};
|
|
behaviorProto.acts = {};
|
|
var acts = behaviorProto.acts;
|
|
acts.Start = function (startmode, current)
|
|
{
|
|
this.threshold = false;
|
|
this.oldthreshold = false;
|
|
this.useCurrent = (current == 1);
|
|
this.startTween(startmode);
|
|
};
|
|
acts.Stop = function (stopmode)
|
|
{
|
|
this.stopTween(stopmode);
|
|
};
|
|
acts.Reverse = function (revMode)
|
|
{
|
|
this.threshold = false;
|
|
this.oldthreshold = false;
|
|
this.reverseTween(revMode);
|
|
};
|
|
acts.ProgressTo = function (progress)
|
|
{
|
|
this.setProgressTo(progress);
|
|
};
|
|
acts.SetDuration = function (x)
|
|
{
|
|
if (isNaN(x)) return;
|
|
if (x < 0) return;
|
|
if (this.tween_list["default"] === undefined) return;
|
|
this.tween_list["default"].duration = x;
|
|
};
|
|
acts.SetEnforce = function (x)
|
|
{
|
|
if (this.tween_list["default"] === undefined) return;
|
|
this.tween_list["default"].enforce = (x===1);
|
|
};
|
|
acts.SetInitial = function (x)
|
|
{
|
|
if (this.tween_list["default"] === undefined) return;
|
|
var init = this.parseCurrent(this.tween_list["default"].tweened, x);
|
|
this.tween_list["default"].setInitial(init);
|
|
};
|
|
acts.SetTarget = function (targettype, absrel, x)
|
|
{
|
|
if (this.tween_list["default"] === undefined) return;
|
|
if (isNaN(x)) return;
|
|
var inst = this.tween_list["default"];
|
|
var parsed = x + "";
|
|
this.targetmode = absrel;
|
|
var x1 = "";
|
|
var x2 = "";
|
|
if (absrel === 1) {
|
|
this.target = "relative(" + parsed + ")";
|
|
switch (targettype) {
|
|
case 0: x1 = (this.inst.x + x); x2 = inst.targetparam2; break;
|
|
case 1: x1 = inst.targetparam1; x2 = (this.inst.y + x); break;
|
|
case 2: x1 = "" + cr.to_degrees(this.inst.angle + cr.to_radians(x)); x2 = x1; break; //angle
|
|
case 3: x1 = "" + (this.inst.opacity*100) + x; x2 = x1; break; //opacity
|
|
case 4: x1 = (this.inst.width + x); x2 = inst.targetparam2; break; //width
|
|
case 5: x1 = inst.targetparam1; x2 = (this.inst.height + x); break; //height
|
|
case 6: x1 = x; x2 = x; break; //value
|
|
default: break;
|
|
}
|
|
parsed = x1 + "," + x2;
|
|
} else {
|
|
switch (targettype) {
|
|
case 0: x1 = x; x2 = inst.targetparam2; break;
|
|
case 1: x1 = inst.targetparam1; x2 = x; break;
|
|
case 2: x1 = x; x2 = x; break; //angle
|
|
case 3: x1 = x; x2 = x; break; //opacity
|
|
case 4: x1 = x; x2 = inst.targetparam2; break; //width
|
|
case 5: x1 = inst.targetparam1; x2 = x; break; //height
|
|
case 6: x1 = x; x2 = x; break; //value
|
|
default: break;
|
|
}
|
|
parsed = x1 + "," + x2;
|
|
this.target = parsed;
|
|
}
|
|
var init = this.parseCurrent(this.tween_list["default"].tweened, "current");
|
|
var targ = this.parseCurrent(this.tween_list["default"].tweened, parsed);
|
|
inst.setInitial(init);
|
|
inst.setTarget(targ);
|
|
};
|
|
acts.SetTweenedProperty = function (x)
|
|
{
|
|
if (this.tween_list["default"] === undefined) return;
|
|
this.tween_list["default"].tweened = x;
|
|
};
|
|
acts.SetEasing = function (x)
|
|
{
|
|
if (this.tween_list["default"] === undefined) return;
|
|
this.tween_list["default"].easefunc = x;
|
|
};
|
|
acts.SetEasingParam = function (x, a, p, t, s)
|
|
{
|
|
if (this.tween_list["default"] === undefined) return;
|
|
this.tween_list["default"].easingparam[x].optimized = false;
|
|
this.tween_list["default"].easingparam[x].a = a;
|
|
this.tween_list["default"].easingparam[x].p = p;
|
|
this.tween_list["default"].easingparam[x].t = t;
|
|
this.tween_list["default"].easingparam[x].s = s;
|
|
};
|
|
acts.ResetEasingParam = function ()
|
|
{
|
|
if (this.tween_list["default"] === undefined) return;
|
|
this.tween_list["default"].optimized = true;
|
|
};
|
|
acts.SetValue = function (x)
|
|
{
|
|
var inst = this.tween_list["default"];
|
|
this.value = x;
|
|
if (inst.tweened === 6)
|
|
inst.setInitial( this.parseCurrent(inst.tweened, "current") );
|
|
};
|
|
acts.SetParameter = function (tweened, easefunction, target, duration, enforce)
|
|
{
|
|
if (this.tween_list["default"] === undefined) {
|
|
this.addToTweenList("default", tweened, easefunction, initial, target, duration, enforce, 0);
|
|
} else {
|
|
var inst = this.tween_list["default"];
|
|
inst.tweened = tweened;
|
|
inst.easefunc = easefunction;
|
|
inst.setInitial( this.parseCurrent(tweened, "current") );
|
|
inst.setTarget( this.parseCurrent(tweened, target) );
|
|
inst.duration = duration;
|
|
inst.enforce = (enforce === 1);
|
|
}
|
|
};
|
|
behaviorProto.exps = {};
|
|
var exps = behaviorProto.exps;
|
|
exps.State = function (ret)
|
|
{
|
|
var parsed = "N/A";
|
|
switch (this.tween_list["default"].state) {
|
|
case 0: parsed = "paused"; break;
|
|
case 1: parsed = "playing"; break;
|
|
case 2: parsed = "reversing"; break;
|
|
case 3: parsed = "seeking"; break;
|
|
default: break;
|
|
}
|
|
ret.set_string(parsed);
|
|
};
|
|
exps.Progress = function (ret)
|
|
{
|
|
var progress = this.tween_list["default"].progress/this.tween_list["default"].duration;
|
|
ret.set_float(progress);
|
|
};
|
|
exps.Duration = function (ret)
|
|
{
|
|
ret.set_float(this.tween_list["default"].duration);
|
|
};
|
|
exps.Target = function (ret)
|
|
{
|
|
var inst = this.tween_list["default"];
|
|
var parsed = "N/A";
|
|
switch (inst.tweened) {
|
|
case 0: parsed = inst.targetparam1; break;
|
|
case 1: parsed = inst.targetparam2; break;
|
|
case 2: parsed = inst.targetparam1; break;
|
|
case 3: parsed = inst.targetparam1; break;
|
|
case 4: parsed = inst.targetparam1; break;
|
|
case 5: parsed = inst.targetparam2; break;
|
|
case 6: parsed = inst.targetparam1; break;
|
|
default: break;
|
|
}
|
|
ret.set_float(parsed);
|
|
};
|
|
exps.Value = function (ret)
|
|
{
|
|
var tval = this.value;
|
|
ret.set_float(tval);
|
|
};
|
|
exps.Tween = function (ret, a_, b_, x_, easefunc_)
|
|
{
|
|
var currX = (x_>1.0?1.0:x_);
|
|
var factor = easeFunc(easefunc_, currX<0.0?0.0:currX, 0.0, 1.0, 1.0, false, false);
|
|
ret.set_float(a_ + factor * (b_-a_));
|
|
};
|
|
}());
|
|
;
|
|
;
|
|
function trim (str) {
|
|
return str.replace(/^\s\s*/, '').replace(/\s\s*$/, '');
|
|
}
|
|
cr.behaviors.lunarray_Tween = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.lunarray_Tween.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
this.i = 0; // progress
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.groupUpdateProgress = function(v)
|
|
{
|
|
if (v > 1) v = 1;
|
|
if (cr.lunarray_tweenProgress[this.group] = -1) cr.lunarray_tweenProgress[this.group] = v;
|
|
if (cr.lunarray_tweenProgress[this.group] >= v) cr.lunarray_tweenProgress[this.group] = v;
|
|
}
|
|
behinstProto.groupSync = function()
|
|
{
|
|
if (this.group != "") {
|
|
if (typeof cr.lunarray_tweenGroup === "undefined") {
|
|
cr.lunarray_tweenGroup = {};
|
|
cr.lunarray_tweenProgress = {};
|
|
}
|
|
if (typeof cr.lunarray_tweenGroup[this.group] === "undefined") {
|
|
cr.lunarray_tweenGroup[this.group] = [];
|
|
cr.lunarray_tweenProgress[this.group] = -1;
|
|
}
|
|
if (cr.lunarray_tweenGroup[this.group].indexOf(this) == -1) {
|
|
cr.lunarray_tweenGroup[this.group].push(this);
|
|
}
|
|
}
|
|
}
|
|
behinstProto.saveState = function()
|
|
{
|
|
this.tweenSaveWidth = this.inst.width;
|
|
this.tweenSaveHeight = this.inst.height;
|
|
this.tweenSaveAngle = this.inst.angle;
|
|
this.tweenSaveOpacity = this.inst.opacity;
|
|
this.tweenSaveX = this.inst.x;
|
|
this.tweenSaveY = this.inst.y;
|
|
this.tweenSaveValue = this.value;
|
|
}
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.active = (this.properties[0] === 1);
|
|
this.tweened = this.properties[1]; // 0=Position|1=Size|2=Width|3=Height|4=Angle|5=Opacity|6=Value only|7=Pixel Size
|
|
this.easing = this.properties[2];
|
|
this.initial = this.properties[3];
|
|
this.target = this.properties[4];
|
|
this.duration = this.properties[5];
|
|
this.wait = this.properties[6];
|
|
this.playmode = this.properties[7]; //0=Play Once|1=Repeat|2=Ping Pong|3=Play once and destroy|4=Loop|5=Ping Pong Stop|6=Play and stop
|
|
this.value = this.properties[8];
|
|
this.coord_mode = this.properties[9]; //0=Absolute|1=Relative
|
|
this.forceInit = (this.properties[10] === 1);
|
|
this.group = this.properties[11];
|
|
this.targetObject = null;
|
|
this.pingpongCounter = 0;
|
|
if (this.playmode == 5) this.pingpongCounter = 1;
|
|
this.groupSync();
|
|
this.isPaused = false;
|
|
this.initialX = this.inst.x;
|
|
this.initialY = this.inst.y;
|
|
this.targetX = parseFloat(this.target.split(",")[0]);
|
|
this.targetY = parseFloat(this.target.split(",")[1]);
|
|
this.saveState();
|
|
this.tweenInitialX = 0;
|
|
this.tweenInitialY = 0;
|
|
this.tweenTargetX = 0;
|
|
this.tweenTargetY = 0;
|
|
this.tweenTargetAngle = 0;
|
|
this.ratio = this.inst.height / this.inst.width;
|
|
this.reverse = false;
|
|
this.rewindMode = false;
|
|
this.doTweenX = true;
|
|
this.doTweenY = true;
|
|
this.loop = false;
|
|
this.initiating = 0;
|
|
this.cooldown = 0;
|
|
this.lastPlayMode = this.playmode;
|
|
this.lastKnownValue = this.tweenInitialX;
|
|
this.lastKnownX = this.tweenInitialX;
|
|
this.lastKnownY = this.tweenInitialY;
|
|
if (this.forceInit) this.init();
|
|
if (this.initial == "") this.initial = "current";
|
|
this.onStarted = false;
|
|
this.onStartedDone = false;
|
|
this.onWaitEnd = false;
|
|
this.onWaitEndDone = false;
|
|
this.onEnd = false;
|
|
this.onEndDone = false;
|
|
this.onCooldown = false;
|
|
this.onCooldownDone = false;
|
|
if (this.active) {
|
|
this.init();
|
|
}
|
|
};
|
|
behinstProto.init = function ()
|
|
{
|
|
this.onStarted = false;
|
|
if (this.initial === "") this.initial = "current";
|
|
if (this.target === "") this.target = "current";
|
|
var isCurrent = (this.initial === "current");
|
|
var targetIsCurrent = (this.target === "current");
|
|
var isTargettingObject = (this.target === "OBJ");
|
|
if (this.target === "OBJ") {
|
|
if (this.targetObject != null) {
|
|
if (this.tweened == 0) {
|
|
if (this.coord_mode == 1) //relative mode
|
|
this.target = (this.targetObject.x-this.inst.x) + "," + (this.targetObject.y-this.inst.y);
|
|
else //absolute mode
|
|
this.target = (this.targetObject.x) + "," + (this.targetObject.y);
|
|
} else if ((this.tweened == 1) || (this.tweened == 2) || (this.tweened == 3) || (this.tweened == 7)) {
|
|
if (this.coord_mode == 1) { //relative mode
|
|
this.target = ((this.tweened==2)?1:(this.targetObject.width)) + "," + ((this.tweened==3)?1:(this.targetObject.height));
|
|
} else {
|
|
this.target = ((this.tweened==2)?1:(this.targetObject.width/this.tweenSaveWidth)) + "," + ((this.tweened==3)?1:(this.targetObject.height/this.tweenSaveHeight));
|
|
}
|
|
} else if (this.tweened == 4) {
|
|
if (this.coord_mode == 1) //relative mode
|
|
this.target = cr.to_degrees(this.targetObject.angle-this.inst.angle) + "";
|
|
else //absolute mode
|
|
this.target = cr.to_degrees(this.targetObject.angle) + "";
|
|
} else if (this.tweened == 5) {
|
|
if (this.coord_mode == 1) //relative mode
|
|
this.target = ((this.targetObject.opacity-this.inst.opacity)*100) + "";
|
|
else //absolute mode
|
|
this.target = (this.targetObject.opacity*100) + "";
|
|
}
|
|
}
|
|
}
|
|
if (this.tweened == 0) {
|
|
if (targetIsCurrent) this.target = this.inst.x + "," + this.inst.y;
|
|
if (!isCurrent) {
|
|
if (!this.reverse) {
|
|
if (this.playmode != 1) {
|
|
this.inst.x = parseFloat(this.initial.split(",")[0]);
|
|
this.inst.y = parseFloat(this.initial.split(",")[1]);
|
|
}
|
|
}
|
|
} else {
|
|
if (this.coord_mode == 1) {
|
|
this.initial = this.inst.x + "," + this.inst.y;
|
|
} else {
|
|
this.initial = this.tweenSaveX + "," + this.tweenSaveY;
|
|
}
|
|
}
|
|
if (this.coord_mode == 1) {
|
|
if (this.loop) {
|
|
this.inst.x = this.tweenSaveX;
|
|
this.inst.y = this.tweenSaveY;
|
|
}
|
|
this.initialX = this.inst.x;
|
|
this.initialY = this.inst.y;
|
|
if (!this.reverse) {
|
|
this.targetX = parseFloat(this.target.split(",")[0]);
|
|
this.targetY = parseFloat(this.target.split(",")[1]);
|
|
} else {
|
|
this.targetX = -parseFloat(this.target.split(",")[0]);
|
|
this.targetY = -parseFloat(this.target.split(",")[1]);
|
|
}
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenInitialY = this.initialY;
|
|
this.tweenTargetX = this.tweenInitialX + this.targetX;
|
|
this.tweenTargetY = this.tweenInitialY + this.targetY;
|
|
} else {
|
|
if (!this.reverse) {
|
|
this.inst.x = this.tweenSaveX;
|
|
this.inst.y = this.tweenSaveY;
|
|
this.targetX = parseFloat(this.target.split(",")[0]);
|
|
this.targetY = parseFloat(this.target.split(",")[1]);
|
|
} else {
|
|
this.inst.x = parseFloat(this.target.split(",")[0]);
|
|
this.inst.y = parseFloat(this.target.split(",")[1]);
|
|
this.targetX = this.tweenSaveX;
|
|
this.targetY = this.tweenSaveY;
|
|
}
|
|
this.initialX = this.inst.x;
|
|
this.initialY = this.inst.y;
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenInitialY = this.initialY;
|
|
this.tweenTargetX = this.targetX;
|
|
this.tweenTargetY = this.targetY;
|
|
if (this.playmode == -6) {
|
|
this.tweenTargetX = this.tweenSaveX;
|
|
this.tweenTargetY = this.tweenSaveY;
|
|
}
|
|
}
|
|
} else if ((this.tweened == 1) || (this.tweened == 2) || (this.tweened == 3)) {
|
|
if (targetIsCurrent) this.target = "1,1";
|
|
if (this.initial == "current") this.initial = "1,1";
|
|
this.initial = "" + this.initial;
|
|
this.target = "" + this.target;
|
|
if (this.tweened == 2) {
|
|
if (this.initial.indexOf(',') == -1) this.initial = parseFloat(this.initial) + ",1";
|
|
if (this.target.indexOf(',') == -1) this.target = parseFloat(this.target) + ",1";
|
|
} else if (this.tweened == 3) {
|
|
if (this.initial.indexOf(',') == -1) this.initial = "1," + parseFloat(this.initial);
|
|
if (this.target.indexOf(',') == -1) this.target = "1," + parseFloat(this.target);
|
|
} else {
|
|
if (this.initial.indexOf(',') == -1) this.initial = parseFloat(this.initial) + "," + parseFloat(this.initial);
|
|
if (this.target.indexOf(',') == -1) this.target = parseFloat(this.target) + "," + parseFloat(this.target);
|
|
}
|
|
var ix = parseFloat(this.initial.split(",")[0]);
|
|
var iy = parseFloat(this.initial.split(",")[1]);
|
|
this.doTweenX = true;
|
|
var tx = parseFloat(this.target.split(",")[0]);
|
|
if ((tx == 0) || (isNaN(tx))) this.doTweenX = false;
|
|
if (this.tweened == 3) this.doTweenX = false;
|
|
this.doTweenY = true;
|
|
var ty = parseFloat(this.target.split(",")[1]);
|
|
if ((ty == 0) || (isNaN(ty))) this.doTweenY = false;
|
|
if (this.tweened == 2) this.doTweenY = false;
|
|
if (this.coord_mode == 1) {
|
|
if (this.loop) {
|
|
this.inst.width = this.tweenSaveWidth;
|
|
this.inst.height = this.tweenSaveHeight;
|
|
}
|
|
if (!isCurrent) {
|
|
if (!this.reverse) {
|
|
this.inst.width = this.inst.width * ix;
|
|
this.inst.height = this.inst.height * iy;
|
|
} else {
|
|
this.inst.width = this.inst.width * tx;
|
|
this.inst.height = this.inst.height * ty;
|
|
}
|
|
}
|
|
this.initialX = this.inst.width;
|
|
this.initialY = this.inst.height;
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenInitialY = this.initialY;
|
|
if (!this.reverse) {
|
|
this.targetX = this.initialX * tx;
|
|
this.targetY = this.initialY * ty;
|
|
} else {
|
|
this.targetX = this.initialX * ix/tx;
|
|
this.targetY = this.initialY * iy/ty;
|
|
}
|
|
this.tweenTargetX = this.targetX;
|
|
this.tweenTargetY = this.targetY;
|
|
} else {
|
|
if (!isCurrent) {
|
|
if (!this.reverse) {
|
|
this.inst.width = this.tweenSaveWidth * ix;
|
|
this.inst.height = this.tweenSaveHeight * iy;
|
|
} else {
|
|
this.inst.width = this.tweenSaveWidth * tx;
|
|
this.inst.height = this.tweenSaveHeight * ty;
|
|
}
|
|
}
|
|
this.initialX = this.inst.width;
|
|
this.initialY = this.inst.height;
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenInitialY = this.initialY;
|
|
if (!this.reverse) {
|
|
this.targetX = this.tweenSaveWidth * tx;
|
|
this.targetY = this.tweenSaveHeight * ty;
|
|
} else {
|
|
this.targetX = this.tweenSaveWidth * ix;
|
|
this.targetY = this.tweenSaveHeight * iy;
|
|
}
|
|
this.tweenTargetX = this.targetX;
|
|
this.tweenTargetY = this.targetY;
|
|
}
|
|
if (this.playmode == -6) {
|
|
this.tweenTargetX = this.tweenSaveWidth * ix;
|
|
this.tweenTargetY = this.tweenSaveHeight * iy;
|
|
}
|
|
} else if (this.tweened == 4) {
|
|
if (targetIsCurrent) this.target = cr.to_degrees(this.inst.angle);
|
|
if (this.initial != "current") {
|
|
if (!this.reverse) {
|
|
if (this.playmode != 1) { //if repeat, don't initialize
|
|
this.inst.angle = cr.to_radians(parseFloat(this.initial.split(",")[0]));
|
|
}
|
|
}
|
|
}
|
|
if (this.coord_mode == 1) {
|
|
if (this.loop) {
|
|
this.inst.angle = this.tweenSaveAngle;
|
|
}
|
|
this.initialX = this.inst.angle;
|
|
if (this.reverse) {
|
|
this.targetX = this.inst.angle - cr.to_radians(parseFloat(this.target.split(",")[0]));
|
|
} else {
|
|
this.targetX = this.inst.angle + cr.to_radians(parseFloat(this.target.split(",")[0]));
|
|
}
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenTargetX = cr.to_degrees(this.targetX);
|
|
} else {
|
|
if (this.reverse) {
|
|
this.inst.angle = cr.to_radians(parseFloat(this.target.split(",")[0]));;
|
|
this.initialX = this.inst.angle;
|
|
this.targetX = this.tweenSaveAngle;
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenTargetX = cr.to_degrees(this.targetX);
|
|
} else {
|
|
this.inst.angle = this.tweenSaveAngle;
|
|
this.initialX = this.inst.angle;
|
|
this.targetX = cr.to_radians(parseFloat(this.target.split(",")[0]));
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenTargetX = cr.to_degrees(this.targetX);
|
|
}
|
|
}
|
|
if (this.playmode == -6) {
|
|
this.tweenTargetX = cr.to_degrees(this.tweenSaveAngle);
|
|
}
|
|
this.tweenTargetAngle = cr.to_radians(this.tweenTargetX);
|
|
} else if (this.tweened == 5) {
|
|
if (this.initial == "current") this.initial = this.inst.opacity;
|
|
if (targetIsCurrent) this.target = ""+this.inst.opacity;
|
|
if (!isCurrent) {
|
|
if (!this.reverse) {
|
|
if (this.playmode != 1) { //if repeat, don't initialize
|
|
this.inst.opacity = parseFloat(this.initial.split(",")[0]) / 100;
|
|
}
|
|
}
|
|
}
|
|
if (this.coord_mode == 1) {
|
|
if (this.loop) {
|
|
this.inst.opacity = this.tweenSaveOpacity;
|
|
}
|
|
this.initialX = this.inst.opacity;
|
|
this.tweenInitialX = this.initialX;
|
|
if (!this.reverse) {
|
|
this.targetX = parseFloat(this.target.split(",")[0]) / 100;
|
|
} else {
|
|
this.targetX = -parseFloat(this.target.split(",")[0]) / 100;
|
|
}
|
|
this.tweenTargetX = this.tweenInitialX + this.targetX;
|
|
} else {
|
|
this.initialX = this.inst.opacity;
|
|
if (!this.reverse) {
|
|
this.tweenInitialX = this.initialX;
|
|
this.targetX = parseFloat(this.target.split(",")[0]) / 100;
|
|
} else {
|
|
this.tweenInitialX = parseFloat(this.target.split(",")[0]) / 100;
|
|
this.targetX = parseFloat(this.initial.split(",")[0]) / 100;
|
|
}
|
|
this.tweenTargetX = this.targetX;
|
|
}
|
|
if (this.playmode == -6) {
|
|
this.tweenTargetX = this.tweenSaveOpacity;
|
|
}
|
|
} else if (this.tweened == 6) {
|
|
if (isNaN(this.value)) this.value = 0;
|
|
if (this.initial == "current") this.initial = ""+this.value;
|
|
if (targetIsCurrent) this.target = ""+this.value;
|
|
if (!isCurrent) {
|
|
if (!this.reverse) {
|
|
if (this.playmode != 1) { //if repeat, don't initialize
|
|
this.value = parseFloat(this.initial.split(",")[0]);
|
|
}
|
|
}
|
|
}
|
|
if (this.coord_mode == 1) {
|
|
if (this.loop) {
|
|
this.value = this.tweenSaveValue;
|
|
}
|
|
if (!isCurrent) {
|
|
if (!this.reverse) {
|
|
this.value = parseFloat(this.initial.split(",")[0]);
|
|
} else {
|
|
this.value = parseFloat(this.target.split(",")[0]);
|
|
}
|
|
}
|
|
this.initialX = this.value;
|
|
if (!this.reverse) {
|
|
this.targetX = this.initialX + parseFloat(this.target.split(",")[0]);
|
|
} else {
|
|
this.targetX = this.initialX - parseFloat(this.target.split(",")[0]);
|
|
}
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenTargetX = this.targetX;
|
|
} else {
|
|
if (!isCurrent) {
|
|
if (!this.reverse) {
|
|
this.value = parseFloat(this.initial.split(",")[0]);
|
|
} else {
|
|
this.value = parseFloat(this.target.split(",")[0]);
|
|
}
|
|
}
|
|
this.initialX = this.value;
|
|
if (!this.reverse) {
|
|
this.targetX = parseFloat(this.target.split(",")[0]);
|
|
} else {
|
|
this.targetX = parseFloat(this.initial.split(",")[0]);
|
|
}
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenTargetX = this.targetX;
|
|
}
|
|
if (this.playmode == -6) {
|
|
this.tweenTargetX = this.tweenSaveValue;
|
|
}
|
|
} else if (this.tweened == 7) {
|
|
if (targetIsCurrent) this.target = this.inst.width + "," + this.inst.height;
|
|
if (this.initial != "current") {
|
|
if (!this.reverse) {
|
|
if (this.playmode != 1) { //if repeat, don't initialize
|
|
this.inst.width = parseFloat(this.initial.split(",")[0]);
|
|
this.inst.height = parseFloat(this.initial.split(",")[1]);
|
|
}
|
|
}
|
|
}
|
|
this.doTweenX = true;
|
|
var tx = parseFloat(this.target.split(",")[0]);
|
|
if ((tx < 0) || (isNaN(tx))) this.doTweenX = false;
|
|
this.doTweenY = true;
|
|
var ty = parseFloat(this.target.split(",")[1]);
|
|
if ((ty < 0) || (isNaN(ty))) this.doTweenY = false;
|
|
if (this.coord_mode == 1) {
|
|
if (this.loop) {
|
|
this.inst.width = this.tweenSaveWidth;
|
|
this.inst.height = this.tweenSaveHeight;
|
|
}
|
|
this.initialX = this.inst.width;
|
|
this.initialY = this.inst.height;
|
|
if (!this.reverse) {
|
|
this.targetX = this.initialX + parseFloat(this.target.split(",")[0]);
|
|
this.targetY = this.initialY + parseFloat(this.target.split(",")[1]);
|
|
} else {
|
|
this.targetX = this.initialX - parseFloat(this.target.split(",")[0]);
|
|
this.targetY = this.initialY - parseFloat(this.target.split(",")[1]);
|
|
}
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenInitialY = this.initialY;
|
|
this.tweenTargetX = this.targetX;
|
|
this.tweenTargetY = this.targetY;
|
|
} else {
|
|
if (!isCurrent) {
|
|
if (!this.reverse) {
|
|
this.inst.width = this.tweenSaveWidth;
|
|
this.inst.height = this.tweenSaveHeight;
|
|
} else {
|
|
this.inst.width = parseFloat(this.target.split(",")[0]);
|
|
this.inst.height = parseFloat(this.target.split(",")[1]);
|
|
}
|
|
}
|
|
this.initialX = this.inst.width;
|
|
this.initialY = this.inst.height;
|
|
if (!this.reverse) {
|
|
this.targetX = parseFloat(this.target.split(",")[0]);
|
|
this.targetY = parseFloat(this.target.split(",")[1]);
|
|
} else {
|
|
this.targetX = this.tweenSaveWidth;
|
|
this.targetY = this.tweenSaveHeight;
|
|
}
|
|
this.tweenInitialX = this.initialX;
|
|
this.tweenInitialY = this.initialY;
|
|
this.tweenTargetX = this.targetX;
|
|
this.tweenTargetY = this.targetY;
|
|
}
|
|
if (this.playmode == -6) {
|
|
this.tweenTargetX = this.tweenSaveWidth;
|
|
this.tweenTargetY = this.tweenSaveHeight;
|
|
}
|
|
} else {
|
|
;
|
|
}
|
|
this.lastKnownValue = this.tweenInitialX;
|
|
this.lastKnownX = this.tweenInitialX;
|
|
this.lastKnownY = this.tweenInitialY;
|
|
this.initiating = parseFloat(this.wait.split(",")[0]);
|
|
this.cooldown = parseFloat(this.wait.split(",")[1]);
|
|
if ((this.initiating < 0) || (isNaN(this.initiating))) this.initiating = 0;
|
|
if ((this.cooldown < 0) || (isNaN(this.cooldown))) this.cooldown = 0;
|
|
if (isCurrent) this.initial = "current";
|
|
if (targetIsCurrent) this.target = "current";
|
|
if (isTargettingObject) this.target = "OBJ";
|
|
};
|
|
function easeOutBounce(t,b,c,d) {
|
|
if ((t/=d) < (1/2.75)) {
|
|
return c*(7.5625*t*t) + b;
|
|
} else if (t < (2/2.75)) {
|
|
return c*(7.5625*(t-=(1.5/2.75))*t + .75) + b;
|
|
} else if (t < (2.5/2.75)) {
|
|
return c*(7.5625*(t-=(2.25/2.75))*t + .9375) + b;
|
|
} else {
|
|
return c*(7.5625*(t-=(2.625/2.75))*t + .984375) + b;
|
|
}
|
|
}
|
|
behinstProto.easeFunc = function (t, b, c, d)
|
|
{
|
|
switch (this.easing) {
|
|
case 0: // linear
|
|
return c*t/d + b;
|
|
case 1: // easeInQuad
|
|
return c*(t/=d)*t + b;
|
|
case 2: // easeOutQuad
|
|
return -c *(t/=d)*(t-2) + b;
|
|
case 3: // easeInOutQuad
|
|
if ((t/=d/2) < 1) return c/2*t*t + b;
|
|
return -c/2 * ((--t)*(t-2) - 1) + b;
|
|
case 4: // easeInCubic
|
|
return c*(t/=d)*t*t + b;
|
|
case 5: // easeOutCubic
|
|
return c*((t=t/d-1)*t*t + 1) + b;
|
|
case 6: // easeInOutCubic
|
|
if ((t/=d/2) < 1)
|
|
return c/2*t*t*t + b;
|
|
return c/2*((t-=2)*t*t + 2) + b;
|
|
case 7: // easeInQuart
|
|
return c*(t/=d)*t*t*t + b;
|
|
case 8: // easeOutQuart
|
|
return -c * ((t=t/d-1)*t*t*t - 1) + b;
|
|
case 9: // easeInOutQuart
|
|
if ((t/=d/2) < 1) return c/2*t*t*t*t + b;
|
|
return -c/2 * ((t-=2)*t*t*t - 2) + b;
|
|
case 10: // easeInQuint
|
|
return c*(t/=d)*t*t*t*t + b;
|
|
case 11: // easeOutQuint
|
|
return c*((t=t/d-1)*t*t*t*t + 1) + b;
|
|
case 12: // easeInOutQuint
|
|
if ((t/=d/2) < 1) return c/2*t*t*t*t*t + b;
|
|
return c/2*((t-=2)*t*t*t*t + 2) + b;
|
|
case 13: // easeInCircle
|
|
return -c * (Math.sqrt(1 - (t/=d)*t) - 1) + b;
|
|
case 14: // easeOutCircle
|
|
return c * Math.sqrt(1 - (t=t/d-1)*t) + b;
|
|
case 15: // easeInOutCircle
|
|
if ((t/=d/2) < 1) return -c/2 * (Math.sqrt(1 - t*t) - 1) + b;
|
|
return c/2 * (Math.sqrt(1 - (t-=2)*t) + 1) + b;
|
|
case 16: // easeInBack
|
|
var s = 0;
|
|
if (s==0) s = 1.70158;
|
|
return c*(t/=d)*t*((s+1)*t - s) + b;
|
|
case 17: // easeOutBack
|
|
var s = 0;
|
|
if (s==0) s = 1.70158;
|
|
return c*((t=t/d-1)*t*((s+1)*t + s) + 1) + b;
|
|
case 18: // easeInOutBack
|
|
var s = 0;
|
|
if (s==0) s = 1.70158;
|
|
if ((t/=d/2) < 1) return c/2*(t*t*(((s*=(1.525))+1)*t - s)) + b;
|
|
return c/2*((t-=2)*t*(((s*=(1.525))+1)*t + s) + 2) + b;
|
|
case 19: //easeInElastic
|
|
var a = 0;
|
|
var p = 0;
|
|
if (t==0) return b; if ((t/=d)==1) return b+c; if (p==0) p=d*.3;
|
|
if (a==0 || a < Math.abs(c)) { a=c; var s=p/4; }
|
|
else var s = p/(2*Math.PI) * Math.asin (c/a);
|
|
return -(a*Math.pow(2,10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )) + b;
|
|
case 20: //easeOutElastic
|
|
var a = 0;
|
|
var p = 0;
|
|
if (t==0) return b; if ((t/=d)==1) return b+c; if (p == 0) p=d*.3;
|
|
if (a==0 || a < Math.abs(c)) { a=c; var s=p/4; }
|
|
else var s = p/(2*Math.PI) * Math.asin (c/a);
|
|
return (a*Math.pow(2,-10*t) * Math.sin( (t*d-s)*(2*Math.PI)/p ) + c + b);
|
|
case 21: //easeInOutElastic
|
|
var a = 0;
|
|
var p = 0;
|
|
if (t==0) return b;
|
|
if ((t/=d/2)==2) return b+c;
|
|
if (p==0) p=d*(.3*1.5);
|
|
if (a==0 || a < Math.abs(c)) { a=c; var s=p/4; }
|
|
else var s = p/(2*Math.PI) * Math.asin (c/a);
|
|
if (t < 1) return -.5*(a*Math.pow(2,10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )) + b;
|
|
return a*Math.pow(2,-10*(t-=1)) * Math.sin( (t*d-s)*(2*Math.PI)/p )*.5 + c + b;
|
|
case 22: //easeInBounce
|
|
return c - easeOutBounce(d-t, 0, c, d) + b;
|
|
case 23: //easeOutBounce
|
|
return easeOutBounce(t,b,c,d);
|
|
case 24: //easeInOutBounce
|
|
if (t < d/2) return (c - easeOutBounce(d-(t*2), 0, c, d) + b) * 0.5 +b;
|
|
else return easeOutBounce(t*2-d, 0, c, d) * .5 + c*.5 + b;
|
|
case 25: //easeInSmoothstep
|
|
var mt = (t/d) / 2;
|
|
return (2*(mt * mt * (3 - 2*mt)));
|
|
case 26: //easeOutSmoothstep
|
|
var mt = ((t/d) + 1) / 2;
|
|
return ((2*(mt * mt * (3 - 2*mt))) - 1);
|
|
case 27: //easeInOutSmoothstep
|
|
var mt = (t / d);
|
|
return (mt * mt * (3 - 2*mt));
|
|
};
|
|
return 0;
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"i": this.i,
|
|
"active": this.active,
|
|
"tweened": this.tweened,
|
|
"easing": this.easing,
|
|
"initial": this.initial,
|
|
"target": this.target,
|
|
"duration": this.duration,
|
|
"wait": this.wait,
|
|
"playmode": this.playmode,
|
|
"value": this.value,
|
|
"coord_mode": this.coord_mode,
|
|
"forceInit": this.forceInit,
|
|
"group": this.group,
|
|
"targetObject": this.targetObject,
|
|
"pingpongCounter": this.pingpongCounter,
|
|
"isPaused": this.isPaused,
|
|
"initialX": this.initialX,
|
|
"initialY": this.initialY,
|
|
"targetX": this.targetX,
|
|
"targetY": this.targetY,
|
|
"tweenSaveWidth": this.tweenSaveWidth,
|
|
"tweenSaveHeight": this.tweenSaveHeight,
|
|
"tweenSaveAngle": this.tweenSaveAngle,
|
|
"tweenSaveX": this.tweenSaveX,
|
|
"tweenSaveY": this.tweenSaveY,
|
|
"tweenSaveValue": this.tweenSaveValue,
|
|
"tweenInitialX": this.tweenInitialX,
|
|
"tweenInitialY": this.tweenInitialY,
|
|
"tweenTargetX": this.tweenTargetX,
|
|
"tweenTargetY": this.tweenTargetY,
|
|
"tweenTargetAngle": this.tweenTargetAngle,
|
|
"ratio": this.ratio,
|
|
"reverse": this.reverse,
|
|
"rewindMode": this.rewindMode,
|
|
"doTweenX": this.doTweenX,
|
|
"doTweenY": this.doTweenY,
|
|
"loop": this.loop,
|
|
"initiating": this.initiating,
|
|
"cooldown": this.cooldown,
|
|
"lastPlayMode": this.lastPlayMode,
|
|
"lastKnownValue": this.lastKnownValue,
|
|
"lastKnownX": this.lastKnownX,
|
|
"lastKnownY": this.lastKnownY,
|
|
"onStarted": this.onStarted,
|
|
"onStartedDone": this.onStartedDone,
|
|
"onWaitEnd": this.onWaitEnd,
|
|
"onWaitEndDone": this.onWaitEndDone,
|
|
"onEnd": this.onEnd,
|
|
"onEndDone": this.onEndDone,
|
|
"onCooldown": this.onCooldown,
|
|
"onCooldownDone": this.onCooldownDone
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.i = o["i"];
|
|
this.active = o["active"];
|
|
this.tweened = o["tweened"];
|
|
this.easing = o["easing"];
|
|
this.initial = o["initial"];
|
|
this.target = o["target"];
|
|
this.duration = o["duration"];
|
|
this.wait = o["wait"];
|
|
this.playmode = o["playmode"];
|
|
this.value = o["value"];
|
|
this.coord_mode = o["coord_mode"];
|
|
this.forceInit = o["forceInit"];
|
|
this.group = o["group"];
|
|
this.targetObject = o["targetObject"];
|
|
this.pingpongCounter = o["pingpongCounter"];
|
|
this.isPaused = o["isPaused"];
|
|
this.initialX = o["initialX"];
|
|
this.initialY = o["initialY"];
|
|
this.targetX = o["targetX"];
|
|
this.targetY = o["targetY"];
|
|
this.tweenSaveWidth = o["tweenSaveWidth"];
|
|
this.tweenSaveHeight = o["tweenSaveHeight"];
|
|
this.tweenSaveAngle = o["tweenSaveAngle"];
|
|
this.tweenSaveX = o["tweenSaveX"];
|
|
this.tweenSaveY = o["tweenSaveY"];
|
|
this.tweenSaveValue = o["tweenSaveValue"];
|
|
this.tweenInitialX = o["tweenInitialX"];
|
|
this.tweenInitialY = o["tweenInitialY"];
|
|
this.tweenTargetX = o["tweenTargetX"];
|
|
this.tweenTargetY = o["tweenTargetY"];
|
|
this.tweenTargetAngle = o["tweenTargetAngle"];
|
|
this.ratio = o["ratio"];
|
|
this.reverse = o["reverse"];
|
|
this.rewindMode = o["rewindMode"];
|
|
this.doTweenX = o["doTweenX"];
|
|
this.doTweenY = o["doTweenY"];
|
|
this.loop = o["loop"];
|
|
this.initiating = o["initiating"];
|
|
this.cooldown = o["cooldown"];
|
|
this.lastPlayMode = o["lastPlayMode"];
|
|
this.lastKnownValue = o["lastKnownValue"];
|
|
this.lastKnownX = o["lastKnownX"];
|
|
this.lastKnownY = o["lastKnownY"];
|
|
this.onStarted = o["onStarted"];
|
|
this.onStartedDone = o["onStartedDone"];
|
|
this.onWaitEnd = o["onWaitEnd"];
|
|
this.onWaitEndDone = o["onWaitEndDone"]
|
|
this.onEnd = o["onEnd"];
|
|
this.onEndDone = o["onEndDone"];
|
|
this.onCooldown = o["onCooldown"];
|
|
this.onCooldownDone = o["onCooldownDone"];
|
|
this.groupSync();
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
var dt = this.runtime.getDt(this.inst);
|
|
var isForceStop = (this.i == -1);
|
|
if (!this.active || dt === 0)
|
|
return;
|
|
if (this.i == 0) {
|
|
if (!this.onStarted) {
|
|
this.onStarted = true;
|
|
this.onStartedDone = false;
|
|
this.onWaitEnd = false;
|
|
this.onWaitEndDone = false;
|
|
this.onEnd = false;
|
|
this.onEndDone = false;
|
|
this.onCooldown = false;
|
|
this.onCooldownDone = false;
|
|
this.runtime.trigger(cr.behaviors.lunarray_Tween.prototype.cnds.OnStart, this.inst);
|
|
this.onStartedDone = true;
|
|
}
|
|
}
|
|
if (this.i == -1) {
|
|
this.i = this.initiating + this.duration + this.cooldown;
|
|
} else {
|
|
this.i += dt;
|
|
}
|
|
if (this.i <= this.initiating) {
|
|
return;
|
|
} else {
|
|
if (this.onWaitEnd == false) {
|
|
this.onWaitEnd = true;
|
|
this.runtime.trigger(cr.behaviors.lunarray_Tween.prototype.cnds.OnWaitEnd, this.inst);
|
|
this.onWaitEndDone = true;
|
|
}
|
|
}
|
|
if (this.i <= (this.duration + this.initiating)) {
|
|
var factor = this.easeFunc(this.i-this.initiating, 0, 1, this.duration);
|
|
if (this.tweened == 0) {
|
|
if (this.coord_mode == 1) {
|
|
if (this.inst.x !== this.lastKnownX) {
|
|
this.tweenInitialX += (this.inst.x - this.lastKnownX);
|
|
this.tweenTargetX += (this.inst.x - this.lastKnownX);
|
|
}
|
|
if (this.inst.y !== this.lastKnownY) {
|
|
this.tweenInitialY += (this.inst.y - this.lastKnownY);
|
|
this.tweenTargetY += (this.inst.y - this.lastKnownY);
|
|
}
|
|
} else {
|
|
if (this.inst.x !== this.lastKnownX)
|
|
this.tweenInitialX += (this.inst.x - this.lastKnownX);
|
|
if (this.inst.y !== this.lastKnownY)
|
|
this.tweenInitialY += (this.inst.y - this.lastKnownY);
|
|
}
|
|
this.inst.x = this.tweenInitialX + (this.tweenTargetX - this.tweenInitialX) * factor;
|
|
this.inst.y = this.tweenInitialY + (this.tweenTargetY - this.tweenInitialY) * factor;
|
|
this.lastKnownX = this.inst.x;
|
|
this.lastKnownY = this.inst.y;
|
|
} else if ((this.tweened == 1) || (this.tweened == 2) || (this.tweened == 3)) {
|
|
if (this.inst.width !== this.lastKnownX)
|
|
this.tweenInitialX = this.inst.width;
|
|
if (this.inst.height !== this.lastKnownY)
|
|
this.tweenInitialY = this.inst.height;
|
|
if (this.doTweenX) {
|
|
this.inst.width = this.tweenInitialX + (this.tweenTargetX - this.tweenInitialX) * factor;
|
|
}
|
|
if (this.doTweenY) {
|
|
this.inst.height = this.tweenInitialY + (this.tweenTargetY - this.tweenInitialY) * factor;
|
|
} else {
|
|
if (this.tweened == 1) {
|
|
this.inst.height = this.inst.width * this.ratio;
|
|
}
|
|
}
|
|
this.lastKnownX = this.inst.width;
|
|
this.lastKnownY = this.inst.height;
|
|
} else if (this.tweened == 4) {
|
|
var tangle = this.tweenInitialX + (this.tweenTargetAngle - this.tweenInitialX) * factor;
|
|
if (this.i >= (this.duration + this.initiating))
|
|
tangle = this.tweenTargetAngle;
|
|
this.inst.angle = cr.clamp_angle(tangle);
|
|
} else if (this.tweened == 5) {
|
|
if (this.coord_mode == 1) {
|
|
if (this.inst.opacity !== this.lastKnownX)
|
|
this.tweenInitialX = this.inst.opacity;
|
|
}
|
|
this.inst.opacity = this.tweenInitialX + (this.tweenTargetX - this.tweenInitialX) * factor;
|
|
this.lastKnownX = this.inst.opacity;
|
|
} else if (this.tweened == 6) {
|
|
this.value = this.tweenInitialX + (this.tweenTargetX - this.tweenInitialX) * factor;
|
|
} else if (this.tweened == 7) {
|
|
if (this.coord_mode == 1) {
|
|
if (this.inst.width !== this.lastKnownX)
|
|
this.tweenInitialX = this.inst.width;
|
|
if (this.inst.height !== this.lastKnownY)
|
|
this.tweenInitialY = this.inst.height;
|
|
}
|
|
if (this.doTweenX) this.inst.width = this.tweenInitialX + (this.tweenTargetX - this.tweenInitialX) * factor;
|
|
if (this.doTweenY) this.inst.height = this.tweenInitialY + (this.tweenTargetY - this.tweenInitialY) * factor;
|
|
this.lastKnownX = this.inst.width;
|
|
this.lastKnownY = this.inst.height;
|
|
}
|
|
this.inst.set_bbox_changed();
|
|
}
|
|
if (this.i >= this.duration + this.initiating) {
|
|
this.doEndFrame(isForceStop);
|
|
this.inst.set_bbox_changed();
|
|
if (this.onEnd == false) {
|
|
this.onEnd = true;
|
|
this.runtime.trigger(cr.behaviors.lunarray_Tween.prototype.cnds.OnEnd, this.inst);
|
|
this.onEndDone = true;
|
|
}
|
|
};
|
|
};
|
|
behinstProto.doEndFrame = function (isForceStop)
|
|
{
|
|
switch (this.tweened) {
|
|
case 0: // position
|
|
this.inst.x = this.tweenTargetX;
|
|
this.inst.y = this.tweenTargetY;
|
|
break;
|
|
case 1: // size
|
|
if (this.doTweenX) this.inst.width = this.tweenTargetX;
|
|
if (this.doTweenY) {
|
|
this.inst.height = this.tweenTargetY;
|
|
} else {
|
|
this.inst.height = this.inst.width * this.ratio;
|
|
}
|
|
break;
|
|
case 2: // width
|
|
this.inst.width = this.tweenTargetX;
|
|
break;
|
|
case 3: // height
|
|
this.inst.height = this.tweenTargetY;
|
|
break;
|
|
case 4: // angle
|
|
var tangle = this.tweenTargetAngle;
|
|
this.inst.angle = cr.clamp_angle(tangle);
|
|
this.lastKnownValue = this.inst.angle;
|
|
break;
|
|
case 5: // opacity
|
|
this.inst.opacity = this.tweenTargetX;
|
|
break;
|
|
case 6: // value
|
|
this.value = this.tweenTargetX;
|
|
break;
|
|
case 7: // size
|
|
if (this.doTweenX) this.inst.width = this.tweenTargetX;
|
|
if (this.doTweenY) this.inst.height = this.tweenTargetY;
|
|
break;
|
|
}
|
|
if (this.i >= this.duration + this.initiating + this.cooldown) {
|
|
if (this.playmode == 0) {
|
|
this.active = false;
|
|
this.reverse = false;
|
|
this.i = this.duration + this.initiating + this.cooldown;
|
|
} else if (this.playmode == 1) {
|
|
this.i = 0;
|
|
this.init();
|
|
this.active = true;
|
|
} else if (this.playmode == 2) {
|
|
if (isForceStop) {
|
|
this.reverse = false;
|
|
this.init();
|
|
} else {
|
|
this.reverse = !this.reverse;
|
|
this.i = 0;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
} else if (this.playmode == 3) {
|
|
this.runtime.DestroyInstance(this.inst);
|
|
} else if (this.playmode == 4) {
|
|
this.loop = true;
|
|
this.i = 0;
|
|
this.init();
|
|
this.active = true;
|
|
} else if (this.playmode == 5) {
|
|
if (isForceStop) {
|
|
this.reverse = false;
|
|
this.init();
|
|
} else {
|
|
if (this.pingpongCounter <= 0) {
|
|
this.i = this.duration + this.initiating + this.cooldown;
|
|
this.active = false;
|
|
} else {
|
|
if (!this.reverse) {
|
|
this.pingpongCounter -= 1;
|
|
this.reverse = true;
|
|
this.i = 0;
|
|
this.init();
|
|
this.active = true;
|
|
} else {
|
|
this.pingpongCounter -= 1;
|
|
this.reverse = false;
|
|
this.i = 0;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
}
|
|
}
|
|
} else if (this.playmode == -6) {
|
|
this.playmode = this.lastPlayMode;
|
|
this.reverse = false;
|
|
this.i = 0;
|
|
this.active = false;
|
|
} else if (this.playmode == 6) {
|
|
this.reverse = false;
|
|
this.i = this.duration + this.initiating + this.cooldown;
|
|
this.active = false;
|
|
}
|
|
}
|
|
if (this.onCooldown == false) {
|
|
this.onCooldown = true;
|
|
this.runtime.trigger(cr.behaviors.lunarray_Tween.prototype.cnds.OnCooldownEnd, this.inst);
|
|
this.onCooldownDone = true;
|
|
}
|
|
}
|
|
behaviorProto.cnds = {};
|
|
var cnds = behaviorProto.cnds;
|
|
cnds.IsActive = function ()
|
|
{
|
|
return this.active;
|
|
};
|
|
cnds.CompareGroupProgress = function (cmp, v)
|
|
{
|
|
var x = [];
|
|
cr.lunarray_tweenGroup[this.group].forEach(function (value) {
|
|
x.push((value.i / (value.duration + value.initiating + value.cooldown)));
|
|
} );
|
|
return cr.do_cmp( Math.min.apply(null, x), cmp, v );
|
|
}
|
|
cnds.CompareProgress = function (cmp, v)
|
|
{
|
|
return cr.do_cmp((this.i / (this.duration + this.initiating + this.cooldown)), cmp, v);
|
|
};
|
|
cnds.OnStart = function ()
|
|
{
|
|
if (this.onStartedDone === false) {
|
|
return this.onStarted;
|
|
}
|
|
};
|
|
cnds.OnWaitEnd = function ()
|
|
{
|
|
if (this.onWaitEndDone === false) {
|
|
return this.onWaitEnd;
|
|
}
|
|
};
|
|
cnds.OnEnd = function (a, b, c)
|
|
{
|
|
if (this.onEndDone === false) {
|
|
return this.onEnd;
|
|
}
|
|
};
|
|
cnds.OnCooldownEnd = function ()
|
|
{
|
|
if (this.onCooldownDone === false) {
|
|
return this.onCooldown;
|
|
}
|
|
};
|
|
behaviorProto.acts = {};
|
|
var acts = behaviorProto.acts;
|
|
acts.SetActive = function (a)
|
|
{
|
|
this.active = (a === 1);
|
|
};
|
|
acts.StartGroup = function (force, sgroup)
|
|
{
|
|
if (sgroup === "") sgroup = this.group;
|
|
var groupReady = (force === 1) || cr.lunarray_tweenGroup[sgroup].every(function(value2) { return !value2.active; } );
|
|
if ( groupReady ) {
|
|
cr.lunarray_tweenGroup[sgroup].forEach(
|
|
function(value) {
|
|
if (force === 1) {
|
|
acts.Force.apply(value);
|
|
} else {
|
|
acts.Start.apply(value);
|
|
}
|
|
}
|
|
);
|
|
}
|
|
}
|
|
acts.StopGroup = function (stopmode, sgroup)
|
|
{
|
|
if (sgroup === "") sgroup = this.group;
|
|
cr.lunarray_tweenGroup[sgroup].forEach( function(value) {
|
|
acts.Stop.apply(value, [stopmode]);
|
|
} );
|
|
}
|
|
acts.ReverseGroup = function (force, rewindMode, sgroup)
|
|
{
|
|
if (sgroup === "") sgroup = this.group;
|
|
var groupReady = (force === 1) || cr.lunarray_tweenGroup[sgroup].every(function(value2) { return !value2.active; } );
|
|
if ( groupReady ) {
|
|
cr.lunarray_tweenGroup[sgroup].forEach(
|
|
function(value) {
|
|
if (force === 1) {
|
|
acts.ForceReverse.apply(value, [rewindMode]);
|
|
} else {
|
|
acts.Reverse.apply(value, [rewindMode]);
|
|
}
|
|
}
|
|
);
|
|
}
|
|
}
|
|
acts.Force = function ()
|
|
{
|
|
this.loop = (this.playmode === 4);
|
|
if (this.playmode == 5) this.pingpongCounter = 1;
|
|
if ((this.playmode == 6) || (this.playmode == -6)) {
|
|
if (this.i < this.duration + this.cooldown + this.initiating) {
|
|
this.reverse = false;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
} else {
|
|
this.reverse = false;
|
|
this.i = 0;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
};
|
|
acts.ForceReverse = function (rewindMode)
|
|
{
|
|
this.rewindMode = (rewindMode == 1);
|
|
this.loop = (this.playmode === 4);
|
|
if (this.playmode == 5) this.pingpongCounter = 1;
|
|
if ((this.playmode == 6) || (this.playmode == -6)) {
|
|
if (this.i < this.duration + this.cooldown + this.initiating) {
|
|
this.reverse = true;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
} else {
|
|
if (rewindMode) {
|
|
if (this.pingpongCounter == 1) {
|
|
if (this.i >= this.duration + this.cooldown + this.initiating) {
|
|
this.reverse = true;
|
|
this.i = 0;
|
|
this.pingpongCounter = 2;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
}
|
|
} else {
|
|
this.reverse = true;
|
|
this.i = 0;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
}
|
|
};
|
|
acts.Start = function ()
|
|
{
|
|
if (!this.active) {
|
|
this.loop = (this.playmode === 4);
|
|
if (this.playmode == 5) this.pingpongCounter = 1;
|
|
if ((this.playmode == 6) || (this.playmode == -6)) {
|
|
if (this.i < this.duration + this.cooldown + this.initiating) {
|
|
this.reverse = false;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
} else {
|
|
this.pingpongCounter = 1;
|
|
this.reverse = false;
|
|
this.i = 0;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
}
|
|
};
|
|
acts.Stop = function (stopmode)
|
|
{
|
|
if (this.active) {
|
|
if ((this.playmode == 2) || (this.playmode == 4)) {
|
|
if (this.reverse) {
|
|
this.i = 0;
|
|
} else {
|
|
this.i = -1;
|
|
}
|
|
} else {
|
|
if (stopmode == 1) {
|
|
this.saveState();
|
|
} else if (stopmode == 0) {
|
|
this.i = this.initiating + this.cooldown + this.duration;
|
|
} else {
|
|
this.i = 0;
|
|
}
|
|
}
|
|
this.tick();
|
|
this.active = false;
|
|
}
|
|
};
|
|
acts.Pause = function () {
|
|
if (this.active) {
|
|
this.isPaused = true;
|
|
this.active = false;
|
|
}
|
|
}
|
|
acts.Resume = function () {
|
|
if (this.isPaused) {
|
|
this.active = true;
|
|
this.isPaused = false;
|
|
} else {
|
|
if (!this.active) {
|
|
this.reverse = false;
|
|
this.i = 0;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
}
|
|
}
|
|
acts.Reverse = function (rewindMode)
|
|
{
|
|
this.rewindMode = (rewindMode == 1);
|
|
if (!this.active) {
|
|
this.loop = (this.playmode === 4);
|
|
if (this.playmode == 5) this.pingpongCounter = 1;
|
|
if ((this.playmode == 6) || (this.playmode == -6)) {
|
|
if (this.i < this.duration + this.cooldown + this.initiating) {
|
|
this.reverse = true;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
} else {
|
|
if (rewindMode) {
|
|
if (this.pingpongCounter == 1) {
|
|
if (this.i >= this.duration + this.cooldown + this.initiating) {
|
|
this.reverse = true;
|
|
this.i = 0;
|
|
this.pingpongCounter = 2;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
}
|
|
} else {
|
|
this.reverse = true;
|
|
this.i = 0;
|
|
this.init();
|
|
this.active = true;
|
|
}
|
|
}
|
|
}
|
|
};
|
|
acts.SetDuration = function (x)
|
|
{
|
|
this.duration = x;
|
|
};
|
|
acts.SetWait = function (x)
|
|
{
|
|
this.wait = x;
|
|
this.initiating = parseFloat(this.wait.split(",")[0]);
|
|
this.cooldown = parseFloat(this.wait.split(",")[1]);
|
|
if ((this.initiating < 0) || (isNaN(this.initiating))) this.initiating = 0;
|
|
if ((this.cooldown < 0) || (isNaN(this.cooldown))) this.cooldown = 0;
|
|
};
|
|
acts.SetTarget = function (x)
|
|
{
|
|
if (typeof(x) == "string") {
|
|
this.target = x;
|
|
this.targetX = parseFloat(x.split(",")[0]);
|
|
this.targetY = parseFloat(x.split(",")[1]);
|
|
} else {
|
|
this.target = x;
|
|
this.targetX = x;
|
|
}
|
|
if (!this.active) {
|
|
this.init();
|
|
} else {
|
|
}
|
|
};
|
|
acts.SetTargetObject = function (obj)
|
|
{
|
|
if (!obj)
|
|
return;
|
|
var otherinst = obj.getFirstPicked();
|
|
if (!otherinst)
|
|
return;
|
|
this.targetObject = otherinst;
|
|
this.target = "OBJ";
|
|
};
|
|
acts.SetTargetX = function (x)
|
|
{
|
|
if ((this.tweened == 2) || (this.tweened == 3) || (this.tweened == 4) || (this.tweened == 5) || (this.tweened == 6)) {
|
|
if (typeof(x) == "string") {
|
|
this.target = parseFloat(x.split(",")[0]);
|
|
} else {
|
|
this.target = ""+x+","+this.targetY;
|
|
}
|
|
this.targetX = this.target;
|
|
} else {
|
|
var currY = this.target.split(",")[1];
|
|
this.target = String(x) + "," + currY;
|
|
this.targetX = parseFloat(this.target.split(",")[0]);
|
|
this.targetY = parseFloat(this.target.split(",")[1]);
|
|
}
|
|
if (!this.active) {
|
|
this.saveState();
|
|
this.init();
|
|
} else {
|
|
}
|
|
};
|
|
acts.SetTargetY = function (x)
|
|
{
|
|
if ((this.tweened == 2) || (this.tweened == 3) || (this.tweened == 4) || (this.tweened == 5) || (this.tweened == 6)) {
|
|
if (typeof(x) == "string") {
|
|
this.target = parseFloat(x)+"";
|
|
} else {
|
|
this.target = this.targetX+","+x;
|
|
}
|
|
this.targetX = this.target;
|
|
} else {
|
|
var currX = this.target.split(",")[0];
|
|
this.target = currX + "," + String(x);
|
|
this.targetX = parseFloat(this.target.split(",")[0]);
|
|
this.targetY = parseFloat(this.target.split(",")[1]);
|
|
}
|
|
if (!this.active) {
|
|
this.saveState();
|
|
this.init();
|
|
} else {
|
|
}
|
|
};
|
|
acts.SetInitial = function (x)
|
|
{
|
|
if (typeof(x) == "string") {
|
|
this.initial = x;
|
|
this.initialX = parseFloat(x.split(",")[0]);
|
|
this.initialY = parseFloat(x.split(",")[1]);
|
|
} else {
|
|
this.initial = ""+x;
|
|
this.initialX = x;
|
|
}
|
|
if (this.tweened == 6) {
|
|
this.value = this.initialX;
|
|
}
|
|
if (!this.active) {
|
|
this.saveState();
|
|
this.init();
|
|
} else {
|
|
}
|
|
};
|
|
acts.SetInitialX = function (x)
|
|
{
|
|
if ((this.tweened == 2) || (this.tweened == 3) || (this.tweened == 4) || (this.tweened == 5) || (this.tweened == 6)) {
|
|
if (typeof(x) == "string") {
|
|
this.initial = parseFloat(x);
|
|
} else {
|
|
this.initial = ""+x+","+this.initialY;
|
|
}
|
|
this.initialX = this.initial;
|
|
} else {
|
|
if (this.initial == "") this.initial = "current";
|
|
if (this.initial == "current") {
|
|
var currY = this.tweenSaveY;
|
|
} else {
|
|
var currY = this.initial.split(",")[1];
|
|
}
|
|
this.initial = String(x) + "," + currY;
|
|
this.initialX = parseFloat(this.initial.split(",")[0]);
|
|
this.initialY = parseFloat(this.initial.split(",")[1]);
|
|
}
|
|
if (this.tweened == 6) {
|
|
this.value = this.initialX;
|
|
}
|
|
if (!this.active) {
|
|
this.saveState();
|
|
this.init();
|
|
} else {
|
|
}
|
|
};
|
|
acts.SetInitialY = function (x)
|
|
{
|
|
if ((this.tweened == 2) || (this.tweened == 3) || (this.tweened == 4) || (this.tweened == 5) || (this.tweened == 6)) {
|
|
if (typeof(x) == "string") {
|
|
this.initial = parseFloat(x);
|
|
} else {
|
|
this.initial = ""+this.initialX+","+x;
|
|
}
|
|
this.initialX = this.initial;
|
|
} else {
|
|
if (this.initial == "") this.initial = "current";
|
|
if (this.initial == "current") {
|
|
var currX = this.tweenSaveX;
|
|
} else {
|
|
var currX = this.initial.split(",")[0];
|
|
}
|
|
this.initial = currX + "," + String(x);
|
|
this.initialX = parseFloat(this.initial.split(",")[0]);
|
|
this.initialY = parseFloat(this.initial.split(",")[1]);
|
|
}
|
|
if (!this.active) {
|
|
this.saveState();
|
|
this.init();
|
|
} else {
|
|
}
|
|
};
|
|
acts.SetValue = function (x)
|
|
{
|
|
this.value = x;
|
|
};
|
|
acts.SetTweenedProperty = function (m)
|
|
{
|
|
this.tweened = m;
|
|
};
|
|
acts.SetEasing = function (w)
|
|
{
|
|
this.easing = w;
|
|
};
|
|
acts.SetPlayback = function (x)
|
|
{
|
|
this.playmode = x;
|
|
};
|
|
acts.SetParameter = function (tweened, playmode, easefunction, initial, target, duration, wait, cmode)
|
|
{
|
|
this.tweened = tweened;
|
|
this.playmode = playmode;
|
|
this.easing = easefunction;
|
|
acts.SetInitial.apply(this, [initial]);
|
|
acts.SetTarget.apply(this, [target]);
|
|
acts.SetDuration.apply(this, [duration]);
|
|
acts.SetWait.apply(this, [wait]);
|
|
this.coord_mode = cmode;
|
|
this.saveState();
|
|
};
|
|
behaviorProto.exps = {};
|
|
var exps = behaviorProto.exps;
|
|
exps.Progress = function (ret)
|
|
{
|
|
ret.set_float(this.i / (this.duration + this.initiating + this.cooldown));
|
|
};
|
|
exps.ProgressTime = function (ret)
|
|
{
|
|
ret.set_float(this.i);
|
|
};
|
|
exps.Duration = function (ret)
|
|
{
|
|
ret.set_float(this.duration);
|
|
};
|
|
exps.Initiating = function (ret)
|
|
{
|
|
ret.set_float(this.initiating);
|
|
};
|
|
exps.Cooldown = function (ret)
|
|
{
|
|
ret.set_float(this.cooldown);
|
|
};
|
|
exps.Target = function (ret)
|
|
{
|
|
ret.set_string(this.target);
|
|
};
|
|
exps.Value = function (ret)
|
|
{
|
|
ret.set_float(this.value);
|
|
};
|
|
exps.isPaused = function (ret)
|
|
{
|
|
ret.set_int(this.isPaused ? 1: 0);
|
|
};
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.scrollto = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
this.shakeMag = 0;
|
|
this.shakeStart = 0;
|
|
this.shakeEnd = 0;
|
|
this.shakeMode = 0;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.scrollto.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.enabled = (this.properties[0] !== 0);
|
|
};
|
|
behinstProto.saveToJSON = function ()
|
|
{
|
|
return {
|
|
"smg": this.behavior.shakeMag,
|
|
"ss": this.behavior.shakeStart,
|
|
"se": this.behavior.shakeEnd,
|
|
"smd": this.behavior.shakeMode
|
|
};
|
|
};
|
|
behinstProto.loadFromJSON = function (o)
|
|
{
|
|
this.behavior.shakeMag = o["smg"];
|
|
this.behavior.shakeStart = o["ss"];
|
|
this.behavior.shakeEnd = o["se"];
|
|
this.behavior.shakeMode = o["smd"];
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
};
|
|
function getScrollToBehavior(inst)
|
|
{
|
|
var i, len, binst;
|
|
for (i = 0, len = inst.behavior_insts.length; i < len; ++i)
|
|
{
|
|
binst = inst.behavior_insts[i];
|
|
if (binst.behavior instanceof cr.behaviors.scrollto)
|
|
return binst;
|
|
}
|
|
return null;
|
|
};
|
|
behinstProto.tick2 = function ()
|
|
{
|
|
if (!this.enabled)
|
|
return;
|
|
var all = this.behavior.my_instances.valuesRef();
|
|
var sumx = 0, sumy = 0;
|
|
var i, len, binst, count = 0;
|
|
for (i = 0, len = all.length; i < len; i++)
|
|
{
|
|
binst = getScrollToBehavior(all[i]);
|
|
if (!binst || !binst.enabled)
|
|
continue;
|
|
sumx += all[i].x;
|
|
sumy += all[i].y;
|
|
++count;
|
|
}
|
|
var layout = this.inst.layer.layout;
|
|
var now = this.runtime.kahanTime.sum;
|
|
var offx = 0, offy = 0;
|
|
if (now >= this.behavior.shakeStart && now < this.behavior.shakeEnd)
|
|
{
|
|
var mag = this.behavior.shakeMag * Math.min(this.runtime.timescale, 1);
|
|
if (this.behavior.shakeMode === 0)
|
|
mag *= 1 - (now - this.behavior.shakeStart) / (this.behavior.shakeEnd - this.behavior.shakeStart);
|
|
var a = Math.random() * Math.PI * 2;
|
|
var d = Math.random() * mag;
|
|
offx = Math.cos(a) * d;
|
|
offy = Math.sin(a) * d;
|
|
}
|
|
layout.scrollToX(sumx / count + offx);
|
|
layout.scrollToY(sumy / count + offy);
|
|
};
|
|
function Acts() {};
|
|
Acts.prototype.Shake = function (mag, dur, mode)
|
|
{
|
|
this.behavior.shakeMag = mag;
|
|
this.behavior.shakeStart = this.runtime.kahanTime.sum;
|
|
this.behavior.shakeEnd = this.behavior.shakeStart + dur;
|
|
this.behavior.shakeMode = mode;
|
|
};
|
|
Acts.prototype.SetEnabled = function (e)
|
|
{
|
|
this.enabled = (e !== 0);
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.shadowcaster = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
this.myTypes = [];
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.shadowcaster.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
if (this.behavior.myTypes.indexOf(objtype) === -1)
|
|
this.behavior.myTypes.push(objtype);
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.inst.extra["shadowcasterEnabled"] = (this.properties[0] !== 0);
|
|
this.inst.extra["shadowcasterHeight"] = this.properties[1];
|
|
this.inst.extra["shadowcasterTag"] = this.properties[2];
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsEnabled = function ()
|
|
{
|
|
return this.inst.extra["shadowcasterEnabled"];
|
|
};
|
|
Cnds.prototype.CompareHeight = function (cmp, x)
|
|
{
|
|
var h = this.inst.extra["shadowcasterHeight"];
|
|
return cr.do_cmp(h, cmp, x);
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetEnabled = function (e)
|
|
{
|
|
this.inst.extra["shadowcasterEnabled"] = !!e;
|
|
};
|
|
Acts.prototype.SetHeight = function (h)
|
|
{
|
|
if (this.inst.extra["shadowcasterHeight"] !== h)
|
|
{
|
|
this.inst.extra["shadowcasterHeight"] = h;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
Acts.prototype.SetTag = function (tag)
|
|
{
|
|
if (this.inst.extra["shadowcasterTag"] !== tag)
|
|
{
|
|
this.inst.extra["shadowcasterTag"] = tag;
|
|
this.runtime.redraw = true;
|
|
}
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
function Exps() {};
|
|
Exps.prototype.Height = function (ret)
|
|
{
|
|
ret.set_float(this.inst.extra["shadowcasterHeight"]);
|
|
};
|
|
Exps.prototype.Tag = function (ret)
|
|
{
|
|
ret.set_string(this.inst.extra["shadowcasterTag"]);
|
|
};
|
|
behaviorProto.exps = new Exps();
|
|
}());
|
|
;
|
|
;
|
|
cr.behaviors.solid = function(runtime)
|
|
{
|
|
this.runtime = runtime;
|
|
};
|
|
(function ()
|
|
{
|
|
var behaviorProto = cr.behaviors.solid.prototype;
|
|
behaviorProto.Type = function(behavior, objtype)
|
|
{
|
|
this.behavior = behavior;
|
|
this.objtype = objtype;
|
|
this.runtime = behavior.runtime;
|
|
};
|
|
var behtypeProto = behaviorProto.Type.prototype;
|
|
behtypeProto.onCreate = function()
|
|
{
|
|
};
|
|
behaviorProto.Instance = function(type, inst)
|
|
{
|
|
this.type = type;
|
|
this.behavior = type.behavior;
|
|
this.inst = inst; // associated object instance to modify
|
|
this.runtime = type.runtime;
|
|
};
|
|
var behinstProto = behaviorProto.Instance.prototype;
|
|
behinstProto.onCreate = function()
|
|
{
|
|
this.inst.extra["solidEnabled"] = (this.properties[0] !== 0);
|
|
};
|
|
behinstProto.tick = function ()
|
|
{
|
|
};
|
|
function Cnds() {};
|
|
Cnds.prototype.IsEnabled = function ()
|
|
{
|
|
return this.inst.extra["solidEnabled"];
|
|
};
|
|
behaviorProto.cnds = new Cnds();
|
|
function Acts() {};
|
|
Acts.prototype.SetEnabled = function (e)
|
|
{
|
|
this.inst.extra["solidEnabled"] = !!e;
|
|
};
|
|
behaviorProto.acts = new Acts();
|
|
}());
|
|
cr.getObjectRefTable = function () { return [
|
|
cr.plugins_.NinePatch,
|
|
cr.plugins_.AJAX,
|
|
cr.plugins_.Arr,
|
|
cr.plugins_.Audio,
|
|
cr.plugins_.Browser,
|
|
cr.plugins_.Button,
|
|
cr.plugins_.filechooser,
|
|
cr.plugins_.Function,
|
|
cr.plugins_.Particles,
|
|
cr.plugins_.LocalStorage,
|
|
cr.plugins_.Mouse,
|
|
cr.plugins_.gamepad,
|
|
cr.plugins_.Keyboard,
|
|
cr.plugins_.NodeWebkit,
|
|
cr.plugins_.aekiro_model,
|
|
cr.plugins_.Touch,
|
|
cr.plugins_.Text,
|
|
cr.plugins_.TextBox,
|
|
cr.plugins_.aekiro_proui2,
|
|
cr.plugins_.Sprite,
|
|
cr.plugins_.TiledBg,
|
|
cr.plugins_.c2canvas,
|
|
cr.plugins_.Globals,
|
|
cr.plugins_.hmmg_layoutTransition_v2,
|
|
cr.plugins_.JSON,
|
|
cr.plugins_.CSS_import,
|
|
cr.plugins_.jcw_trace,
|
|
cr.plugins_.GameAnalytics,
|
|
cr.plugins_.HTML_Div_Pode,
|
|
cr.plugins_.rojoPaster,
|
|
cr.plugins_.MagiCam,
|
|
cr.plugins_.sirg_notifications,
|
|
cr.plugins_.skymen_skinsCore,
|
|
cr.plugins_.ValerypopoffJSPlugin,
|
|
cr.plugins_.TR_AdBlockDetector,
|
|
cr.plugins_.skymen_minifunctioncallback,
|
|
cr.plugins_.skymen_siteLock,
|
|
cr.plugins_.SkymenSFPlusPLus,
|
|
cr.plugins_.TextModded,
|
|
cr.plugins_.SyncStorage,
|
|
cr.plugins_.TR_ClockParser,
|
|
cr.plugins_.skymenhowlerjs,
|
|
cr.behaviors.Platform,
|
|
cr.behaviors.Timer,
|
|
cr.behaviors.Rex_pushOutSolid,
|
|
cr.behaviors.LOS,
|
|
cr.behaviors.jumpthru,
|
|
cr.behaviors.solid,
|
|
cr.behaviors.Persist,
|
|
cr.behaviors.Rex_Zigzag,
|
|
cr.behaviors.SkymenPolarCoordinates,
|
|
cr.behaviors.shadowcaster,
|
|
cr.behaviors.Bullet,
|
|
cr.behaviors.Turret,
|
|
cr.behaviors.Fade,
|
|
cr.behaviors.Anchor,
|
|
cr.behaviors.aekiro_button,
|
|
cr.behaviors.aekiro_tag,
|
|
cr.behaviors.aekiro_gameobject2,
|
|
cr.behaviors.Sin,
|
|
cr.behaviors.aekiro_bind,
|
|
cr.behaviors.aekiro_gridView,
|
|
cr.behaviors.aekiro_modelB,
|
|
cr.behaviors.aekiro_scrollView,
|
|
cr.behaviors.aekiro_dialog,
|
|
cr.behaviors.aekiro_checkbox,
|
|
cr.behaviors.aekiro_sliderbar,
|
|
cr.behaviors.lunarray_Tween,
|
|
cr.behaviors.scrollto,
|
|
cr.behaviors.lunarray_LiteTween,
|
|
cr.behaviors.SkymenSkin,
|
|
cr.behaviors.SkymenPin,
|
|
cr.system_object.prototype.cnds.IsGroupActive,
|
|
cr.plugins_.Sprite.prototype.cnds.CompareInstanceVar,
|
|
cr.behaviors.solid.prototype.acts.SetEnabled,
|
|
cr.system_object.prototype.cnds.Else,
|
|
cr.plugins_.Sprite.prototype.cnds.IsOverlapping,
|
|
cr.plugins_.Sprite.prototype.cnds.IsBoolInstanceVarSet,
|
|
cr.plugins_.Sprite.prototype.acts.AddInstanceVar,
|
|
cr.system_object.prototype.exps.dt,
|
|
cr.plugins_.Function.prototype.acts.CallFunction,
|
|
cr.plugins_.Sprite.prototype.acts.Destroy,
|
|
cr.plugins_.Sprite.prototype.acts.SetInstanceVar,
|
|
cr.plugins_.Sprite.prototype.cnds.OnCollision,
|
|
cr.behaviors.Platform.prototype.acts.SetVectorY,
|
|
cr.behaviors.Platform.prototype.exps.Gravity,
|
|
cr.system_object.prototype.exps.sin,
|
|
cr.plugins_.Sprite.prototype.exps.Angle,
|
|
cr.behaviors.Platform.prototype.acts.SetMaxSpeed,
|
|
cr.system_object.prototype.exps.max,
|
|
cr.system_object.prototype.exps.cos,
|
|
cr.behaviors.Platform.prototype.acts.SetVectorX,
|
|
cr.behaviors.Platform.prototype.exps.VectorX,
|
|
cr.plugins_.skymenhowlerjs.prototype.acts.Play,
|
|
cr.behaviors.Platform.prototype.acts.SetDeceleration,
|
|
cr.behaviors.Bullet.prototype.acts.SetAngleOfMotion,
|
|
cr.behaviors.Bullet.prototype.acts.SetSpeed,
|
|
cr.behaviors.Bullet.prototype.exps.Gravity,
|
|
cr.system_object.prototype.cnds.OnLayoutStart,
|
|
cr.system_object.prototype.acts.Wait,
|
|
cr.system_object.prototype.cnds.CompareVar,
|
|
cr.system_object.prototype.acts.SetVar,
|
|
cr.system_object.prototype.cnds.TriggerOnce,
|
|
cr.plugins_.GameAnalytics.prototype.acts.addProgressionEvent,
|
|
cr.system_object.prototype.exps.layoutname,
|
|
cr.system_object.prototype.exps["int"],
|
|
cr.system_object.prototype.exps.tokenat,
|
|
cr.plugins_.Globals.prototype.cnds.IsBoolInstanceVarSet,
|
|
cr.plugins_.Globals.prototype.cnds.CompareInstanceVar,
|
|
cr.system_object.prototype.cnds.IsPreview,
|
|
cr.system_object.prototype.cnds.IsOnPlatform,
|
|
cr.plugins_.SyncStorage.prototype.acts.SetData,
|
|
cr.plugins_.SyncStorage.prototype.exps.Get,
|
|
cr.plugins_.SyncStorage.prototype.acts.SaveData,
|
|
cr.plugins_.Sprite.prototype.acts.SetBoolInstanceVar,
|
|
cr.plugins_.Sprite.prototype.acts.SetAnimFrame,
|
|
cr.plugins_.Sprite.prototype.cnds.IsVisible,
|
|
cr.system_object.prototype.cnds.ForEach,
|
|
cr.behaviors.SkymenPin.prototype.acts.Pin,
|
|
cr.behaviors.Rex_Zigzag.prototype.acts.Start,
|
|
cr.plugins_.Sprite.prototype.acts.SetPos,
|
|
cr.plugins_.Sprite.prototype.exps.X,
|
|
cr.plugins_.Sprite.prototype.exps.Y,
|
|
cr.plugins_.Sprite.prototype.acts.SetAngle,
|
|
cr.plugins_.Sprite.prototype.exps.UID,
|
|
cr.system_object.prototype.cnds.PickAll,
|
|
cr.plugins_.Sprite.prototype.cnds.PickByUID,
|
|
cr.system_object.prototype.cnds.Compare,
|
|
cr.behaviors.Rex_Zigzag.prototype.acts.SetAbsolute,
|
|
cr.behaviors.SkymenPolarCoordinates.prototype.acts.SetEnabled,
|
|
cr.plugins_.Sprite.prototype.cnds.PickInstVarHiLow,
|
|
cr.behaviors.SkymenPolarCoordinates.prototype.acts.SetOriginPos,
|
|
cr.system_object.prototype.exps.distance,
|
|
cr.system_object.prototype.exps.angle,
|
|
cr.behaviors.SkymenPolarCoordinates.prototype.acts.SetDeltaPos,
|
|
cr.behaviors.Rex_Zigzag.prototype.exps.OffX,
|
|
cr.behaviors.Rex_Zigzag.prototype.exps.OffY,
|
|
cr.behaviors.Rex_Zigzag.prototype.exps.OffAngle,
|
|
cr.behaviors.jumpthru.prototype.acts.SetEnabled,
|
|
cr.behaviors.Turret.prototype.acts.AddTarget,
|
|
cr.behaviors.Turret.prototype.cnds.OnShoot,
|
|
cr.plugins_.Sprite.prototype.acts.Spawn,
|
|
cr.plugins_.Sprite.prototype.exps.LayerName,
|
|
cr.behaviors.Bullet.prototype.exps.Speed,
|
|
cr.behaviors.LOS.prototype.cnds.HasLOSToObject,
|
|
cr.behaviors.Turret.prototype.acts.SetEnabled,
|
|
cr.system_object.prototype.cnds.EveryTick,
|
|
cr.plugins_.Sprite.prototype.acts.RotateTowardPosition,
|
|
cr.plugins_.Sprite.prototype.cnds.OnDestroyed,
|
|
cr.plugins_.SyncStorage.prototype.cnds.HasData,
|
|
cr.plugins_.Sprite.prototype.acts.SetOpacity,
|
|
cr.behaviors.Bullet.prototype.cnds.CompareTravelled,
|
|
cr.behaviors.Bullet.prototype.acts.SetEnabled,
|
|
cr.behaviors.Fade.prototype.acts.StartFade,
|
|
cr.system_object.prototype.cnds.PickByComparison,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.SetText,
|
|
cr.plugins_.Sprite.prototype.acts.SetMirrored,
|
|
cr.plugins_.Sprite.prototype.cnds.IsOverlappingOffset,
|
|
cr.behaviors.Platform.prototype.exps.VectorY,
|
|
cr.plugins_.Sprite.prototype.cnds.PickDistance,
|
|
cr.plugins_.Function.prototype.exps.Call,
|
|
cr.plugins_.Sprite.prototype.acts.SetCollisions,
|
|
cr.behaviors.Platform.prototype.exps.Speed,
|
|
cr.behaviors.Platform.prototype.exps.MovingAngle,
|
|
cr.plugins_.Sprite.prototype.exps.ImagePointX,
|
|
cr.plugins_.Sprite.prototype.exps.ImagePointY,
|
|
cr.plugins_.Sprite.prototype.acts.SetY,
|
|
cr.behaviors.Bullet.prototype.exps.AngleOfMotion,
|
|
cr.plugins_.Sprite.prototype.cnds.IsCollisionEnabled,
|
|
cr.plugins_.Function.prototype.cnds.OnFunction,
|
|
cr.plugins_.Function.prototype.exps.Param,
|
|
cr.plugins_.Function.prototype.acts.SetReturnValue,
|
|
cr.behaviors.Timer.prototype.cnds.OnTimer,
|
|
cr.behaviors.Platform.prototype.exps.GravityAngle,
|
|
cr.behaviors.Platform.prototype.acts.SetGravityAngle,
|
|
cr.plugins_.TiledBg.prototype.exps.Angle,
|
|
cr.system_object.prototype.exps.anglediff,
|
|
cr.behaviors.Timer.prototype.acts.StartTimer,
|
|
cr.plugins_.Sprite.prototype.acts.SetSize,
|
|
cr.plugins_.Sprite.prototype.acts.SetTowardPosition,
|
|
cr.system_object.prototype.exps.lerp,
|
|
cr.plugins_.Sprite.prototype.exps.Opacity,
|
|
cr.system_object.prototype.cnds.ForEachOrdered,
|
|
cr.plugins_.Sprite.prototype.acts.ZMoveToObject,
|
|
cr.behaviors.SkymenSkin.prototype.acts.UseDefault,
|
|
cr.behaviors.SkymenSkin.prototype.acts.SetSkin,
|
|
cr.behaviors.SkymenSkin.prototype.acts.HideDefault,
|
|
cr.plugins_.Sprite.prototype.exps.Width,
|
|
cr.plugins_.Sprite.prototype.exps.ImageWidth,
|
|
cr.plugins_.Sprite.prototype.exps.Height,
|
|
cr.plugins_.Sprite.prototype.exps.ImageHeight,
|
|
cr.system_object.prototype.exps.find,
|
|
cr.plugins_.MagiCam.prototype.acts.CreateLocalCamera,
|
|
cr.plugins_.MagiCam.prototype.acts.FollowObject,
|
|
cr.plugins_.MagiCam.prototype.acts.EnableFollowing,
|
|
cr.plugins_.MagiCam.prototype.acts.SetFollowLag,
|
|
cr.system_object.prototype.acts.Scroll,
|
|
cr.system_object.prototype.exps.windowwidth,
|
|
cr.system_object.prototype.exps.windowheight,
|
|
cr.plugins_.Globals.prototype.acts.SetBoolInstanceVar,
|
|
cr.plugins_.Sprite.prototype.cnds.IsOutsideLayout,
|
|
cr.behaviors.Bullet.prototype.acts.SetAcceleration,
|
|
cr.behaviors.Fade.prototype.exps.FadeOutTime,
|
|
cr.behaviors.Platform.prototype.acts.SetEnabled,
|
|
cr.system_object.prototype.acts.RestartLayout,
|
|
cr.behaviors.Platform.prototype.cnds.IsFalling,
|
|
cr.behaviors.Platform.prototype.cnds.IsByWall,
|
|
cr.behaviors.Platform.prototype.cnds.OnJump,
|
|
cr.behaviors.Platform.prototype.exps.MaxSpeed,
|
|
cr.behaviors.Platform.prototype.exps.JumpStrength,
|
|
cr.behaviors.Platform.prototype.cnds.IsOnFloor,
|
|
cr.behaviors.Platform.prototype.acts.SetIgnoreInput,
|
|
cr.system_object.prototype.exps.time,
|
|
cr.behaviors.Platform.prototype.cnds.IsMoving,
|
|
cr.system_object.prototype.acts.AddVar,
|
|
cr.behaviors.Platform.prototype.cnds.IsJumping,
|
|
cr.behaviors.solid.prototype.cnds.IsEnabled,
|
|
cr.behaviors.Rex_pushOutSolid.prototype.acts.SetEnabled,
|
|
cr.behaviors.Rex_pushOutSolid.prototype.acts.PushOutNearest,
|
|
cr.plugins_.jcw_trace.prototype.acts.TraceLine,
|
|
cr.plugins_.jcw_trace.prototype.cnds.Hit,
|
|
cr.plugins_.jcw_trace.prototype.exps.NormalAngle,
|
|
cr.system_object.prototype.cnds.CompareBetween,
|
|
cr.plugins_.Text.prototype.acts.SetText,
|
|
cr.behaviors.Platform.prototype.cnds.CompareSpeed,
|
|
cr.system_object.prototype.exps.abs,
|
|
cr.system_object.prototype.exps.anglelerp,
|
|
cr.system_object.prototype.exps.timescale,
|
|
cr.plugins_.Keyboard.prototype.cnds.OnKeyCode,
|
|
cr.plugins_.Touch.prototype.cnds.OnTouchObject,
|
|
cr.plugins_.gamepad.prototype.cnds.OnButtonDown,
|
|
cr.system_object.prototype.cnds.IsMobile,
|
|
cr.plugins_.Browser.prototype.acts.Vibrate,
|
|
cr.plugins_.Touch.prototype.cnds.IsTouchingObject,
|
|
cr.plugins_.gamepad.prototype.cnds.CompareAxis,
|
|
cr.plugins_.Keyboard.prototype.cnds.OnKeyCodeReleased,
|
|
cr.plugins_.gamepad.prototype.cnds.OnButtonUp,
|
|
cr.plugins_.Arr.prototype.cnds.CompareSize,
|
|
cr.system_object.prototype.cnds.Repeat,
|
|
cr.plugins_.Arr.prototype.acts.Push,
|
|
cr.plugins_.Arr.prototype.acts.SetSize,
|
|
cr.behaviors.Platform.prototype.acts.SimulateControl,
|
|
cr.system_object.prototype.cnds.Every,
|
|
cr.plugins_.Arr.prototype.exps.At,
|
|
cr.plugins_.Arr.prototype.acts.Pop,
|
|
cr.system_object.prototype.acts.CreateObject,
|
|
cr.plugins_.Sprite.prototype.exps.BBoxLeft,
|
|
cr.plugins_.Sprite.prototype.exps.BBoxTop,
|
|
cr.plugins_.c2canvas.prototype.acts.SetSize,
|
|
cr.plugins_.Sprite.prototype.exps.BBoxRight,
|
|
cr.plugins_.Sprite.prototype.exps.BBoxBottom,
|
|
cr.behaviors.SkymenSkin.prototype.cnds.IsDefault,
|
|
cr.plugins_.c2canvas.prototype.acts.PasteObject,
|
|
cr.plugins_.c2canvas.prototype.acts.SetOpacity,
|
|
cr.plugins_.c2canvas.prototype.acts.ZMoveToObject,
|
|
cr.behaviors.Sin.prototype.acts.SetPhase,
|
|
cr.behaviors.Timer.prototype.acts.StopTimer,
|
|
cr.plugins_.Sprite.prototype.acts.SetAnim,
|
|
cr.plugins_.Sprite.prototype.cnds.IsAnimPlaying,
|
|
cr.behaviors.Platform.prototype.acts.SetMaxFallSpeed,
|
|
cr.plugins_.MagiCam.prototype.acts.ShakeCamera,
|
|
cr.plugins_.Sprite.prototype.cnds.IsBetweenAngles,
|
|
cr.behaviors.Platform.prototype.cnds.OnLand,
|
|
cr.plugins_.Arr.prototype.exps.Width,
|
|
cr.system_object.prototype.cnds.While,
|
|
cr.system_object.prototype.acts.SubVar,
|
|
cr.plugins_.Sprite.prototype.cnds.CompareX,
|
|
cr.plugins_.Sprite.prototype.cnds.CompareY,
|
|
cr.plugins_.Sprite.prototype.cnds.OnCreated,
|
|
cr.plugins_.Arr.prototype.acts.JSONLoad,
|
|
cr.plugins_.Arr.prototype.cnds.CompareXY,
|
|
cr.plugins_.Sprite.prototype.acts.SetPosToObject,
|
|
cr.plugins_.Sprite.prototype.acts.SetHeight,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.MoveToBottom,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.SetOpacity,
|
|
cr.behaviors.Platform.prototype.acts.SetDoubleJumpEnabled,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.Count,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.LayerName,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.X,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.BBoxBottom,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.SetSize,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.Width,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.SetPos,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.MoveToLayer,
|
|
cr.system_object.prototype.acts.SetGroupActive,
|
|
cr.plugins_.TiledBg.prototype.acts.SetSize,
|
|
cr.system_object.prototype.exps.layoutwidth,
|
|
cr.plugins_.TiledBg.prototype.acts.MoveToBottom,
|
|
cr.plugins_.TiledBg.prototype.acts.SetOpacity,
|
|
cr.system_object.prototype.exps.layoutheight,
|
|
cr.plugins_.TiledBg.prototype.acts.SetAngle,
|
|
cr.plugins_.Browser.prototype.exps.Domain,
|
|
cr.plugins_.ValerypopoffJSPlugin.prototype.exps.JSCodeValue,
|
|
cr.plugins_.Browser.prototype.acts.ExecJs,
|
|
cr.plugins_.Keyboard.prototype.cnds.OnKey,
|
|
cr.plugins_.Browser.prototype.acts.ConsoleLog,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.cnds.OnCreated,
|
|
cr.plugins_.Browser.prototype.cnds.OnPageHidden,
|
|
cr.plugins_.ValerypopoffJSPlugin.prototype.acts.ExecuteJSWithParams,
|
|
cr.plugins_.Browser.prototype.cnds.OnPageVisible,
|
|
cr.plugins_.skymenhowlerjs.prototype.cnds.IsPlaying,
|
|
cr.plugins_.skymenhowlerjs.prototype.acts.PlayByName,
|
|
cr.plugins_.skymenhowlerjs.prototype.acts.Mute,
|
|
cr.plugins_.SyncStorage.prototype.cnds.IsLoaded,
|
|
cr.plugins_.skymenhowlerjs.prototype.acts.LinearVolume,
|
|
cr.plugins_.SyncStorage.prototype.cnds.CompareData,
|
|
cr.plugins_.skymenhowlerjs.prototype.acts.Unmute,
|
|
cr.system_object.prototype.exps.choose,
|
|
cr.system_object.prototype.exps.str,
|
|
cr.system_object.prototype.exps.floor,
|
|
cr.system_object.prototype.exps.random,
|
|
cr.plugins_.skymenhowlerjs.prototype.acts.Stop,
|
|
cr.plugins_.Sprite.prototype.cnds.AngleWithin,
|
|
cr.plugins_.JSON.prototype.cnds.IsEmpty,
|
|
cr.plugins_.AJAX.prototype.acts.RequestFile,
|
|
cr.plugins_.AJAX.prototype.cnds.OnComplete,
|
|
cr.plugins_.JSON.prototype.acts.LoadJSON,
|
|
cr.plugins_.AJAX.prototype.exps.LastData,
|
|
cr.plugins_.aekiro_model.prototype.acts.SetJSONByKeyString,
|
|
cr.plugins_.skymen_minifunctioncallback.prototype.acts.Callback,
|
|
cr.plugins_.JSON.prototype.exps.Value,
|
|
cr.plugins_.ValerypopoffJSPlugin.prototype.acts.Call,
|
|
cr.plugins_.ValerypopoffJSPlugin.prototype.exps.StoredReturnValue,
|
|
cr.plugins_.SyncStorage.prototype.acts.LoadData,
|
|
cr.plugins_.skymenhowlerjs.prototype.acts.Load,
|
|
cr.system_object.prototype.acts.WaitForSignal,
|
|
cr.plugins_.Globals.prototype.acts.SetInstanceVar,
|
|
cr.plugins_.Globals.prototype.exps.GetVariablesAsJSON,
|
|
cr.plugins_.ValerypopoffJSPlugin.prototype.acts.SetValue,
|
|
cr.plugins_.AJAX.prototype.cnds.OnError,
|
|
cr.plugins_.SyncStorage.prototype.cnds.OnDataMissing,
|
|
cr.plugins_.SyncStorage.prototype.cnds.OnLoaded,
|
|
cr.plugins_.Globals.prototype.acts.LoadVariables,
|
|
cr.plugins_.skymenhowlerjs.prototype.acts.Volume,
|
|
cr.plugins_.skymenhowlerjs.prototype.exps.LinearVolume,
|
|
cr.plugins_.Browser.prototype.acts.RequestFullScreen,
|
|
cr.plugins_.SyncStorage.prototype.cnds.OnLoadError,
|
|
cr.plugins_.SyncStorage.prototype.exps.ErrorMsg,
|
|
cr.system_object.prototype.cnds.OnLayoutEnd,
|
|
cr.plugins_.SyncStorage.prototype.acts.ClearData,
|
|
cr.system_object.prototype.cnds.For,
|
|
cr.plugins_.SyncStorage.prototype.acts.RemoveData,
|
|
cr.system_object.prototype.exps.loopindex,
|
|
cr.plugins_.SyncStorage.prototype.acts.AddValue,
|
|
cr.plugins_.Browser.prototype.cnds.OnOfflineReady,
|
|
cr.plugins_.Browser.prototype.cnds.OnUpdateFound,
|
|
cr.plugins_.Browser.prototype.cnds.OnUpdateReady,
|
|
cr.plugins_.sirg_notifications.prototype.cnds.OnNotificationClicked,
|
|
cr.plugins_.Browser.prototype.acts.Reload,
|
|
cr.plugins_.Browser.prototype.acts.GoToURLWindow,
|
|
cr.plugins_.hmmg_layoutTransition_v2.prototype.cnds.didTransitionStart,
|
|
cr.plugins_.sirg_notifications.prototype.acts.AddSimpleNotification,
|
|
cr.plugins_.sirg_notifications.prototype.acts.AddNotification,
|
|
cr.plugins_.sirg_notifications.prototype.acts.AddNotificationClickable,
|
|
cr.plugins_.sirg_notifications.prototype.acts.DeleteAllNotifications,
|
|
cr.plugins_.skymen_skinsCore.prototype.acts.AddSkin,
|
|
cr.plugins_.skymen_skinsCore.prototype.acts.Init,
|
|
cr.system_object.prototype.exps.clamp,
|
|
cr.plugins_.Keyboard.prototype.cnds.OnAnyKey,
|
|
cr.plugins_.Keyboard.prototype.exps.LastKeyCode,
|
|
cr.plugins_.Sprite.prototype.exps.Count,
|
|
cr.plugins_.NodeWebkit.prototype.acts.SetWindowTitle,
|
|
cr.plugins_.Arr.prototype.acts.SetXY,
|
|
cr.plugins_.Sprite.prototype.exps.AnimationFrame,
|
|
cr.plugins_.NodeWebkit.prototype.acts.SetClipboardText,
|
|
cr.plugins_.Arr.prototype.exps.AsJSON,
|
|
cr.plugins_.Sprite.prototype.acts.SetVisible,
|
|
cr.plugins_.skymen_skinsCore.prototype.exps.RandomSkin,
|
|
cr.plugins_.Globals.prototype.acts.ToggleBoolInstanceVar,
|
|
cr.plugins_.SyncStorage.prototype.exps.AsString,
|
|
cr.plugins_.TextModded.prototype.cnds.OnCreated,
|
|
cr.plugins_.TextModded.prototype.acts.SetInstanceVar,
|
|
cr.plugins_.TextModded.prototype.exps.FaceSize,
|
|
cr.plugins_.TextModded.prototype.exps.Width,
|
|
cr.plugins_.TextModded.prototype.exps.Height,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.SetInstanceVar,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.CharacterScale,
|
|
cr.plugins_.TextModded.prototype.acts.SetWebFont,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.cnds.IsBoolInstanceVarSet,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.cnds.IsVisible,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.SetVisible,
|
|
cr.plugins_.ValerypopoffJSPlugin.prototype.cnds.CompareStoredReturnValue,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.Text,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.LayerNumber,
|
|
cr.behaviors.aekiro_gameobject2.prototype.exps.global,
|
|
cr.plugins_.TextModded.prototype.acts.SetSize,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.Height,
|
|
cr.plugins_.TextModded.prototype.acts.SetText,
|
|
cr.plugins_.TextModded.prototype.acts.SetFontSize,
|
|
cr.plugins_.TextModded.prototype.acts.SetHorAl,
|
|
cr.plugins_.TextModded.prototype.acts.SetVerAl,
|
|
cr.plugins_.TextModded.prototype.acts.SetHeight,
|
|
cr.plugins_.TextModded.prototype.acts.SetY,
|
|
cr.plugins_.TextModded.prototype.exps.Y,
|
|
cr.plugins_.TextModded.prototype.acts.SetWidth,
|
|
cr.plugins_.TextModded.prototype.acts.SetX,
|
|
cr.plugins_.TextModded.prototype.exps.X,
|
|
cr.plugins_.TextModded.prototype.acts.SetAngle,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.Angle,
|
|
cr.plugins_.TextModded.prototype.acts.SetOpacity,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.Opacity,
|
|
cr.plugins_.TextModded.prototype.acts.ZMoveToObject,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.cnds.CompareInstanceVar,
|
|
cr.plugins_.TextModded.prototype.acts.SetFontColor,
|
|
cr.system_object.prototype.exps.rgb,
|
|
cr.plugins_.TextModded.prototype.acts.SetBoolInstanceVar,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.UID,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.Destroy,
|
|
cr.system_object.prototype.acts.Signal,
|
|
cr.system_object.prototype.exps.lowercase,
|
|
cr.plugins_.Sprite.prototype.exps.AnimationName,
|
|
cr.plugins_.Sprite.prototype.exps.LayerNumber,
|
|
cr.plugins_.TextModded.prototype.acts.SetPos,
|
|
cr.plugins_.TextModded.prototype.exps.UID,
|
|
cr.behaviors.aekiro_gameobject2.prototype.acts.AddChildrenFromType,
|
|
cr.plugins_.TextModded.prototype.cnds.IsBoolInstanceVarSet,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.SetScale,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.cnds.PickByUID,
|
|
cr.plugins_.TextModded.prototype.cnds.PickByUID,
|
|
cr.plugins_.aekiro_model.prototype.acts.StringToHashTable,
|
|
cr.plugins_.TR_ClockParser.prototype.exps.MMSS,
|
|
cr.system_object.prototype.exps.round,
|
|
cr.system_object.prototype.exps.zeropad,
|
|
cr.behaviors.aekiro_button.prototype.acts.setEnabled,
|
|
cr.plugins_.aekiro_model.prototype.cnds.IsEmpty,
|
|
cr.plugins_.Sprite.prototype.acts.SetX,
|
|
cr.plugins_.Sprite.prototype.acts.SetWidth,
|
|
cr.behaviors.aekiro_gameobject2.prototype.exps.parent,
|
|
cr.system_object.prototype.exps.replace,
|
|
cr.plugins_.AJAX.prototype.acts.Request,
|
|
cr.plugins_.Text.prototype.cnds.OnCreated,
|
|
cr.plugins_.Text.prototype.acts.SetWebFont,
|
|
cr.behaviors.aekiro_dialog.prototype.cnds.onDialogOpened,
|
|
cr.system_object.prototype.acts.SetObjectTimescale,
|
|
cr.behaviors.aekiro_dialog.prototype.acts.Close,
|
|
cr.behaviors.aekiro_button.prototype.cnds.OnClicked,
|
|
cr.behaviors.aekiro_bind.prototype.exps.index,
|
|
cr.behaviors.aekiro_dialog.prototype.acts.Open,
|
|
cr.plugins_.TR_AdBlockDetector.prototype.cnds.IsBlocking,
|
|
cr.plugins_.GameAnalytics.prototype.acts.addDesignEvent,
|
|
cr.plugins_.Function.prototype.exps.ParamCount,
|
|
cr.system_object.prototype.acts.GoToLayoutByName,
|
|
cr.system_object.prototype.acts.SetTimescale,
|
|
cr.plugins_.hmmg_layoutTransition_v2.prototype.acts.prepareTransition,
|
|
cr.plugins_.hmmg_layoutTransition_v2.prototype.cnds.isTransitionReady,
|
|
cr.plugins_.hmmg_layoutTransition_v2.prototype.acts.startTransition,
|
|
cr.system_object.prototype.acts.SetLayerVisible,
|
|
cr.behaviors.lunarray_LiteTween.prototype.cnds.OnEnd,
|
|
cr.behaviors.aekiro_button.prototype.cnds.IsEnabled,
|
|
cr.plugins_.Sprite.prototype.cnds.CompareFrame,
|
|
cr.plugins_.Sprite.prototype.cnds.CompareWidth,
|
|
cr.plugins_.JSON.prototype.exps.Size,
|
|
cr.behaviors.lunarray_LiteTween.prototype.acts.SetParameter,
|
|
cr.behaviors.lunarray_LiteTween.prototype.acts.Start,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.SetPosToObject,
|
|
cr.system_object.prototype.exps.viewportright,
|
|
cr.system_object.prototype.exps.viewportleft,
|
|
cr.system_object.prototype.exps.viewportbottom,
|
|
cr.system_object.prototype.exps.viewporttop,
|
|
cr.system_object.prototype.acts.SetLayerOpacity,
|
|
cr.system_object.prototype.exps.unlerp,
|
|
cr.plugins_.Particles.prototype.acts.SetRate,
|
|
cr.system_object.prototype.exps.canvastolayerx,
|
|
cr.plugins_.Touch.prototype.exps.AbsoluteX,
|
|
cr.plugins_.Touch.prototype.exps.AbsoluteY,
|
|
cr.system_object.prototype.exps.canvastolayery,
|
|
cr.plugins_.Mouse.prototype.cnds.OnObjectClicked,
|
|
cr.plugins_.Mouse.prototype.exps.AbsoluteX,
|
|
cr.plugins_.Mouse.prototype.exps.AbsoluteY,
|
|
cr.plugins_.Mouse.prototype.cnds.IsOverObject,
|
|
cr.behaviors.Sin.prototype.acts.SetMagnitude,
|
|
cr.behaviors.Sin.prototype.exps.Magnitude,
|
|
cr.behaviors.Sin.prototype.acts.SetPeriod,
|
|
cr.behaviors.Sin.prototype.exps.Period,
|
|
cr.behaviors.aekiro_dialog.prototype.cnds.onDialogClosed,
|
|
cr.plugins_.TextModded.prototype.cnds.CompareInstanceVar,
|
|
cr.plugins_.Keyboard.prototype.exps.StringFromKeyCode,
|
|
cr.behaviors.aekiro_sliderbar.prototype.acts.setValue,
|
|
cr.behaviors.aekiro_checkbox.prototype.acts.setValue,
|
|
cr.plugins_.Browser.prototype.cnds.IsFullscreen,
|
|
cr.behaviors.aekiro_checkbox.prototype.cnds.OnClicked,
|
|
cr.behaviors.aekiro_checkbox.prototype.cnds.IsChecked,
|
|
cr.plugins_.Browser.prototype.acts.CancelFullScreen,
|
|
cr.behaviors.aekiro_sliderbar.prototype.cnds.IsSliding,
|
|
cr.behaviors.aekiro_sliderbar.prototype.exps.value,
|
|
cr.plugins_.rojoPaster.prototype.cnds.OnCreated,
|
|
cr.plugins_.rojoPaster.prototype.acts.LoadImage,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.exps.Y,
|
|
cr.plugins_.TextModded.prototype.acts.Destroy,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.SetBoolInstanceVar,
|
|
cr.plugins_.SyncStorage.prototype.acts.SubtractValue,
|
|
cr.plugins_.Touch.prototype.cnds.OnDoubleTapGestureObject,
|
|
cr.plugins_.Arr.prototype.acts.SetXYZ,
|
|
cr.plugins_.Keyboard.prototype.cnds.IsKeyDown,
|
|
cr.system_object.prototype.acts.GoToLayout,
|
|
cr.system_object.prototype.acts.ResetPersisted,
|
|
cr.behaviors.aekiro_dialog.prototype.cnds.isOpened,
|
|
cr.plugins_.Function.prototype.cnds.CompareParam,
|
|
cr.plugins_.HTML_Div_Pode.prototype.acts.MoveToLayer,
|
|
cr.plugins_.Browser.prototype.cnds.IsPortraitLandscape,
|
|
cr.plugins_.HTML_Div_Pode.prototype.acts.SetPos,
|
|
cr.system_object.prototype.exps.originalwindowwidth,
|
|
cr.plugins_.HTML_Div_Pode.prototype.acts.SetWidth,
|
|
cr.plugins_.HTML_Div_Pode.prototype.acts.SetVisible,
|
|
cr.plugins_.filechooser.prototype.acts.ReleaseFile,
|
|
cr.plugins_.filechooser.prototype.exps.FileURLAt,
|
|
cr.plugins_.Browser.prototype.acts.InvokeDownloadString,
|
|
cr.plugins_.filechooser.prototype.cnds.OnChanged,
|
|
cr.plugins_.TextBox.prototype.cnds.OnClicked,
|
|
cr.plugins_.TextBox.prototype.acts.SetBlur,
|
|
cr.plugins_.Button.prototype.cnds.OnClicked,
|
|
cr.plugins_.Button.prototype.cnds.CompareInstanceVar,
|
|
cr.plugins_.TextBox.prototype.cnds.CompareInstanceVar,
|
|
cr.plugins_.TextBox.prototype.exps.Text,
|
|
cr.plugins_.Button.prototype.cnds.IsChecked,
|
|
cr.plugins_.SyncStorage.prototype.acts.AppendValue,
|
|
cr.behaviors.Fade.prototype.acts.RestartFade,
|
|
cr.plugins_.hmmg_layoutTransition_v2.prototype.cnds.didTransitionFinish,
|
|
cr.behaviors.lunarray_Tween.prototype.cnds.OnEnd,
|
|
cr.behaviors.lunarray_Tween.prototype.acts.SetParameter,
|
|
cr.behaviors.lunarray_Tween.prototype.acts.Start,
|
|
cr.behaviors.lunarray_Tween.prototype.exps.isPaused,
|
|
cr.behaviors.lunarray_Tween.prototype.exps.Target,
|
|
cr.behaviors.lunarray_Tween.prototype.exps.Value,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.SetCharPos,
|
|
cr.plugins_.SkymenSFPlusPLus.prototype.acts.Redraw,
|
|
cr.system_object.prototype.exps.loadingprogress,
|
|
cr.plugins_.TiledBg.prototype.exps.Opacity,
|
|
cr.plugins_.HTML_Div_Pode.prototype.acts.Destroy,
|
|
cr.plugins_.sirg_notifications.prototype.acts.SetPosition,
|
|
cr.plugins_.GameAnalytics.prototype.acts.initialize,
|
|
cr.plugins_.skymen_siteLock.prototype.cnds.SiteLock,
|
|
cr.plugins_.Browser.prototype.acts.GoToURL
|
|
];};
|