How To Use Babylon.js to Build 3D Games for the Web

Babylon.js could be a WebGL-based 3D engine that focuses primarily on game development and easy use. As a 3D engine, it's the tools to make, display, and texture meshes in house, and to feature light-weight sources and cameras. as a result of it’s game-focused, Babylon.js has some further options that a daily 3D engine doesn’t need.

It has native support for collision detection, scene gravity, game-¬oriented cameras (for example, a follow-camera that tracks a moving object), also as native support for sensory receptor Rift and different computer game (VR) devices. it's a physics engine plug-in system, native audio support, a user input-based action manager and far additional. I’ll explore all of those options during this tutorial.

About the Tutorial

In this tutorial I’ll develop an easy bowling game. I’ll produce a bowling lane, add ten pins and a ball, and supply the power to throw the ball. My game can sure as shooting not be able to be free, however it'll show however you'll be able to develop a game mistreatment the tools city.js provides. I’ll deliberately avoid mistreatment any external tools throughout development. The objects, cameras, textures and additional are going to be created mistreatment JavaScript code solely.

The city.js version I’ll be mistreatment throughout this tutorial is that the latest stable release—2.1. David Catuhe and also the city development team try to stay the framework as backward-compatible as doable, thus I will solely assume that this tutorial can work properly on future releases, a minimum of till succeeding major unleash. And I’m mistreatment Visual Studio 2015 Community Edition, however you'll be able to use any IDE you’d like.

The tutorial are going to be divided into 2 elements. during this article, I’ll gift an summary of the fundamental building blocks of city.js. I’ll produce the meshes, texture them, add cameras and light-weight sources, and modify straightforward user interaction. partly 2, I’ll show wherever city.js very shines by adding collision and physics, audio, user actions, and special styles of cameras.

Getting Started: A New Babylon.js Project

A simple urban center.js project could be a static internet site. as a result of I’m victimisation Visual Studio, I’ll use the native IIS server embedded in Visual Studio to host those static files. Visual Studio doesn’t have a example for a static internet site, therefore a unique approach is required.

First, produce a brand new blank resolution. Open Visual Studio and move to File | New | Project. choose different Project varieties on the left pane then Blank resolution, as shown in Figure one. provide the answer a reputation (I used BabylonBowling) and click on OK.
New blank solution in Visual Studio
Figure 1 Creating a New Blank Solution in Visual Studio
To create a new static Web site, first you need to create a new directory to host it. Right-click on the empty solution, then click on Open Folder in File Explorer, as shown in Figure 2.
Open solution's folder in file explorer
Figure 2 Opening the Solution’s Folder in File Explorer
Create a brand new directory for the project known as BabylonBowling and shut File mortal.

Right-click on the answer and select Add | Existing web site. choose the new created folder (make positive you decide on the folder you only created and not the solution’s folder) and click on Open. you must currently have a blank computer because the solely project of this answer.

After making the project, you wish to feature the framework and therefore the framework’s dependencies. There square measure some ways that to try and do that. the best method is to use the NuGet Package Manager.

Right-click on the project and select Manage NuGet packages. Click within the search field (the keyboard road is Ctrl+E) and kind urban center. You’ll see a window almost like the one in Figure three. choose BabylonJS. make certain the Version designated is a pair of.1 (or the most recent stable version) and click on Install. Click OK within the Preview window that pops up (if one pops up) and urban center.js are put in into your empty project, as well as a demo scene.
NuGet package manager
Figure 3 Adding Babylon.js Using the NuGet Package Manager
For those using npm as a package manager, you can install Babylon.js using the command:
npm install babylonjs
After installing the package, you should have the following files in the scripts folder:
  • babylon.js, a minified version of Babylon.js
  • babylon.max.js, a debug version of Babylon.js
  • Oimo.js, the Oimo JS physics engine that will be used in part two of this tutorial
  • poly2tri.js, an optional triangulation library (github.com/r3mi/poly2tri.js)
  • hand-minified.js, a pointer-events polyfill; this is missing when using npm, so install using the command:
