// Global ATON import AppState from "./state.js"; import { config } from "../config.js"; const Scene = {}; Scene.UI = {}; Scene.UI.domParser = new DOMParser; /** * * @param {String} triggerSelector - Usually, the close modal trigger element(s) selector */ Scene.UI.pauseAudio = function(triggerSelector) { // What if more than one audio element is playing? const audio = document.querySelector('audio'); if (audio) { document.querySelectorAll(triggerSelector).forEach(el => { el.addEventListener('click', () => audio.pause()); }); document.querySelector('.modal').addEventListener('blur', () => { audio.pause(); }); } } /** * Resets the UI state (essentially hides the clipper toolbar if visible...) * @todo Other elements to reset?? Restore inital lighting conditions and viewpoint... */ Scene.UI.reset = function() { document.querySelector('#clipper-bar')?.classList.add('d-none'); document.querySelector('#clipper')?.classList.remove('border', 'border-2', 'border-white'); } /** * @todo Get clipping button from state? Review logic!! * @param {String} triggerSelector * @param {String} targetSelector The selector for the target toolbar to be displayed */ Scene.UI.toggleClipper = function(triggerSelector, targetSelector) { const trigger = document.querySelector(triggerSelector); const toolbar = document.querySelector(targetSelector); if (!AppState.clipping.listeners.button) { trigger.addEventListener( 'click', () => { toolbar.classList.toggle('d-none'); const aoCurrentState = AppState.ambientOcclusion; if (!toolbar.classList.contains('d-none')) { AppState.clipping.enabled = true; //if (AppState.clipping.controls) AppState.clipping.controls.enabled = true; Scene.toggleAmbientOcclusion(false); const btns = toolbar.querySelectorAll('button'); btns.forEach(btn => { btn.classList.remove('border', 'border-2', 'border-warning'); }); trigger.className += ' border border-2 border-white'; toolbar.addEventListener('click', event => { if (event.target.id === 'clipX') { // Clip along X... Scene.addClippingPlane('x', -1); // Export to function... event.target.classList.add('border', 'border-2', 'border-warning'); btns.forEach(btn => { if (btn.id !== event.target.id) { btn.classList.remove('border', 'border-2', 'border-warning'); } }); } else if (event.target.id === 'clipY') { // Clip along Y Scene.addClippingPlane('y', -1); event.target.classList.add('border', 'border-2', 'border-warning'); btns.forEach(btn => { if (btn.id !== event.target.id) { btn.classList.remove('border', 'border-2', 'border-warning'); } }) } else if (event.target.id === 'clipZ') { // Clip along Z Scene.addClippingPlane('z', 1); event.target.classList.add('border', 'border-2', 'border-warning'); btns.forEach(btn => { if (btn.id !== event.target.id) { btn.classList.remove('border', 'border-2', 'border-warning'); } }) } }); } else { Scene.resetClipping(); let noBorder = trigger.className.replace(/ border.*$/g, ''); trigger.className = noBorder; Scene.toggleAmbientOcclusion(aoCurrentState); } } ); AppState.clipping.listeners.button = true; } } /** * @todo Experimental... * @param {THREE.Object3D} object - A THREE Object3D instance */ Scene.showEdges = function(object) { const edgeMaterial = new THREE.LineBasicMaterial( { color: 0x000000 } ); object.traverse(function(child) { if (child.isMesh) { let edges = new THREE.EdgesGeometry(child.geometry, 45); let line = new THREE.LineSegments(edges, edgeMaterial); child.add(line); console.log(child); } }); } /** * Calculate bounding box for the scene root object * and return it along with its center and size (bad?). * It only uses meshes to prevent "empty" nodes in the scene * from being included in the calculation. * @todo Use ATON.Node.getBound()? [bounding sphere] */ Scene.getRootBoundingBox = function() { const meshes = []; AppState.root.traverse(obj => { if (obj.isMesh) meshes.push(obj); }); if (meshes.length === 0) return null; const bbox = new THREE.Box3().setFromObject(meshes[0]); for (let i = 1; i < meshes.length; i++) { bbox.union(new THREE.Box3().setFromObject(meshes[i])); } const center = bbox.getCenter(new THREE.Vector3()); const size = bbox.getSize(new THREE.Vector3()); return { bbox, center, size }; } /** * * @param {THREE.Sphere} boundingSphere - The bounding sphere for the main node * @returns {THREE.Mesh} */ Scene.createClippingPlaneMesh = function (boundingSphere) { const planeSize = boundingSphere.radius * 1.5; const mesh = new THREE.Mesh( new THREE.PlaneGeometry(planeSize, planeSize), new THREE.MeshBasicMaterial({ color: 0xffff00, opacity: 0.1, side: THREE.DoubleSide, transparent: true }) ); return mesh; } /** * * @param {THREE.Mesh} planeMesh * @param {THREE.ArrowHelper} arrowHelper * @param {String} axis */ Scene.dragClipper = function(planeMesh, axis) { const controls = new THREE.DragControls( [planeMesh], ATON.Nav._camera, ATON._renderer.domElement, ); const startPosition = new THREE.Vector3(); // Only move along the selected axis (exlude the others) const excludedAxes = ['x', 'y', 'z'].filter(a => a != axis); if (AppState.clipping.enabled && AppState.clipping.vector) { controls.addEventListener('dragstart', function (event) { startPosition.copy(event.object.position); ATON.Nav.setUserControl(false); }); controls.addEventListener('drag', function(event) { const point = event.object.position; Scene.updateClipper(AppState.clipping.vector, point); for (const a of excludedAxes) { event.object.position[a] = startPosition[a]; } }); controls.addEventListener('dragend', function (event) { ATON.Nav.setUserControl(true); }); AppState.clipping.controls = controls; } } /** * @param {String} axis - The axis along which the plane's normal should be directed, * one of 'x', 'y', 'z' * @param {Number} orientation - Positive (1) or negative (-1) orientation on the axis */ Scene.addClippingPlane = function(axis, orientation = -1) { axis = axis.toLowerCase(); const bound = AppState.clipping.boundingSphere; if (!bound) return; const vector = [ axis === 'x' ? orientation : 0, axis === 'y' ? orientation : 0, axis === 'z' ? orientation : 0, ]; AppState.clipping.vector = vector; // First, add a default clipping plane // at a default point (calculated...) const defaultPoint = bound.center.clone(); Scene.activateClipper(vector, axis, defaultPoint); } /** * @todo WIP! * Activate clipping plane * @param {Number[]} vector - The vector array to direct the plane * @param {String} axis - The x,y,z axis * @param {?THREE.Vector3} point - The queried scene point */ Scene.activateClipper = function(vector, axis, point = null) { ATON.enableClipPlanes(); Scene.updateClipper(vector, point); Scene.dragClipper(AppState.clipping.helper, axis); } /** * * @param {THREE.Vector3} vector * @param {THREE.Vector3} point */ Scene.updateClipper = function(vector, point) { // Useless guard... if (vector) { // Normal of the clipping plane along the axis facing down const normal = new THREE.Vector3(...vector).normalize(); const plane = AppState.clipping.plane ?? ATON.addClipPlane(normal, point); // Add a visible plane helper for the clipping plane const visiblePlane = AppState.clipping.helper ?? Scene.createClippingPlaneMesh(AppState.clipping.boundingSphere); if (!AppState.clipping.helper) { AppState.root.add(visiblePlane); AppState.clipping.helper = visiblePlane; } visiblePlane.position.copy(point); visiblePlane.lookAt(point.clone().add(normal)); plane.setFromNormalAndCoplanarPoint(normal, point); AppState.clipping.plane = plane; } } /** * * @param {THREE.Vector3} vector - An object with x,y,z coordinates */ Scene.changeLightDirection = function(vector) { ATON.setMainLightDirection(vector); } /** * * @param {Boolean} isEnabled */ Scene.toggleAmbientOcclusion = function(isEnabled) { ATON.FX.togglePass(ATON.FX.PASS_AO, isEnabled); console.log('Ambient occlusion', isEnabled ? 'ON' : 'OFF'); } /** * * @param {String} direction - The axis direction, one of 'x','y','z' * @param {String} label - The slider label * @param {Number[]} range - The slider's range * @param {Number} step - The slider's step */ Scene.createLightSlider = function(direction, label, range, step) { const currentVal = ATON.getMainLightDirection()[direction]; const lightSlider = ATON.UI.createSlider({ range, label, value: Number.parseFloat(currentVal).toPrecision(1), oninput: val => { const lightDir = ATON.getMainLightDirection(); // Keep existing direction values for the other axes lightDir[direction] = Number.parseFloat(val); this.changeLightDirection(lightDir); }, }); lightSlider.classList.add('ms-4'); lightSlider.querySelector('input').step = step; return lightSlider; } /** * Right-side main menu panel * @param {String} triggerId - The menu button id */ Scene.toggleContentMenu = function(triggerId) { const btn = document.querySelector(`#${triggerId}`); const audio1 = this.UI.domParser.parseFromString(config.menu.audioBtn1, 'text/html') .querySelector('button'); btn.addEventListener('click', () => { ATON.UI.setSidePanelRight(); ATON.UI.showSidePanel({header: ' Contenuti'}); ATON.UI.elSidePanel.appendChild(audio1); }); } /** * A left side settings panel * @param {String} triggerId - The settings button id */ Scene.toggleSettingsPanel = function(triggerId) { const btn = document.querySelector(`#${triggerId}`); const lightHeading = document.createElement('h2'); lightHeading.className = 'fs-5 ms-2 mb-3 mt-3'; lightHeading.innerHTML = ' Direzione luce'; const envHeading = document.createElement('h2'); envHeading.className = 'fs-5 ms-2 mb-3 mt-3'; envHeading.innerHTML = ' Ambiente'; btn.addEventListener('click', () => { ATON.UI.setSidePanelLeft(); ATON.UI.showSidePanel({header: ' Impostazioni'}); ATON.UI.elSidePanel.appendChild(lightHeading); const lightSliderX = this.createLightSlider('x', 'Asse X', [-2, 2], 0.1); const lightSliderY = this.createLightSlider('y', 'Asse Y', [-2, 2], 0.1); const lightSliderZ = this.createLightSlider('z', 'Asse Z', [-2, 2], 0.1); ATON.UI.elSidePanel.appendChild(lightSliderX); ATON.UI.elSidePanel.appendChild(lightSliderY); ATON.UI.elSidePanel.appendChild(lightSliderZ); ATON.UI.elSidePanel.appendChild(envHeading); const ambientOcclSwitch = document.createElement('div'); ambientOcclSwitch.className = 'form-check form-switch ms-4 mt-2'; ambientOcclSwitch.innerHTML = ` `; const shadowsSwitch = document.createElement('div'); shadowsSwitch.className = 'form-check form-switch ms-4 mt-2'; shadowsSwitch.innerHTML = ` `; const lightProbeSwitch = document.createElement('div'); lightProbeSwitch.className = 'form-check form-switch ms-4 mt-2'; lightProbeSwitch.innerHTML = ` `; shadowsSwitch.querySelector('input[type="checkbox"').checked = AppState.shadows; ambientOcclSwitch.querySelector('input[type="checkbox"').checked = AppState.ambientOcclusion; lightProbeSwitch.querySelector('input[type="checkbox"').checked = AppState.lightProbe; ATON.UI.elSidePanel.appendChild(ambientOcclSwitch); ATON.UI.elSidePanel.appendChild(shadowsSwitch); ATON.UI.elSidePanel.appendChild(lightProbeSwitch); // TODO: move somewhere else... document.querySelector('#aoSwitch').addEventListener( 'change', event => { this.toggleAmbientOcclusion(event.target.checked); AppState.ambientOcclusion = event.target.checked; } ); document.querySelector('#shadowsSwitch').addEventListener( 'change', event => { const checked = event.target.checked; ATON.toggleShadows(checked); AppState.shadows = checked; } ); // Not working properly? document.querySelector('#lpSwitch').addEventListener( 'change', event => { const checked = event.target.checked; ATON.setAutoLP(checked); //if (!checked) ATON.clearLightProbes(); AppState.lightProbe = checked; if (checked) ATON.updateLightProbes(); console.log('Light probe: ', checked); } ); }); } Scene.init = function() { ATON.realize(); ATON.UI.addBasicEvents(); ATON.UI.init(); // All assets for this app are stored here ATON.setPathCollection('/a/scaenae/assets/'); // Initial light direction ATON.setMainLightDirection(new THREE.Vector3(0.2,-0.3,-0.7)); ATON.toggleShadows(true); ATON.setExposure(config.scene.initialExposure); // Open settings side panel when clicking on settings btn Scene.toggleSettingsPanel('settings'); Scene.toggleContentMenu('menu'); AppState.camera = ATON.Nav._camera; AppState.renderer = ATON._renderer; ATON.Nav.setUserControl(true); } Scene.resetClipping = function () { console.warn('Resetting clipping!!'); AppState.clipping.enabled = false; ATON.disableClipPlanes(); AppState.clipping.controls.deactivate(); // Manually remove event listeners from DragControls!! AppState.renderer.domElement.removeEventListener( 'pointermove', AppState.clipping.controls.onPointerMove ); AppState.renderer.domElement.removeEventListener( 'pointerdown', AppState.clipping.controls.onPointerDown ); AppState.renderer.domElement.removeEventListener( 'pointerup', AppState.clipping.controls.onPointerCancel ); AppState.renderer.domElement.removeEventListener( 'pointerleave', AppState.clipping.controls.onPointerCancel ) AppState.clipping.controls = null; AppState.clipping.helper.removeFromParent(); AppState.root.remove(AppState.clipping.helper); AppState.clipping.helper = null; AppState.clipping.plane = null; AppState.clipping.vector = null; // Ensure nav controls are reactivated! ATON.Nav.setUserControl(true); } /** * @param {Object} marker - The marker object from config */ Scene.openScene = function(marker) { Scene.init(); Scene.UI.toggleClipper('#clipper', '#clipper-bar'); // Load 3D model then let mainNode = ATON.createSceneNode(marker.label); mainNode.load(marker.model); // TODO: only for the main ('larger') node in the scene AppState.mainNodeId = marker.label; ATON.setMainPanorama(marker.pano); //mainNode.setMaterial(new THREE.MeshPhongMaterial(material)); // TODO: hardcoded... mainNode.setRotation(0, 1.5, 0) AppState.initialRotation = new THREE.Vector3(0, 1.5, 0); Scene.showEdges(mainNode); mainNode.attachToRoot(); ATON.setAutoLP(config.scene.autoLP); AppState.lightProbe = config.scene.autoLP; Scene.toggleAmbientOcclusion(true); AppState.ambientOcclusion = true; AppState.root = ATON.getRootScene(); // ATON.Node.getBound() returns a THREE.Sphere object AppState.clipping.boundingSphere = mainNode.getBound(); } export default Scene;