I am creating a very simple application in VS2013 in web application.
HTML
<canvas id="sprite" height="400" width="300"></canvas>
<script src="JS/TestGame.js"></script>
TestGame.js
var imgPath = 'Icons/baby_bear.png';
var bear1 = new createjs.Bitmap(imgPath);
var bear2 = new createjs.Bitmap(imgPath);
var bear3 = new createjs.Bitmap(imgPath);
bear2.x = 200;
bear3.x = 400;
var stage = document.getElementById("sprite");
stage.addChild(bear1, bear2, bear3);
I am getting the following error in my chrome javascript console
Uncaught TypeError: undefined is not a function TestGame.js:10
Change
var imgPath = 'Icons/baby_bear.png';
var bear1 = new createjs.Bitmap(imgPath);
var bear2 = new createjs.Bitmap(imgPath);
var bear3 = new createjs.Bitmap(imgPath);
bear2.x = 200;
bear3.x = 400;
var stage = new createjs.Stage("sprite");
stage.addChild(bear1, bear2, bear3);
stage.update();
Irony is that now javascript console is not complaining about anything but my bears are not getting displayed?
The reason nothing is displayed is that you are updating your stage immediately after the images are requested, so they are not loaded when the stage is drawn.
You will need to either:
Here is a quick example of #2. I only recommend this if you are doing something quick. If you build a more complex app, you should consider preloading content.
Note that I also changed something else: The first is that the same image reference is used, instead of passing in a string path to all 3. By passing a string, images are created for each instance in the background, rather than sharing a reference, which will be better for memory AND performance reasons.
One last note is that you can change the example to set up everything immediately, and ONLY call the
stage.update()
when the image loads:Cheers.