npm install handjs
The NuGet installer also creates an index.html file and an index.js file.
An error in the NuGet package adds an unneeded line to web.config. Until it’s fixed, double-click on this file and remove the line highlighted in Figure 4 (in my solution, it’s line 9).
web.config
Figure 4 Delete the Highlighted Line from web.config
You can now test the project. Open the project in your default browser using Ctrl+Shift+W or by clicking the Run button on the top navbar. If you see the 3D spaceship shown in Figure 5, your project is all set.
Babylon default spaceship
Figure 5 The Babylon Default Spaceship
For those using different IDEs, just follow the “Creating Basic Scene” tutorial on the Babylon.js Documentation page to get to the current state. I still recommend using the npm to install the dependencies if not using NuGet. The tutorial can be found at bit.ly/1MXT6WP.
To start from scratch, delete the function createScene in index.js.

The Building Blocks

The first two elements I’ll discuss are the engine and the scene.
The engine is the object responsible for communicating with the low-level WebGL API (WebGL 1 is based on OpenGL ES2, with very similar syntax). Instead of forcing you to write low-level WebGL code, the engine provides a higher-level and easier-to-understand API. It’s also transparent to the developer. Except for the initial project setup, I won’t directly use the engine at all. Certain lower-level functionality can be accomplished using the engine, but I won’t be covering this.
The engine requires two parameters in order to initialize. The first is a canvas on which to draw. The canvas is an HTML element that’s already in index.html. The second parameter is the state of anti-aliasing (on or off).
Open the currently blank index.js and add the following lines of code:
function init() {
  var engine = initEngine();
}
function initEngine() {
  // Get the canvas element from index.html
  var canvas = document.getElementById("renderCanvas");
  // Initialize the BABYLON 3D engine
  var engine = new BABYLON.Engine(canvas, true);
  return engine;
}
During development, I’ll use the init function to add new functionality with each step. Each element I create will have its own function.
To understand what a scene represents, think of a Web site with different pages. A single Web page contains the text, images, event listeners, and all other resources needed to render that one, single page. Loading a different page loads different resources.
Just as with a single Web page, the scene holds the needed resources to show one, single 3D “page.” This scene can be very large and full of resources—meshes, cameras, lights, user actions and more. But in order to move from one page to another, a new scene is recommended. The scene is also responsible for rendering its own resources and communicating the needed information to the engine. The bowling game requires only a single scene. But if I planned to add new levels or a bonus game, I’d create them using new scenes.
To initialize the scene requires only the engine I created. Add the following to index.js:
function createScene(engine) {
  var scene = new BABYLON.Scene(engine);
  // Register a render loop to repeatedly render the scene
  engine.runRenderLoop(function () {
      scene.render();
  });
}
First, I create the scene object. The next lines are the only interaction I’ll have with the engine. They tell the engine to render this specific scene every time the render loop is running.
Add this line of code to the end of the init function to actually create the scene:
var scene = createScene(engine);
Two more things before I continue. When you resize the browser window, the canvas is also being resized. The engine must also resize its internal width and height to keep the scene in perspective. Adding the following lines to the initEngine function right before the return engine; statement will keep the scene in perspective:
// Watch for browser/canvas resize events
window.addEventListener("resize", function () {
  engine.resize();
});
The second thing is to alter index.html to use the new init function. Open index.html and find the script tag containing the call to createScene. Change createScene to init, then save index.html and close it.
The scene has an extremely advanced debug layer that allows you to debug the scene being rendered. It shows the number of meshes being rendered and the current frames per second (FPS). It allows turning off features such as texturing and shadows and makes it easy to find lost meshes. Turning the debug layer on is simple:
scene.debugLayer.show();
Do that, and you’ll be able to debug your scene on your own.
I now have an engine and a scene, and I’m ready to start adding a camera, lighting and meshes to create my Bowling Alley scene.

Cameras

Babylon.js offers many types of cameras, each with its own specific purpose. Before choosing the camera for the game, let’s review the most common types:
  • Free Camera is a first-person-shooter camera. It can freely move throughout the scene, using the keyboard arrow keys, and the direction can be set using the mouse. Optional gravity and collision detection can be enabled, as well.
  • Arc Rotate Camera is used to rotate around a specific target. Using the mouse, the keyboard or touch events, the user can view the object from all directions.
  • Touch Camera is a free camera that uses touch events as input. It’s suitable for all mobile platforms.
  • Follow Camera automatically follows a specific target.
