Newer
Older
/********************************************************************************
This file contains code related to the Pose Engine,
as well as code related to displaying tables for selection and the main game.
********************************************************************************/
/* NOTE: These are basically the same as epilogue engine sprites.
* There's a _lot_ of common code here that can probably be merged.
*/
function PoseSprite(id, src, onload, pose, args) {
this.pose = pose;
this.x = args.x || 0;
this.y = args.y || 0;
this.z = args.z || 'auto';
this.scalex = args.scalex || 1;
this.scaley = args.scaley || 1;
this.skewx = args.skewx || 0;
this.skewy = args.skewy || 0;
this.rotation = args.rotation || 0;
this.alpha = args.alpha;
this.pivotx = args.pivotx;
this.pivoty = args.pivoty;
this.height = args.height || 0;
this.width = args.width || 0;
this.delay = args.delay || 0;
this.elapsed = 0;
this.vehicle = document.createElement('div');
this.vehicle.id = id;
this.pivot = document.createElement('div');
this.vehicle.appendChild(this.pivot);
this.img.onload = this.img.onerror = function() {
if (!this.height) this.height = this.img.naturalHeight;
if (!this.width) this.width = this.img.naturalWidth;
this.draw();
}.bind(this);
if (this.alpha === undefined) {
this.alpha = 100;
}
if (this.pivotx || this.pivoty) {
this.pivotx = this.pivotx || "center";
this.pivoty = this.pivoty || "center";
$(this.pivot).css("transform-origin", this.pivotx + " " + this.pivoty);
}
$(this.vehicle).css("z-index", this.z);
}
PoseSprite.prototype.linkParent = function () {
if (this.parentId) {
this.parent = this.pose.sprites[this.parentId];
this.parent.pivot.appendChild(this.vehicle);
}
}
PoseSprite.prototype.scaleToDisplay = function(x) {
return x * this.pose.getHeightScaleFactor();
PoseSprite.prototype.update = function (dt) {
if (this.elapsed < this.delay) {
this.elapsed += dt;
if (this.elapsed >= this.delay) {
this.draw();
}
}
}
var alpha = this.alpha / 100;
if (this.elapsed < this.delay) {
alpha = 0;
}
var properties = {
"position": "absolute",
"left": "50%",
"top": "0",
"transform": "translateX(-50%) translateX(" + this.scaleToDisplay(this.x) + "px) translateY(" + this.scaleToDisplay(this.y) + "px)",
"transform-origin": "top left",
"opacity": alpha,
"height": '100%',
};
if (this.parent) {
properties.left = 0;
properties.transform = "translateX(" + this.scaleToDisplay(this.x) + "px) translateY(" + this.scaleToDisplay(this.y) + "px)";
}
$(this.vehicle).css(properties);
if (this.prevSrc !== this.src) {
this.img.src = this.prevSrc = this.src;
this.height = this.img.naturalHeight;
this.width = this.img.naturalWidth;
}
"transform": "rotate(" + this.rotation + "deg) scale(" + this.scalex + ", " + this.scaley + ") skew(" + this.skewx + "deg, " + this.skewy + "deg)",
if (this.img) {
$(this.img).css({
'height': this.scaleToDisplay(this.height) + "px",
'width': this.scaleToDisplay(this.width) + "px"
});
}
function PoseAnimation (targetSprite, pose, args) {
this.pose = pose;
this.target = targetSprite;
this.elapsed = 0;
this.looped = args.looped || false;
this.keyframes = args.keyframes.sort(function (kf1, kf2) {
if (kf1.time === kf2.time) return 0;
return (kf1.time < kf2.time) ? -1 : 1;
});
var totalTime = 0;
this.keyframes.forEach(function (kf) {
kf.startTime = totalTime;
totalTime = kf.time;
});
this.duration = this.keyframes[this.keyframes.length-1].time;
this.delay = args.delay || 0;
this.interpolation = args.interpolation || 'none';
this.ease = args.ease || 'linear';
}
PoseAnimation.prototype.isComplete = function () {
return (this.elapsed - this.delay) >= this.duration;
}
PoseAnimation.prototype.update = function (dt) {
this.elapsed += dt;
if (this.looped && this.isComplete()) { this.elapsed -= this.duration; }
var t = (this.elapsed - this.delay);
if (t < 0) return;
if (this.duration === 0) {
t = 1;
}
else {
var easingFunction = this.ease;
t /= this.duration;
t = Math.min(1, t);
t = Animation.prototype.easingFunctions[easingFunction](t)
t *= this.duration;
}
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
// Find current keyframe pair and update
for (var i=this.keyframes.length-1;i>=0;i--) {
var frame = this.keyframes[i];
if (t <= frame.startTime) continue;
var lastFrame = (i > 0) ? this.keyframes[i-1] : frame;
var progress = (t - frame.startTime) / (frame.time - frame.startTime);
progress = (t <= 0) ? 0 : Math.min(1, Math.max(0, progress));
this.updateSprite(lastFrame, frame, progress, i);
return;
}
}
// Borrowed heavily from spniEpilogue
PoseAnimation.prototype.interpolate = function (prop, last, next, t, idx) {
var current = this.target[prop];
var start = last[prop];
var end = next[prop];
if (typeof start === "undefined" || isNaN(start) || typeof end === "undefined" || isNaN(end)) {
return;
}
var mode = this.interpolation;
this.target[prop] = interpolationModes[mode](prop, start, end, t, this.keyframes, idx);
}
PoseAnimation.prototype.updateSprite = function (fromFrame, toFrame, t, idx) {
if (toFrame.src && t >= 1) {
this.target.src = toFrame.src;
}
else if (fromFrame.src) {
this.target.src = fromFrame.src;
}
this.interpolate("x", fromFrame, toFrame, t, idx);
this.interpolate("y", fromFrame, toFrame, t, idx);
this.interpolate("rotation", fromFrame, toFrame, t, idx);
this.interpolate("scalex", fromFrame, toFrame, t, idx);
this.interpolate("scaley", fromFrame, toFrame, t, idx);
this.interpolate("skewx", fromFrame, toFrame, t, idx);
this.interpolate("skewy", fromFrame, toFrame, t, idx);
this.interpolate("alpha", fromFrame, toFrame, t, idx);
this.target.draw();
}
function Pose(poseDef, display) {
this.player = poseDef.player;
this.display = display;
this.sprites = {};
this.totalSprites = 0;
this.animations = [];
this.loaded = false;
this.onLoadComplete = null;
this.lastUpdateTS = null;
this.active = false;
this.baseHeight = poseDef.baseHeight || 1400;
var container = document.createElement('div');
$(container).addClass("opponent-image custom-pose").css({
"position": "relative",
'z-index': -1
});
this.container = container;
poseDef.sprites.forEach(function (def) {
if (def.marker && !checkMarker(def.marker, this.player)) {
return;
}
var sprite = new PoseSprite(def.id, def.src, this.onSpriteLoaded.bind(this), this, def);
this.sprites[def.id] = sprite
this.totalSprites++;
container.appendChild(sprite.vehicle);
}.bind(this));
for (var id in this.sprites) {
if (this.sprites.hasOwnProperty(id)) {
this.sprites[id].linkParent();
}
}
poseDef.animations.forEach(function (def) {
if (def.marker && !checkMarker(def.marker, this.player)) {
return;
}
var target = this.sprites[def.id];
if (!target) return;
var anim = new PoseAnimation(target, this, def);
this.animations.push(anim);
}.bind(this));
Pose.prototype.getHeightScaleFactor = function() {
return this.display.height() / this.baseHeight;
}
Pose.prototype.onSpriteLoaded = function(sprite) {
if (this.loaded_sprites[sprite.id]) { return; }
this.loaded_sprites[sprite.id] = true;
var n_loaded = Object.keys(this.loaded_sprites).length;
if (n_loaded >= this.totalSprites && !this.loaded) {
this.loaded = true;
if (this.onLoadComplete) { return this.onLoadComplete(); }
}
}
Pose.prototype.update = function (timestamp) {
if (this.lastUpdateTS === null) { this.lastUpdateTS = timestamp; }
var dt = timestamp - this.lastUpdateTS;
for (var id in this.sprites) {
if (this.sprites.hasOwnProperty(id)) {
this.sprites[id].update(dt);
}
}
for (var i=0;i<this.animations.length;i++) {
this.animations[i].update(dt);
}
this.lastUpdateTS = timestamp;
Pose.prototype.draw = function() {
for (key in this.sprites) {
this.sprites[key].draw();
}
}
Pose.prototype.needsAnimationLoop = function () {
if (this.animations.some(function (a) { return a.looped || !a.isComplete(); })) {
return true;
}
for (var id in this.sprites) {
if (this.sprites.hasOwnProperty(id) && this.sprites[id].elapsed < this.sprites[id].delay) {
return true;
}
}
return false;
}
function xmlToObject($xml) {
var targetObj = {};
$.each($xml.attributes, function (i, attr) {
var name = attr.name.toLowerCase();
var value = attr.value;
targetObj[name] = value;
});
return targetObj;
}
/* Common function for parsing sprite and directive definitions. */
function parseSpriteDefinition ($xml, player) {
var targetObj = xmlToObject($xml);
//properties needing special handling
if (targetObj.alpha) { targetObj.alpha = parseFloat(targetObj.alpha, 10); }
targetObj.zoom = parseFloat(targetObj.zoom, 10);
targetObj.rotation = parseFloat(targetObj.rotation, 10);
if (targetObj.scale) {
targetObj.scalex = targetObj.scaley = targetObj.scale;
} else {
targetObj.scalex = parseFloat(targetObj.scalex, 10);
targetObj.scaley = parseFloat(targetObj.scaley, 10);
targetObj.skewx = parseFloat(targetObj.skewx, 10);
targetObj.skewy = parseFloat(targetObj.skewy, 10);
targetObj.x = parseFloat(targetObj.x, 10);
targetObj.y = parseFloat(targetObj.y, 10);
targetObj.delay = parseFloat(targetObj.delay) * 1000 || 0;
targetObj.player = player;
return targetObj;
}
function parseKeyframeDefinition($xml) {
var targetObj = parseSpriteDefinition($xml);
targetObj.time = parseFloat(targetObj.time) * 1000;
if (targetObj.src) {
targetObj.src = "opponents/" + targetObj.src;
}
return targetObj;
}
function parseDirective ($xml) {
var targetObj = xmlToObject($xml);
if (targetObj.type === 'animation') {
// Keyframe / interpolated animation
targetObj.keyframes = [];
targetObj.delay = parseFloat(targetObj.delay) * 1000 || 0;
targetObj.looped = targetObj.looped || targetObj.loop;
$($xml).find('keyframe').each(function (i, elem) {
targetObj.keyframes.push(parseKeyframeDefinition(elem));
});
} else if (targetObj.type === 'sequence') {
// Sequential frame sequence
targetObj.frameTime = parseFloat(targetObj.frametime);
targetObj.delay = parseFloat(targetObj.delay) || 0;
targetObj.frames = [];
$($xml).find('animFrame').each(function (i, elem) {
targetObj.frames.push(xmlToObject(elem));
});
}
return targetObj;
}
function PoseDefinition ($xml, player) {
this.id = $xml.attr('id').trim();
this.baseHeight = $xml.attr('baseHeight');
this.sprites = [];
this.sprites.push(parseSpriteDefinition(elem, player));
}.bind(this));
this.animations = [];
$xml.find('directive').each(function (i, elem) {
var directive = parseDirective(elem);
if (directive.type === 'animation') {
} else if (directive.type === 'sequence') {
// Convert the sequence into a set of Animation objects.
var curDelay = directive.delay;
var totalTime = directive.frameTime * directive.frames.length;
directive.frames.forEach(function (frame) {
this.animations.push({
type: 'animation',
id: frame.id,
interpolation: 'none',
delay: curDelay * 1000,
keyframes: [
{time: 0, alpha: 100},
{time: directive.frameTime*1000, alpha:0},
{time: totalTime*1000, alpha:0}
]
});
curDelay += directive.frameTime;
}.bind(this));
}
}.bind(this));
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
//This is pretty much the same thing as spniEpilogue's addDirectiveToScene
PoseDefinition.prototype.addAnimation = function (directive) {
if (directive.keyframes.length > 1) {
//first split the properties into buckets of frame indices where they appear
var propertyMap = {};
for (var i = 0; i < directive.keyframes.length; i++) {
var frame = directive.keyframes[i];
for (var j = 0; j < animatedProperties.length; j++) {
var property = animatedProperties[j];
if (frame.hasOwnProperty(property) && !Number.isNaN(frame[property])) {
if (!propertyMap[property]) {
propertyMap[property] = [];
}
propertyMap[property].push(i);
}
}
}
//next create directives for each combination of frames
var directives = {};
for (var prop in propertyMap) {
var key = propertyMap[prop].join(',');
var workingDirective = directives[key];
if (!workingDirective) {
//shallow copy the directive
workingDirective = {};
for (var srcProp in directive) {
if (directive.hasOwnProperty(srcProp)) {
workingDirective[srcProp] = directive[srcProp];
}
}
workingDirective.keyframes = [];
directives[key] = workingDirective;
this.animations.push(workingDirective);
}
var lastStart = 0;
for (var i = 0; i < propertyMap[prop].length; i++) {
var srcFrame = directive.keyframes[propertyMap[prop][i]];
var targetFrame;
if (workingDirective.keyframes.length <= i) {
//shallow copy the frame minus the animatable properties
targetFrame = {};
for (var srcProp in srcFrame) {
if (srcFrame.hasOwnProperty(srcProp)) {
targetFrame[srcProp] = srcFrame[srcProp];
}
}
for (var j = 0; j < animatedProperties.length; j++) {
var property = animatedProperties[j];
delete targetFrame[property];
}
targetFrame.startTime = lastStart;
workingDirective.keyframes.push(targetFrame);
lastStart = srcFrame.time;
}
else {
targetFrame = workingDirective.keyframes[i];
}
targetFrame[prop] = srcFrame[prop];
}
}
}
else {
this.animations.push(directive);
}
}
PoseDefinition.prototype.getUsedImages = function(stage) {

FarawayVision
committed
var baseFolder = 'opponents/';
var imageSet = {};
this.sprites.forEach(function (sprite) {
imageSet[baseFolder+sprite.src] = true;
});
this.animations.forEach(function (animation) {
animation.keyframes.forEach(function (keyframe) {
if (keyframe.src) {
imageSet[keyframe.src] = true;
}
});
});
return Object.keys(imageSet);
}
function OpponentDisplay(slot, bubbleElem, dialogueElem, simpleImageElem, imageArea, labelElem) {
this.slot = slot;
this.bubble = bubbleElem;
this.dialogue = dialogueElem;
this.simpleImage = simpleImageElem;
this.imageArea = imageArea;
this.label = labelElem;
window.addEventListener('resize', this.onResize.bind(this));
}
OpponentDisplay.prototype.height = function () {
return this.imageArea.height();
}
OpponentDisplay.prototype.hideBubble = function () {
this.dialogue.html("");
this.bubble.hide();
}
OpponentDisplay.prototype.clearCustomPose = function () {
if (this.animCallbackID) {
window.cancelAnimationFrame(this.animCallbackID);
this.animCallbackID = undefined;
}
OpponentDisplay.prototype.clearSimplePose = function () {
this.simpleImage.hide();
}
OpponentDisplay.prototype.clearPose = function () {
this.pose = null;
this.clearCustomPose();
this.clearSimplePose();
}
OpponentDisplay.prototype.drawPose = function (pose) {
if (typeof(pose) === 'string') {
// clear out previously shown custom poses if necessary
if (this.pose instanceof Pose) {
this.clearCustomPose();
}
this.simpleImage.attr('src', pose).show();
} else if (pose instanceof Pose) {
if (typeof(this.pose) === 'string') {
// clear out previously shown simple poses
this.clearSimplePose();
} else if (this.pose instanceof Pose) {
// Remove any previously shown custom poses too
$(this.pose.container).remove();
}
this.imageArea.append(pose.container);
pose.draw();
if (pose.needsAnimationLoop()) {
this.animCallbackID = window.requestAnimationFrame(this.loop.bind(this));
}
OpponentDisplay.prototype.onResize = function () {
if (this.pose && (this.pose instanceof Pose)) {
this.pose.draw();
}
}
OpponentDisplay.prototype.update = function(player) {
if (!player) {
this.hideBubble();
this.clearPose();
return;
}
if (!player.chosenState) {
/* hide their dialogue bubble */
this.hideBubble();
return;
}
var chosenState = player.chosenState;
/* update dialogue */
this.dialogue.html(fixupDialogue(chosenState.dialogue));
/* update image */
if (!chosenState.image) {
this.clearPose();
} else if (chosenState.image.startsWith('custom:')) {
var key = chosenState.image.split(':', 2)[1];
var poseDef = player.poses[key];
if (poseDef) {
this.drawPose(new Pose(poseDef, this));
this.drawPose(player.folder + chosenState.image);
}
/* update label */
this.label.html(player.label.initCap());
/* check silence */
if (!chosenState.dialogue) {
this.hideBubble();
} else {
this.bubble.show();
this.bubble.children('.dialogue-bubble').attr('class', 'dialogue-bubble arrow-'+chosenState.direction);
bubbleArrowOffsetRules[this.slot-1][0].style.left = chosenState.location;
bubbleArrowOffsetRules[this.slot-1][1].style.top = chosenState.location;
}
if (showDebug && !inRollback()) {
OpponentDisplay.prototype.loop = function (timestamp) {
if (!this.pose || !(this.pose instanceof Pose)) return;
this.pose.update(timestamp);
if (this.pose.needsAnimationLoop()) {
this.animCallbackID = window.requestAnimationFrame(this.loop.bind(this));
} else {
this.animCallbackID = undefined;
}
function GameScreenDisplay (slot) {
OpponentDisplay.call(
this,
slot,
$('#game-bubble-'+slot),
$('#game-dialogue-'+slot),
$('#game-image-'+slot),
$('#game-image-area-'+slot),
$('#game-name-label-'+slot)
);
this.opponentArea = $('#game-opponent-area-'+slot);
}
GameScreenDisplay.prototype = Object.create(OpponentDisplay.prototype);
GameScreenDisplay.prototype.constructor = GameScreenDisplay;
GameScreenDisplay.prototype.reset = function (player) {
clearHand(this.slot);
this.imageArea.css({
'height': player.scale + '%',
'top': (100 - player.scale) + '%'
}).show();
this.label.removeClass("current loser tied");
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
} else {
this.opponentArea.hide();
this.bubble.hide();
}
}
/* Wraps logic for handling the Main Select screen displays. */
function MainSelectScreenDisplay (slot) {
OpponentDisplay.call(this,
slot,
$('#select-bubble-'+slot),
$('#select-dialogue-'+slot),
$('#select-image-'+slot),
$('#select-image-area-'+slot),
$('#select-name-label-'+slot)
);
this.selectButton = $("#select-slot-button-"+slot);
}
MainSelectScreenDisplay.prototype = Object.create(OpponentDisplay.prototype);
MainSelectScreenDisplay.prototype.constructor = MainSelectScreenDisplay;
MainSelectScreenDisplay.prototype.update = function (player) {
if (!player) {
this.hideBubble();
this.clearPose();
this.label.html("Opponent " + this.slot);
/* change the button */
this.selectButton.html("Select Opponent");
this.selectButton.removeClass("smooth-button-red");
this.selectButton.addClass("smooth-button-green");
return;
}
if (!player.isLoaded()) {
this.hideBubble();
this.clearPose();
this.label.html(player.label.initCap());
this.selectButton.attr('disabled', true).html('Loading...');
} else {
OpponentDisplay.prototype.update.call(this, player);
this.selectButton.attr('disabled', false).html("Remove Opponent");
this.selectButton.removeClass("smooth-button-green");
this.selectButton.addClass("smooth-button-red");
if (!(this.pose instanceof Pose)) {
this.simpleImage.one('load', function() {
this.bubble.show();
this.simpleImage.css('height', player.scale + '%').show();
}.bind(this));
} else {
this.pose.onLoadComplete = function () {
this.bubble.show();
this.imageArea.css({
'height': player.scale + '%',
'top': (100 - player.scale) + '%'
}).show();
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
}.bind(this);
}
}
}
/* Handles common logic for displaying opponents in the group and individual displays. */
function OpponentPickerDisplay (slot, id_base) {
this.nameLabel = $("#"+id_base+"-name-label-"+slot);
this.prefersLabel = $("#"+id_base+"-prefers-label-"+slot);
this.sexLabel = $("#"+id_base+"-sex-label-"+slot);
this.heightLabel = $("#"+id_base+"-height-label-"+slot);
this.sourceLabel = $("#"+id_base+"-source-label-"+slot);
this.writerLabel = $("#"+id_base+"-writer-label-"+slot);
this.artistLabel = $("#"+id_base+"-artist-label-"+slot);
this.countBox = $("#"+id_base+"-counts-"+slot);
this.lineCountLabel = $("#"+id_base+"-line-counts-label-"+slot);
this.poseCountLabel = $("#"+id_base+"-pose-counts-label-"+slot);
this.descriptionLabel = $("#"+id_base+"-description-label-"+slot);
this.badge = $("#"+id_base+"-badge-"+slot);
this.status = $("#"+id_base+"-status-"+slot);
this.layers = $("#"+id_base+"-layer-"+slot);
this.costumeSelector = $("#"+id_base+"-costume-select-"+slot);
this.image = $("#"+id_base+"-image-"+slot);
}
OpponentPickerDisplay.prototype.clear = function() {
this.nameLabel.html("");
this.prefersLabel.html("");
this.sexLabel.html("");
this.sourceLabel.html("");
this.writerLabel.html("");
this.artistLabel.html("");
this.countBox.css("visibility", "hidden");
this.descriptionLabel.html("");
this.badge.hide();
this.status.hide();
this.layers.hide();
this.image.hide();
this.costumeSelector.hide();
}
OpponentPickerDisplay.prototype.update = function (opponent) {
this.nameLabel.html(opponent.first + " " + opponent.last);
this.prefersLabel.html(opponent.label);
this.sexLabel.html(opponent.gender);
this.sourceLabel.html(opponent.source);
this.writerLabel.html(wordWrapHtml(opponent.writer));
this.artistLabel.html(wordWrapHtml(opponent.artist));
this.descriptionLabel.html(opponent.description);
if (EPILOGUE_BADGES_ENABLED && opponent.ending) {
this.badge.show();
} else {
this.badge.hide();
}
if (opponent.status) {
var status_icon_img = 'img/testing-badge.png';
var status_tooltip = TESTING_STATUS_TOOLTIP;
if (opponent.status === 'offline') {
status_icon_img = 'img/offline-badge.png';
status_tooltip = OFFLINE_STATUS_TOOLTIP;
} else if (opponent.status === 'incomplete') {
status_icon_img = 'img/incomplete-badge.png';
status_tooltip = INCOMPLETE_STATUS_TOOLTIP;
}
this.status.attr({
'src': status_icon_img,
'title': status_tooltip,
'data-original-title': status_tooltip,
}).show().tooltip({
'placement': 'left'
});
} else {
this.status.removeAttr('title').removeAttr('data-original-title').hide();
}
this.layers.show();
this.layers.attr("src", "img/layers" + opponent.layers + ".png");
this.image.attr('src', opponent.folder + opponent.image);
this.image.css('height', opponent.scale + '%');
this.image.show();
if (ALT_COSTUMES_ENABLED && opponent.alternate_costumes.length > 0) {
this.costumeSelector.empty().append($('<option>', {val: '', text: 'Default Skin'}));
opponent.alternate_costumes.forEach(function (alt) {
this.costumeSelector.append($('<option>', {
val: alt_costume.folder,
text: 'Alternate Skin: '+alt_costume.label
}));
}.bind(this));
this.costumeSelector.show();
} else {
this.costumeSelector.hide();
}
}
function createElementWithClass (elemType, className) {
var elem = document.createElement(elemType);
elem.className = className;
return elem;
}
function OpponentSelectionCard (opponent) {
this.opponent = opponent;
this.mainElem = createElementWithClass('div', 'opponent-card');
var clipElem = this.mainElem.appendChild(createElementWithClass('div', 'selection-card-image-clip'));
this.imageArea = clipElem.appendChild(createElementWithClass('div', 'selection-card-image-area'));
this.simpleImage = $(this.imageArea.appendChild(createElementWithClass('img', 'opponent-card-image-simple')));
this.imageArea = $(this.imageArea);
this.epilogueBadge = $(this.mainElem.appendChild(createElementWithClass('img', 'badge-icon')));
var sidebarElem = this.mainElem.appendChild(createElementWithClass('div', 'selection-card-sidebar'));
this.layerIcon = $(sidebarElem.appendChild(createElementWithClass('img', 'layer-icon')));
this.genderIcon = $(sidebarElem.appendChild(createElementWithClass('img', 'gender-icon')));
this.statusIcon = $(sidebarElem.appendChild(createElementWithClass('img', 'status-icon')));
$(this.epilogueBadge).attr('src', "img/epilogue_icon.png");
var footerElem = this.mainElem.appendChild(createElementWithClass('div', 'selection-card-footer'));
this.label = $(footerElem.appendChild(createElementWithClass('div', 'selection-card-label selection-card-name')));
this.source = $(footerElem.appendChild(createElementWithClass('div', 'selection-card-label selection-card-source')));
this.update();
OpponentSelectionCard.prototype = Object.create(OpponentDisplay.prototype);
OpponentSelectionCard.prototype.constructor = OpponentSelectionCard;
OpponentSelectionCard.prototype.update = function () {
if (EPILOGUE_BADGES_ENABLED && this.opponent.ending) {
this.epilogueBadge.show();
} else {
this.epilogueBadge.hide();
}
if (this.opponent.status) {
var status_icon_img = 'img/testing-badge.png';
var status_tooltip = TESTING_STATUS_TOOLTIP;
if (this.opponent.status === 'offline') {
status_icon_img = 'img/offline-badge.png';
status_tooltip = OFFLINE_STATUS_TOOLTIP;
} else if (this.opponent.status === 'incomplete') {
status_icon_img = 'img/incomplete-badge.png';
status_tooltip = INCOMPLETE_STATUS_TOOLTIP;
}
this.statusIcon.attr({
'src': status_icon_img,
'title': status_tooltip,
'data-original-title': status_tooltip,
}).show().tooltip({
'placement': 'left'
});
} else {
this.statusIcon.removeAttr('title').removeAttr('data-original-title').hide();
}
this.layerIcon.show().attr("src", "img/layers" + this.opponent.layers + ".png");
this.genderIcon.show().attr("src", this.opponent.gender === 'male' ? 'img/male.png' : 'img/female.png');
this.simpleImage.attr('src', this.opponent.folder + this.opponent.image).css('height', this.opponent.scale + '%').show();
this.label.text(this.opponent.label);
this.source.text(this.opponent.source);
this.mainElem.addEventListener('click', this.handleClick.bind(this));
}
OpponentSelectionCard.prototype.clear = function () {}
OpponentSelectionCard.prototype.handleClick = function (ev) {
individualDetailDisplay.update(this.opponent);
}
OpponentDetailsDisplay = function () {

FarawayVision
committed
this.displayContainer = $("#individual-select-screen .opponent-details-panel");
this.nameLabel = $("#individual-select-screen .opponent-full-name");
this.sourceLabel = $("#individual-select-screen .opponent-source");
this.writerLabel = $("#individual-select-screen .opponent-writer");
this.artistLabel = $("#individual-select-screen .opponent-artist");
this.epiloguesLabel = $("#individual-select-screen .opponent-epilogues");
this.collectiblesLabel = $("#individual-select-screen .opponent-collectibles");
this.descriptionLabel = $("#individual-select-screen .opponent-details-description");
//this.costumeSelector = $("#"+id_base+"-costume-select-"+slot);
this.simpleImage = $("#individual-select-screen .opponent-details-simple-image");
this.imageArea = $("#individual-select-screen .opponent-details-image-area");
this.selectButton = $('#individual-select-screen .select-button');

FarawayVision
committed
this.selectButton.click(this.handleSelected.bind(this));
}
OpponentDetailsDisplay.prototype = Object.create(OpponentDisplay.prototype);
OpponentDetailsDisplay.prototype.constructor = OpponentDetailsDisplay;
OpponentDetailsDisplay.prototype.handleSelected = function (ev) {

FarawayVision
committed
if (!this.opponent) return;
players[selectedSlot] = this.opponent;
players[selectedSlot].loadBehaviour(selectedSlot, true);

FarawayVision
committed
updateSelectionVisuals();
screenTransition($individualSelectScreen, $selectScreen);
this.clear();
}
OpponentDetailsDisplay.prototype.clear = function () {
this.opponent = null;
this.nameLabel.empty();
this.sourceLabel.empty();
this.writerLabel.empty();
this.artistLabel.empty();
this.descriptionLabel.empty();
this.epiloguesLabel.empty();
this.simpleImage.attr('src', null);

FarawayVision
committed
this.selectButton.prop('disabled', true);
this.displayContainer.hide();
}
OpponentDetailsDisplay.prototype.update = function (opponent) {
this.opponent = opponent;

FarawayVision
committed
this.displayContainer.show();
this.nameLabel.html(opponent.first + " " + opponent.last);
this.sourceLabel.html(opponent.source);
this.writerLabel.html(opponent.writer);
this.artistLabel.html(opponent.artist);
this.descriptionLabel.html(opponent.description);
this.simpleImage.attr('src', opponent.folder + opponent.image).css('height', opponent.scale + '%').show();

FarawayVision
committed
this.selectButton.prop('disabled', false);
// for now
this.collectiblesLabel.hide();
if (!opponent.ending) {
this.epiloguesLabel.text("None");
} else {
var endingGenders = {
male: false,
female: false
};
var hasConditionalEnding = false;
opponent.endings.each(function (idx, elem) {
var $elem = $(elem);