| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481 | = Some proposed solutions:author::revnumber::revdate: 2020/07/06This is a user-proposed group of solutions for some or all of the exercises presented throughout the beginner tutorials (xref:ROOT:jme3.adoc#tutorials_for_beginners[tutorials_for_beginners]).There are several ways to do them, so take what you see with a grain of salt, and actually try to do them yourself instead of jumping to the solution, for it is the best way to learn!== Hello Update Loop=== Exercise 1It will spin the other way around.=== Exercise 2First, one must declare another Geometry, for example, a red cube:[source,java]----protected Geometry redCube;public void simpleInitApp() {    ...    // Creates the new cube    Box b2 = new Box(Vector3f.ZERO, 1, 1, 1);    redCube = new Geometry("red cube", b2);    // For the new cube to become red colored    Material mat2 = new Material(assetManager, "Common/MatDefs/Misc/Unshaded.j3md");    mat2.setColor("Color", ColorRGBA.Red);    redCube.setMaterial(mat2);    // To position the red cube next the other cube    redCube.move(2, 0, 0);    // Makes the red cube appear on screen    rootNode.attachChild(redCube);}----To have the red cube spin twice as fast as the other cube, simply make it rotate on the same axis but with double the value:[source,java]----public void simpleUpdate(float tpf) {    // make the player rotate    player.rotate(0, 2*tpf, 0);    // make the red cube rotate twice as fast the player    redCube.rotate(0, 4*tpf, 0);}----=== Exercise 3One possible solution is to shrink or grow depending on current size. The cube may start by either growing or shrinking. If the cube is growing, it will start shrinking instead only when it reaches a size large enough. If the cube is shrinking, it will start growing again, only when the size is small enough. In short, the cube should switch between growing and shrinking when it reaches a specified maximum and minimum sizes. The following code is an example of this solution:[source,java]----private boolean grow = true;...public void simpleUpdate(float tpf) {        if (grow) {                player.scale(1 + (3f * tpf));        } else {                player.scale(1 - (3f * tpf));        }        Vector3f s = player.getLocalScale();        if (s.getX() > 1.2f) {                grow = false;        } else if (s.getX() < 0.8f) {                grow = true;        }}----The cube starts by growing, and when it reaches a size larger than 120% its original size, it starts shrinking instead. The cube will then keep shrinking, until it reaches a size smaller than 80% its original size, which will make it start growing again, and so on.Another approach is to switch between shrinking and growing every chosen unit of time. The tpf variable stores the time per frame rendered, so if you sum every tpf at the simpleUpdate method, you get the time passed since the game started. Using time like a stopwatch, one may grow the cube for some time, and then shrink the cube for the same amount of time, and start over again. The following code shows an example of this solution:[source,java]----// Time passedprivate float timeVar = 0;...public void simpleUpdate(float tpf) {    timeVar += tpf;    if (timeVar < 2) {        player.scale(1 + tpf * 0.4f);    } else if (timeVar < 4) {        player.scale(1 - tpf * 0.4f);    } else {        timeVar = 0;    }}----The cube grows for 2 two seconds, then shrinks for another 2 seconds, and repeats indefinitely.Another approach is to set the cube scale as the result of a sine wave. This results in a smooth repetitive oscillating scale. Note however that this approach is computational expensive due to the use of the sine function. One may create a sine wave by calculating sine as a function of time. As such, for each iteration of the simpleUpdate method, the scale is set as the result of sine as function of time plus the original cube scale. The following code shows an example of this approach:[source,java]----public void simpleUpdate(float tpf) {    float timeInSec = timer.getTimeInSeconds();    float initScale = 1;    float amplitude = 0.5f;    float angularFrequency = 1;    float scale = initScale + amplitude * FastMath.sin(timeInSec * angularFrequency);    player.setLocalScale(scale);}----The cube should repeatedly and smoothly grow and shrink and have maximum and minimum scale of 0.5 and 1.5 its original size. The following variables can change the scale behavior:*  initScale - Sets the initial scale of cube*  amplitude - Increases minimum and maximum scale*  angularFrequency - Increases scale speed=== Exercise 4Same logic! Use a timeVar, and make the Material declaration + initialization line we had @ simpleInitApp() into only the initialization, with the Material mat; going as a global variable, so we can access it on the simpleUpdate()! Like so:[source,java]----protected Material mat;----As global var, then the initialization cuts off the Material bit:[source,java]----mat = new Material(assetManager, "Common/MatDefs/Misc/Unshaded.j3md");----And then the simpleUpdate()[source,java]----public void simpleUpdate(float tpf) {    timeVar += tpf;    if (timeVar > 1) {        mat.setColor("Color", ColorRGBA.randomColor());        timeVar= 0;    }}----=== Exercise 5A possible solution is to change the rotation axis of player from y to x, and make it move along the z axis:[source,java]----public void simpleUpdate(float tpf) {    // make the player rotate    player.rotate(2*tpf, 0, 0);    player.move(0, 0, 2*tpf);}----The above code should make the player roll towards the camera.== Hello Input=== Exercise 1First, add the mappings for the Up and Down actions to the initKeys() method:[source,java]----private void initKeys() {    ...    inputManager.addMapping("Up", new KeyTrigger(KeyInput.KEY_H));    inputManager.addMapping("Down", new KeyTrigger(KeyInput.KEY_L));    ...    inputManager.addListener(combinedListener, new String[]{"Left", "Right", "Up", "Down", "Rotate"});}----Then implement the actions in the onAnalog() method:[source,java]----public void onAnalog(String name, float value, float tpf) {    if (isRunning) {        ...        if (name.equals("Up")) {            Vector3f v = player.getLocalTranslation();            player.setLocalTranslation(v.x, v.y + value * speed, v.z);        }        if (name.equals("Down")) {            Vector3f v = player.getLocalTranslation();            player.setLocalTranslation(v.x, v.y - value * speed, v.z);        }    } else {        ...    }}----This should enable cube to move upwards, if the H key is pressed, and downwards, if the L key is pressed.=== Exercise 2Following the proposed solution 1, add new mappings for the mouse wheel in the initKeys() method:[source,java]----private void initKeys() {    ...    inputManager.addMapping("Up", new KeyTrigger(KeyInput.KEY_H),                                  new MouseAxisTrigger(MouseInput.AXIS_WHEEL, true));    inputManager.addMapping("Down", new KeyTrigger(KeyInput.KEY_L),                                    new MouseAxisTrigger(MouseInput.AXIS_WHEEL, false));    ...}----Now you should be able to scroll the cube up or down with the mouse wheel.=== Exercise 3When the controls are user-chosen.=== Excercise 4[source, java]----flyCam.setEnabled(true);----== Hello Picking=== Exercise 1You can jump right off and obtain the hit object's material, by acessing the “closest object we previously acquired, obtain it's geometry through .getGeometry(), and then get the Geometry's material through .getMaterial(), like so:[source,java]----Material g = closest.getGeometry().getMaterial();----It's the same as going through the two steps hinted in the tips: `Geometry g = closest.getGeometry(); Material material = g.getMaterial();`Finally, you need only add this line: `material.setColor(“Color, ColorRGBA.randomColor())` , which will change the material from the hit object to a random color!The lines can be added anywhere within the `if (results.size() > 0)` block, after declaring the closest object. End result is as so:[source,java]----Material material = closest.getGeometry().getMaterial();material.setColor("Color", ColorRGBA.randomColor());----=== Exercise 2First of all, we need some light shed to make the model visible! Add a simple DirectionalLight like previously showed.Then, declare a `Spatial golem` variable outside of methods. Then initialize golem to load his model:[source,java]----golem = assetManager.loadModel("Models/Oto/Oto.mesh.xml");----Now we need him to show up! So we need to attach him: but the rootNode won't do, because we're checking collision with it's child, the shootables node! So we attach it to shootables![source,java]----shootables.attachChild(golem);----=== Exercise 3Here is my code, it works and it is well commented.[source,java]----package jme3test.helloworld;import com.jme3.app.SimpleApplication;import com.jme3.collision.CollisionResult;import com.jme3.collision.CollisionResults;import com.jme3.font.BitmapText;import com.jme3.input.KeyInput;import com.jme3.input.MouseInput;import com.jme3.input.controls.ActionListener;import com.jme3.input.controls.KeyTrigger;import com.jme3.input.controls.MouseButtonTrigger;import com.jme3.light.DirectionalLight;import com.jme3.material.MatParam;import com.jme3.material.Material;import com.jme3.math.ColorRGBA;import com.jme3.math.Ray;import com.jme3.math.Vector3f;import com.jme3.scene.Geometry;import com.jme3.scene.Node;import com.jme3.scene.Spatial;import com.jme3.scene.shape.Box;import com.jme3.scene.shape.Sphere;import com.jme3.system.SystemListener;public class HelloPicking extends SimpleApplication{    public static void main(String[] args)    {	HelloPicking app = new HelloPicking();	app.start();    }    private Node shootables;    private Node inventory;    private Vector3f oldPosition;    @Override    public void simpleInitApp()    {	initCrossHairs();	initKeys();	shootables = new Node("Shootables");	inventory = new Node("Inventory");	guiNode.attachChild(inventory);	// add a light to the HUD so we can see the robot	DirectionalLight sun = new DirectionalLight();	sun.setDirection(new Vector3f(0, 0, -1.0f));	guiNode.addLight(sun);	rootNode.attachChild(shootables);	shootables.attachChild(makeCube("a Dragon", -2f, 0f, 1f));	shootables.attachChild(makeCube("a tin can", 1f, -2f, 0f));	shootables.attachChild(makeCube("the Sheriff", 0f, 1f, -2f));	shootables.attachChild(makeCube("the Deputy", 1f, 0f, -4f));	shootables.attachChild(makeFloor());	shootables.attachChild(makeCharacter());    }    private ActionListener actionListener = new ActionListener()    {	public void onAction(String name, boolean keyPressed, float tpf)	{	    if (name.equals("Shoot") && !keyPressed)	    {		if (!inventory.getChildren().isEmpty())		{		    Spatial s1 = inventory.getChild(0);		    // scale back		    s1.scale(.02f);		    s1.setLocalTranslation(oldPosition);		    inventory.detachAllChildren();		    shootables.attachChild(s1);		}		else		{		    CollisionResults results = new CollisionResults();		    Ray ray = new Ray(cam.getLocation(), cam.getDirection());		    shootables.collideWith(ray, results);		    if (results.size() > 0)		    {			CollisionResult closest = results.getClosestCollision();			Spatial s = closest.getGeometry();			// we cheat Model differently with simple Geometry			// s.parent is Oto-ogremesh when s is Oto_geom-1 and that is what we need			if (s.getName().equals("Oto-geom-1"))			{			    s = s.getParent();			}			// It's important to get a clone or otherwise it will behave weird			oldPosition = s.getLocalTranslation().clone();			shootables.detachChild(s);			inventory.attachChild(s);			// make it bigger to see on the HUD			s.scale(50f);			// make it on the HUD center			s.setLocalTranslation(settings.getWidth() / 2, settings.getHeight() / 2, 0);		    }		}	    }	}    };    private void initKeys()    {	inputManager.addMapping("Shoot",				new KeyTrigger(KeyInput.KEY_SPACE),				new MouseButtonTrigger(MouseInput.BUTTON_LEFT));	inputManager.addListener(actionListener, "Shoot");    }    protected Geometry makeCube(String name, float x, float y, float z)    {	Box box = new Box(1, 1, 1);	Geometry cube = new Geometry(name, box);	cube.setLocalTranslation(x, y, z);	Material mat1 = new Material(assetManager, "Common/MatDefs/Misc/Unshaded.j3md");	mat1.setColor("Color", ColorRGBA.randomColor());	cube.setMaterial(mat1);	return cube;    }    protected Geometry makeFloor()    {	Box box = new Box(15, .2f, 15);	Geometry floor = new Geometry("the Floor", box);	floor.setLocalTranslation(0, -4, -5);	Material mat1 = new Material(assetManager, "Common/MatDefs/Misc/Unshaded.j3md");	mat1.setColor("Color", ColorRGBA.Gray);	floor.setMaterial(mat1);	return floor;    }    protected void initCrossHairs()    {	setDisplayStatView(false);	guiFont = assetManager.loadFont("Interface/Fonts/Default.fnt");	BitmapText ch = new BitmapText(guiFont, false);	ch.setSize(guiFont.getCharSet().getRenderedSize() * 2);	ch.setText("+");	ch.setLocalTranslation(		settings.getWidth() / 2 - ch.getLineWidth() / 2, settings.getHeight() / 2 + ch.getLineHeight() / 2, 0);	guiNode.attachChild(ch);    }    protected Spatial makeCharacter()    {	Spatial golem = assetManager.loadModel("Models/Oto/Oto.mesh.xml");	golem.scale(0.5f);	golem.setLocalTranslation(-1.0f, -1.5f, -0.6f);	System.out.println("golem.locaoTranslation:" + golem.getLocalTranslation());	DirectionalLight sun = new DirectionalLight();	sun.setDirection(new Vector3f(0, 0, -1.0f));	golem.addLight(sun);	return golem;    }}----
 |