Babylon.js supports WebVR and device-orientation cameras natively, which means you can easily address such devices as the Oculus Rift or Google Cardboard.
A new concept introduced in version 2.1 makes each camera type 3D-ready. This means that each camera type can be set to fit Oculus Rift-style stereoscopic view and red-blue glasses (anaglyph 3D).Figure 6 shows shows the spaceship scene rendered with the anaglyph-free camera and Figure 7shows the scene with the stereoscopic camera.
Anaglyph 3D camera
Figure 6 Anaglyph 3D Camera
Stereoscopic camera
Figure 7 Stereoscopic Camera
For my bowling game, I’ll use two types of cameras. The first is the player’s main camera, which will set the position from which the bowling ball will be thrown. This is the exact purpose of the free camera. I also want to add a different view—when the ball is en route, I want to follow it until it hits the pins.
First, I add the free camera. The createFreeCamera function takes the scene as a single variable:
function createFreeCamera(scene) {
  var camera = new BABYLON.FreeCamera(
    "player camera", BABYLON.Vector3.Zero(), scene);
  return camera;
}
I created a camera position at location 0,0,0 of my scene. Later, I’ll extend this function (when necessary) to further configure the camera.
And, of course, don’t forget to add it to the init function, at the end:
...
// Create the main player camera
var camera = createFreeCamera(scene);

// Attach the control from the canvas' user input
camera.attachControl(engine.getRenderingCanvas());

// Set the camera to be the main active camera
scene.activeCamera = camera;
The attachControl function registers the native JavaScript event listeners needed for the specific camera (such as those for mouse, touch or keyboard input). Setting the scene’s active camera tells the scene that this camera should be used for rendering.
I’ll add the second camera in part two, after enabling a ball throw.

Creating the Lane

A bowling lane is a relatively simple geometric structure. I’ll start by setting some constants, which are the actual dimensions of a bowling lane in meters. The reason I use meters is the physics engine, which will be explained in the second part of this article.
You can see the constants in the project file. To calculate these values I used online-available information about bowling lanes.
After setting the constants, I’m ready to start creating the meshes that will construct the bowling lane. My (2D) plan is shown in Figure 8. I’ll start by creating the meshes. Texturing the meshes — giving them materials — will come afterward.
2D plan bowling lane scene
Figure 8 2D Plan of the Bowling Lane Scene
First, I’ll create a global floor for the scene:
function createFloor(scene) {
  var floor = BABYLON.Mesh.CreateGround("floor", 100, 100, 1, scene, false);
  return floor;
}
This creates a simple 100×100-meter floor. All meshes created using Babylon.js internal functions are created at position 0,0,0 of the scene and are centered. There are three important variables that transform the mesh and position it correctly in the scene:
  • mesh.position is a vector of the mesh’s position in space
  • mesh.scaling is the mesh’s scale factor in each of the axes
  • mesh.rotation are the Euler angles (in radians) of the rotation in each axis; if you’re more comfortable with quaternions (I know I am), you can use mesh.rotationQuaternion instead
After adding the function to my init function and starting the scene, I notice an interesting thing—I can’t see the floor I added at all! The reason is that the camera and the floor were both created at the same point in space (0,0,0). Because the ground is completely flat, only viewing from above (or below) will show it on screen. Going back to the camera’s initialization in the createCamera function, I change the second variable, which is the initial position of the camera, to a new vector—the camera will now be 1.7 units (meters, in this case) above the ground:
var camera = new BABYLON.FreeCamera(
  "cam", new BABYLON.Vector3(0,1.7,0), scene
);
If you start the scene now, you’ll see the floor stretching over half of the screen, as shown in Figure 9.
Add floor to the scene
Figure 9 Adding a Floor to the Scene
Try moving around with the arrows and the mouse to get the hang of controlling the free camera.
You’ll notice the floor is completely black. I’m missing light! I’ll add a new function, createLight, which I’ll extend later on.
function createLight(scene) {
  var light = new BABYLON.DirectionalLight(
    "dir01", new BABYLON.Vector3(-0.5, -1, -0.5), scene
  );
  // Set a position in order to enable shadows later
  light.position = new BABYLON.Vector3(20, 40, 20);
  return light;
}
Don’t forget to add this line to init:
var light = createLight(scene);
Babylon.js has four types of lights:
  • Hemispheric: Ambient light, predefined with ground color (the pixels that are facing down), sky color (the pixels that are facing up) and specular color.
  • Point: A light emitted from a single point in all directions, like the sun.
  • Spot: Just as the name suggests, a light from a single point with a specific direction and emission radius. This light can emit shadows.
  • Directional: Light emitted in a specific direction from everywhere. The sun might be a point light, but a directional light simulates sunlight better. This light can also emit shadows, and it’s the one I used in my example.
Now the floor will be white. Babylon.js assigns a default white material to each mesh with no assigned material.
The lane itself will be a box, laid on the floor I just created:
function createLane(scene) {
  var lane = BABYLON.Mesh.CreateBox("lane", 1, scene, false);
  lane.scaling = new BABYLON.Vector3(
    laneWidth, laneHeight, totalLaneLength
  );
  lane.position.y = laneHeight / 2; // New position due to mesh centering
  lane.position.z = totalLaneLength / 2;
  return lane;
}
Once again, don’t forget to add this function to init.
You can see how I used the scaling parameter — I created a box sized 1x1x1 and changed its scaling to fit the constants I predefined.
Using the same technique, I created two boxes that will act as my gutter borders on both sides of the lane (this is what the ball will fall into if it’s thrown in the wrong direction). Try creating them yourself, and take a look at the accompanying project to see how I did it.

Bowling Pins and Ball

What’s now missing is the bowling pins and the ball. To create the pins, I’ll use a cylinder, just a single cylinder that will be multiplied many times—10 to be exact. In Babylon.js, such multiplications are called instances. An instance is an exact copy of a mesh, except for its transformation in space. This means that an instance’s geometry and texture can’t be changed, but the position, scaling and rotation can. I personally never use the original object in the scene; if I want 10 pins, I’ll create one pin, disable it, and create 10 instances of it in 10 predefined locations:
function createPins(scene) {
  // Create the main pin
  var mainPin = BABYLON.Mesh.CreateCylinder(
    "pin", pinHeight, pinDiameter / 2, pinDiameter, 6, 1, scene
  );
  // Disable it so it won't show
  mainPin.setEnabled(false);
  return pinPositions.map(function (positionInSpace, idx) {
    var pin = new BABYLON.InstancedMesh("pin-" + idx, mainPin);
    pin.position = positionInSpace;
    return pin;
  });
}
The missing variables used in this function can be found in the project file, including thepinPositions, which is an array with the global positions of all 10 pins.
Now for the bowling ball. A bowling ball is a simple sphere, with 3 holes for the fingers. To create the sphere, I will use the CreateSphere function Babylon.js offers:
var sphere = BABYLON.Mesh.CreateSphere("sphere", 12, 0.22, scene);
Now I need to drill the holes. To do that, I’ll use a feature called constructive solid geometry (CSG) integrated into Babylon.js, which allows me to add or subtract meshes from existing meshes, or better yet, to add or subtract geometries from one another. What this means is that if two meshes intersect, I can “remove” one from the other and get an altered mesh. In my case, I want to create three round holes in a sphere. A cylinder will fit perfectly.
First, I create the cylinder I’ll use for the first hole:
var cylinder = BABYLON.Mesh.CreateCylinder(
  "cylinder", 0.15, 0.02, 0.02, 8, 1, scene, false
);
Next, I’ll change the cylinder’s position to intersect with the sphere:
cylinder.position.y += 0.15;
Then, I’ll create CSG objects and use them to subtract the cylinder from the sphere:
var sphereCSG = BABYLON.CSG.FromMesh(sphere);
var cylinderCSG = BABYLON.CSG.FromMesh(cylinder);
sphereCSG.subtractInPlace(cylinderCSG);
var ball = sphereCSG.toMesh("test", sphere.material, scene, false);
Figure 10 shows what the sphere and cylinders look like, and right next to it the bowling ball that was created using CSG.
Creating the bowling ball
Figure 10 Creating the Bowling Ball
Figure 11 and the playground at babylonjs-playground.com/#BIG0J show the entire code used to create the ball from scratch.
Figure 11 Creating a Bowling Ball Using CSG
// The original sphere, from which the ball will be made
var sphere = BABYLON.Mesh.CreateSphere("sphere", 10.0, 10.0, scene);
sphere.material = new BABYLON.StandardMaterial("sphereMat", scene);

// Create pivot-parent-boxes to rotate the cylinders correctly
var box1 = BABYLON.Mesh.CreateBox("parentBox", 1, scene);
var box2 = box1.clone("parentBox");
var box3 = box1.clone("parentBox");

// Set rotation to each parent box
box2.rotate(BABYLON.Axis.X, 0.3);
box3.rotate(BABYLON.Axis.Z, 0.3);
box1.rotate(new BABYLON.Vector3(0.5, 0, 0.5), -0.2);

[box1, box2, box3].forEach(function (boxMesh) {
  // Compute the world matrix so the CSG will get the rotation correctly
  boxMesh.computeWorldMatrix(true);
  // Make the boxes invisible
  boxMesh.isVisible = false;
});

// Create the 3 cylinders
var cylinder1 = BABYLON.Mesh.CreateCylinder(
  "cylinder", 4, 1, 1, 30, 1, scene, false
);
cylinder1.position.y += 4;
cylinder1.parent = box1;
var cylinder2 = cylinder1.clone("cylinder", box2);
var cylinder3 = cylinder1.clone("cylinder", box3);

// Create the sphere's CSG object
var sphereCSG = BABYLON.CSG.FromMesh(sphere);
// Subtract all cylinders from the sphere's CSG object
[cylinder1, cylinder2, cylinder3].forEach(function (cylinderMesh) {
  sphereCSG.subtractInPlace(BABYLON.CSG.FromMesh(cylinderMesh));
});

// Create a new mesh from the sphere CSG
var ball = sphereCSG.toMesh("bowling ball", sphere.material, scene, false);

Textures

All of the meshes I created have the default white material. To make the scene more appealing, I should add other materials. The standard Babylon.js material (the default shader) has a lot of definitions to play with, which I won’t be discussing here. (To learn more about the default Babylon.js shader you can try out the BabylonJS Material Editor at materialeditor.raananweber.com.) I will, however, discuss how I textured the lane and the bowling ball.
To texture the bowling ball I’ll use another wonderful Babylon.js feature—procedural textures. Procedural textures aren’t standard textures that use 2D images. They’re programmatically created textures that are generated by the GPU (rather than the CPU), which has a positive performance impact on the scene. Babylon has many types of procedural textures—wood, bricks, fire, clouds, grass and more. The one I’m going to use is the marble texture.
Adding the following lines after creating the ball’s mesh will make it a green marble ball like the one inFigure 12:
var marbleMaterial = new BABYLON.StandardMaterial("ball", scene);
var marbleTexture = new BABYLON.MarbleProceduralTexture(
  "marble", 512, scene
);
marbleTexture.numberOfTilesHeight = 2;
marbleTexture.numberOfTilesWidth = 2;
marbleMaterial.ambientTexture = marbleTexture;

// Set the diffuse color to the wanted ball's color (green)
marbleMaterial.diffuseColor = BABYLON.Color3.Green();
ball.material = marbleMaterial;
Marble texture applied to the ball
Figure 12 Marble Texture Applied to Ball
Adding a wooden texture to the lane can be done using the standard material’s diffuse texture. But that’s not why I wanted to talk about the lane’s material. If you look at a real bowling lane, you’ll notice it has several sets of dots and a set of arrows or triangles on it. To simulate that, I could create a very large texture with all of them on it, but that might impact performance (due to a very large texture) or reduce the image quality.
I could also use decals, a new feature introduced in Babylon.js 2.1. Decals are a way of “drawing” on top of an already-textured mesh. They can be used, for example, to simulate gunshots on a wall or, as in my case, add decorations to a bowling lane. Decals are meshes, and are therefore textured using standard materials. Figure 13 shows how I add the foul line and Figure 14 shows what the lane looks like after adding the decals, as well as how the floor and gutters look after using procedural textures (bricks and grass) as materials.
Figure 13 Adding the Foul Line Decal
// Set the decal's position
var foulLinePosition = new BABYLON.Vector3(0, laneHeight, foulLaneDistance);
var decalSize = new BABYLON.Vector3(1,1,1);

// Create the decal (name, the mesh to add it to, position, up vector and the size)
var foulLine = BABYLON.Mesh.CreateDecal("foulLine", lane, foulLinePosition, BABYLON.Vector3.Up(), decalSize);

// Set the rendering group so it will render after the lane
foulLine.renderingGroupId = 1;

// Set the material
var foulMaterial = new BABYLON.StandardMaterial("foulMat", scene);
foulMaterial.diffuseTexture = new BABYLON.Texture("Assets/dots2-w-line.png", scene);
foulMaterial.diffuseTexture.hasAlpha = true;
foulLine.material = foulMaterial;

// If the action manager wasn't initialized, create a new one
scene.actionManager = new BABYLON.ActionManager(scene);

// Register an action to generate a new color each time I press "c"
scene.actionManager.registerAction(new BABYLON.ExecuteCodeAction({
  trigger: BABYLON.ActionManager.OnKeyUpTrigger, parameter: "c" },
  // The function to execute every time "c" is pressed"
  function () {
    ball.material.diffuseColor =
      new BABYLON.Color3(Math.random(), Math.random(), Math.random());
  }
));
Lane with decals added
Figure 14 Lane with Decals Added
User Input—the Babylon.js Action Manager
As a fully featured game engine, Babylon.js has a simple way to interact with user input. Let’s say I want to change the ball’s color using the C key. Every time I press the C, I want to set a random color to the ball:
// If the action manager wasn't initialized, create a new one
scene.actionManager = new BABYLON.ActionManager(scene);

// Register an action to generate a new color each time I press C
scene.actionManager.registerAction(
  new BABYLON.ExecuteCodeAction({ trigger:
    BABYLON.ActionManager.OnKeyUpTrigger, parameter: "c" },
    // The function to execute every time C is pressed
    function () {
      ball.material.diffuseColor =
        new BABYLON.Color3(Math.random(), Math.random(), Math.random());
    }
));
The Babylon.js Action Manager is a powerful tool for controlling actions according to triggers. A trigger can be mouse movement or clicks, mesh intersections or keyboard input. There are many triggers and actions from which to choose. Take a look at the Babylon.js Tutorial site (bit.ly/1MEkNRo) to see all of them.
I’m going to use the action manager to control the ball and reset the scene. I’ll add those actions in part two of the tutorial.

Using External Resources

I’ve created the meshes I needed using the internal functions of Babylon.js. Most of the time, this will not be enough. Babylon.js offers a lot of meshes—from spheres and boxes to complex ribbons—but it’s hard to create complex models such as people, weapons for your Doom-for-the-Web, or a spaceship for your Space Invaders clone.
Babylon.js offers exporter plug-ins to many known 3D tools, such as Blender and 3D-Studio. You can also export your models from the wonderful Clara.io and download a .babylon file.
Babylon.js uses its own file format that can contain an entire scene, including meshes, cameras, lights, animations, geometries and other information. So if you wish, you can use Blender only to model your entire scene. You can also import single meshes.
However, that’s not part of this tutorial’s scope. For this article, I just wanted to show how you can create a simple game using Babylon.js alone.

What’s Next?

I’ve skipped many features integrated in Babylon.js. It has a huge number of features and I highly recommend you check the playground (babylonjs-playground.com), the Documentation page (doc.babylonjs.com), and the main Babylon.js page (babylonjs.com) to see the endless possibilities. If you have difficulties with any part of this tutorial, contact me or any of the Babylon.js heroes at the very active Babylon.js HTML5 Game Devs forum (bit.ly/1GmUyzq).
In the next article, I’ll create the actual gameplay—adding physics and collision detection, the ability to throw the ball, sounds and more.
Thanks to the following Microsoft technical expert for reviewing this article: David Catuhe

More Hands-on with Web Development

This article is part of the web development series from Microsoft evangelists and engineers on practical JavaScript learning, open source projects, and interoperability best practices including Microsoft Edgebrowser and the new EdgeHTML rendering engine.
We encourage you to test across browsers and devices including Microsoft Edge – the default browser for Windows 10 – with free tools on dev.microsoftedge.com:
How To Use Babylon.js to Build 3D Games for the Web How To Use Babylon.js to Build 3D Games for the Web Reviewed by JohnBlogger on 2:42 PM Rating: 5

No comments: