1299 lines
36 KiB
JavaScript
1299 lines
36 KiB
JavaScript
import * as THREE from "three";
|
||
import { createNoise3D } from "simplex-noise";
|
||
|
||
import { CONFIG, CABLE_CONFIG, CABLE_STATE } from "./constants.js";
|
||
import { vector3ToLatLon, screenToEarthCoords } from "./utils.js";
|
||
import {
|
||
showStatusMessage,
|
||
updateCoordinatesDisplay,
|
||
updateZoomDisplay,
|
||
updateEarthStats,
|
||
setLoading,
|
||
setLoadingMessage,
|
||
showTooltip,
|
||
hideTooltip,
|
||
showError,
|
||
hideError,
|
||
clearUiState,
|
||
} from "./ui.js";
|
||
import {
|
||
createEarth,
|
||
createClouds,
|
||
createTerrain,
|
||
createStars,
|
||
createGridLines,
|
||
getEarth,
|
||
} from "./earth.js";
|
||
import {
|
||
loadGeoJSONFromPath,
|
||
loadLandingPoints,
|
||
handleCableClick,
|
||
clearCableSelection,
|
||
getCableLines,
|
||
getCableLegendItems,
|
||
getCableState,
|
||
setCableState,
|
||
clearAllCableStates,
|
||
applyLandingPointVisualState,
|
||
resetLandingPointVisualState,
|
||
getShowCables,
|
||
clearCableData,
|
||
getLandingPoints,
|
||
toggleCables,
|
||
} from "./cables.js";
|
||
import {
|
||
createSatellites,
|
||
loadSatellites,
|
||
updateSatellitePositions,
|
||
toggleSatellites,
|
||
getShowSatellites,
|
||
getSatelliteLegendItems,
|
||
setSelectedSatelliteLegend,
|
||
clearSelectedSatelliteLegend,
|
||
getSatelliteCount,
|
||
selectSatellite,
|
||
getSatellitePoints,
|
||
setSatelliteRingState,
|
||
updateLockedRingPosition,
|
||
updateHoverRingPosition,
|
||
getSatellitePositions,
|
||
showPredictedOrbit,
|
||
hidePredictedOrbit,
|
||
updateBreathingPhase,
|
||
isSatelliteFrontFacing,
|
||
setSatelliteCamera,
|
||
setLockedSatelliteIndex,
|
||
resetSatelliteState,
|
||
clearSatelliteData,
|
||
} from "./satellites.js";
|
||
import {
|
||
loadBGPAnomalies,
|
||
getBGPAnomalyMarkers,
|
||
getBGPCollectorMarkers,
|
||
getBGPLegendItems,
|
||
getBGPCount,
|
||
getShowBGP,
|
||
clearBGPSelection,
|
||
setBGPMarkerState,
|
||
updateBGPVisualState,
|
||
clearBGPData,
|
||
toggleBGP,
|
||
formatBGPAnomalyTypeLabel,
|
||
formatBGPASPath,
|
||
formatBGPCollectorStatus,
|
||
formatBGPConfidence,
|
||
formatBGPImpactedScope,
|
||
formatBGPLocation,
|
||
formatBGPObservedTime,
|
||
formatBGPObservedBy,
|
||
formatBGPRouteChange,
|
||
formatBGPSeverityLabel,
|
||
formatBGPStatusLabel,
|
||
showBGPEventOverlay,
|
||
} from "./bgp.js";
|
||
import {
|
||
setupControls,
|
||
getAutoRotate,
|
||
getShowTerrain,
|
||
setAutoRotate,
|
||
resetView,
|
||
teardownControls,
|
||
} from "./controls.js";
|
||
import {
|
||
initInfoCard,
|
||
showInfoCard,
|
||
hideInfoCard,
|
||
setInfoCardNoBorder,
|
||
} from "./info-card.js";
|
||
import {
|
||
initLegend,
|
||
setLegendMode,
|
||
refreshLegend,
|
||
setLegendItems,
|
||
} from "./legend.js";
|
||
|
||
export let scene;
|
||
export let camera;
|
||
export let renderer;
|
||
|
||
let simplex;
|
||
let isDragging = false;
|
||
let previousMousePosition = { x: 0, y: 0 };
|
||
let targetRotation = { x: 0, y: 0 };
|
||
let inertialVelocity = { x: 0, y: 0 };
|
||
let hoveredCable = null;
|
||
let hoveredBGP = null;
|
||
let hoveredSatellite = null;
|
||
let hoveredSatelliteIndex = null;
|
||
let lockedSatellite = null;
|
||
let lockedSatelliteIndex = null;
|
||
let lockedObject = null;
|
||
let lockedObjectType = null;
|
||
let dragStartTime = 0;
|
||
let isLongDrag = false;
|
||
let lastSatClickTime = 0;
|
||
let lastSatClickIndex = 0;
|
||
let lastSatClickPos = { x: 0, y: 0 };
|
||
let earthTexture = null;
|
||
let animationFrameId = null;
|
||
let initialized = false;
|
||
let destroyed = false;
|
||
let isDataLoading = false;
|
||
let currentLoadToken = 0;
|
||
let cablesEnabled = true;
|
||
let satellitesEnabled = true;
|
||
let cableToggleToken = 0;
|
||
let satelliteToggleToken = 0;
|
||
|
||
const clock = new THREE.Clock();
|
||
const interactionRaycaster = new THREE.Raycaster();
|
||
const interactionMouse = new THREE.Vector2();
|
||
const scratchCameraToEarth = new THREE.Vector3();
|
||
const scratchCableCenter = new THREE.Vector3();
|
||
const scratchCableDirection = new THREE.Vector3();
|
||
const scratchBGPDirection = new THREE.Vector3();
|
||
const scratchBGPWorldPosition = new THREE.Vector3();
|
||
|
||
const cleanupFns = [];
|
||
const DRAG_ROTATION_FACTOR = 0.005;
|
||
const DRAG_SMOOTHING_FACTOR = 0.18;
|
||
const INERTIA_DAMPING = 0.92;
|
||
const INERTIA_MIN_VELOCITY = 0.00008;
|
||
|
||
function bindListener(target, eventName, handler, options) {
|
||
if (!target) return;
|
||
target.addEventListener(eventName, handler, options);
|
||
cleanupFns.push(() =>
|
||
target.removeEventListener(eventName, handler, options),
|
||
);
|
||
}
|
||
|
||
function disposeMaterial(material) {
|
||
if (!material) return;
|
||
if (Array.isArray(material)) {
|
||
material.forEach(disposeMaterial);
|
||
return;
|
||
}
|
||
|
||
if (material.map) material.map.dispose();
|
||
if (material.alphaMap) material.alphaMap.dispose();
|
||
if (material.aoMap) material.aoMap.dispose();
|
||
if (material.bumpMap) material.bumpMap.dispose();
|
||
if (material.displacementMap) material.displacementMap.dispose();
|
||
if (material.emissiveMap) material.emissiveMap.dispose();
|
||
if (material.envMap) material.envMap.dispose();
|
||
if (material.lightMap) material.lightMap.dispose();
|
||
if (material.metalnessMap) material.metalnessMap.dispose();
|
||
if (material.normalMap) material.normalMap.dispose();
|
||
if (material.roughnessMap) material.roughnessMap.dispose();
|
||
if (material.specularMap) material.specularMap.dispose();
|
||
material.dispose();
|
||
}
|
||
|
||
function disposeSceneObject(object) {
|
||
if (!object) return;
|
||
|
||
for (let i = object.children.length - 1; i >= 0; i -= 1) {
|
||
disposeSceneObject(object.children[i]);
|
||
}
|
||
|
||
if (object.geometry) {
|
||
object.geometry.dispose();
|
||
}
|
||
|
||
if (object.material) {
|
||
disposeMaterial(object.material);
|
||
}
|
||
|
||
if (object.parent) {
|
||
object.parent.remove(object);
|
||
}
|
||
}
|
||
|
||
function clearRuntimeSelection() {
|
||
hoveredCable = null;
|
||
hoveredBGP = null;
|
||
hoveredSatellite = null;
|
||
hoveredSatelliteIndex = null;
|
||
lockedObject = null;
|
||
lockedObjectType = null;
|
||
lockedSatellite = null;
|
||
lockedSatelliteIndex = null;
|
||
setLockedSatelliteIndex(null);
|
||
clearSelectedSatelliteLegend();
|
||
}
|
||
|
||
export function clearLockedObject() {
|
||
hidePredictedOrbit();
|
||
clearAllCableStates();
|
||
clearCableSelection();
|
||
clearBGPSelection();
|
||
setSatelliteRingState(null, "none", null);
|
||
clearRuntimeSelection();
|
||
setLegendItems("satellites", getSatelliteLegendItems());
|
||
}
|
||
|
||
function isSameCable(cable1, cable2) {
|
||
if (!cable1 || !cable2) return false;
|
||
const id1 = cable1.userData?.cableId;
|
||
const id2 = cable2.userData?.cableId;
|
||
if (id1 === undefined || id2 === undefined) return false;
|
||
return id1 === id2;
|
||
}
|
||
|
||
function showCableInfo(cable) {
|
||
setLegendMode("cables");
|
||
showInfoCard("cable", {
|
||
name: cable.userData.name,
|
||
owner: cable.userData.owner,
|
||
status: cable.userData.status,
|
||
length: cable.userData.length,
|
||
coords: cable.userData.coords,
|
||
rfs: cable.userData.rfs,
|
||
});
|
||
}
|
||
|
||
function showSatelliteInfo(props) {
|
||
const meanMotion = props?.mean_motion || 0;
|
||
const period = meanMotion > 0 ? (1440 / meanMotion).toFixed(1) : "-";
|
||
const ecc = props?.eccentricity || 0;
|
||
const perigee = (6371 * (1 - ecc)).toFixed(0);
|
||
const apogee = (6371 * (1 + ecc)).toFixed(0);
|
||
|
||
setSelectedSatelliteLegend(props);
|
||
setLegendItems("satellites", getSatelliteLegendItems());
|
||
setLegendMode("satellites");
|
||
showInfoCard("satellite", {
|
||
name: props?.name || "-",
|
||
norad_id: props?.norad_cat_id,
|
||
inclination: props?.inclination ? props.inclination.toFixed(2) : "-",
|
||
period,
|
||
perigee,
|
||
apogee,
|
||
});
|
||
}
|
||
|
||
function showBGPInfo(marker) {
|
||
setLegendMode("bgp");
|
||
const impactedRegions =
|
||
Array.isArray(marker.userData.impacted_regions) &&
|
||
marker.userData.impacted_regions.length > 0
|
||
? marker.userData.impacted_regions
|
||
: [
|
||
{
|
||
city: marker.userData.city,
|
||
country: marker.userData.country,
|
||
},
|
||
];
|
||
showInfoCard("bgp", {
|
||
anomaly_type: formatBGPAnomalyTypeLabel(marker.userData.anomaly_type),
|
||
severity: formatBGPSeverityLabel(
|
||
marker.userData.rawSeverity || marker.userData.severity,
|
||
),
|
||
status: formatBGPStatusLabel(marker.userData.status),
|
||
route_change: formatBGPRouteChange(
|
||
marker.userData.origin_asn,
|
||
marker.userData.new_origin_asn,
|
||
),
|
||
prefix: marker.userData.prefix,
|
||
as_path_display: formatBGPASPath(marker.userData.as_path),
|
||
origin_asn: marker.userData.origin_asn,
|
||
new_origin_asn: marker.userData.new_origin_asn,
|
||
confidence: formatBGPConfidence(marker.userData.confidence),
|
||
collector: marker.userData.collector,
|
||
observed_by: formatBGPObservedBy(marker.userData.collectors),
|
||
impacted_scope: formatBGPImpactedScope(impactedRegions),
|
||
location: formatBGPLocation(marker.userData.city, marker.userData.country),
|
||
created_at: formatBGPObservedTime(marker.userData.created_at_raw),
|
||
summary: marker.userData.summary,
|
||
});
|
||
}
|
||
|
||
function showBGPCollectorInfo(marker) {
|
||
setLegendMode("bgp");
|
||
showInfoCard("bgp_collector", {
|
||
collector: marker.userData.collector,
|
||
location: formatBGPLocation(marker.userData.city, marker.userData.country),
|
||
anomaly_count: marker.userData.anomaly_count ?? 0,
|
||
status: formatBGPCollectorStatus(marker.userData.status || "online"),
|
||
});
|
||
}
|
||
|
||
function applyCableVisualState() {
|
||
const allCables = getCableLines();
|
||
const pulse = (Math.sin(Date.now() * CABLE_CONFIG.pulseSpeed) + 1) * 0.5;
|
||
|
||
allCables.forEach((cable) => {
|
||
const cableId = cable.userData.cableId;
|
||
const state = getCableState(cableId);
|
||
|
||
switch (state) {
|
||
case CABLE_STATE.LOCKED:
|
||
cable.material.opacity =
|
||
CABLE_CONFIG.lockedOpacityMin +
|
||
pulse *
|
||
(CABLE_CONFIG.lockedOpacityMax - CABLE_CONFIG.lockedOpacityMin);
|
||
cable.material.color.setRGB(1, 1, 1);
|
||
break;
|
||
case CABLE_STATE.HOVERED:
|
||
cable.material.opacity = 1;
|
||
cable.material.color.setRGB(1, 1, 1);
|
||
break;
|
||
case CABLE_STATE.NORMAL:
|
||
default:
|
||
if (
|
||
(lockedObjectType === "cable" && lockedObject) ||
|
||
(lockedObjectType === "satellite" && lockedSatellite) ||
|
||
(lockedObjectType === "bgp" && lockedObject)
|
||
) {
|
||
cable.material.opacity = CABLE_CONFIG.otherOpacity;
|
||
const origColor = cable.userData.originalColor;
|
||
const brightness = CABLE_CONFIG.otherBrightness;
|
||
cable.material.color.setRGB(
|
||
(((origColor >> 16) & 255) / 255) * brightness,
|
||
(((origColor >> 8) & 255) / 255) * brightness,
|
||
((origColor & 255) / 255) * brightness,
|
||
);
|
||
} else {
|
||
cable.material.opacity = 1;
|
||
cable.material.color.setHex(cable.userData.originalColor);
|
||
}
|
||
}
|
||
});
|
||
}
|
||
|
||
function updatePointerFromEvent(event) {
|
||
interactionMouse.set(
|
||
(event.clientX / window.innerWidth) * 2 - 1,
|
||
-(event.clientY / window.innerHeight) * 2 + 1,
|
||
);
|
||
interactionRaycaster.setFromCamera(interactionMouse, camera);
|
||
}
|
||
|
||
function buildLoadErrorMessage(errors) {
|
||
if (errors.length === 0) return "";
|
||
return errors
|
||
.map(
|
||
({ label, reason }) =>
|
||
`${label}加载失败: ${reason?.message || String(reason)}`,
|
||
)
|
||
.join(";");
|
||
}
|
||
|
||
function updateSatelliteToggleUi(enabled, satelliteCount = getSatelliteCount()) {
|
||
const satBtn = document.getElementById("toggle-satellites");
|
||
if (satBtn) {
|
||
satBtn.classList.toggle("active", enabled);
|
||
const tooltip = satBtn.querySelector(".tooltip");
|
||
if (tooltip) tooltip.textContent = enabled ? "隐藏卫星" : "显示卫星";
|
||
}
|
||
|
||
const satelliteCountEl = document.getElementById("satellite-count");
|
||
if (satelliteCountEl) {
|
||
satelliteCountEl.textContent = `${enabled ? satelliteCount : 0} 颗`;
|
||
}
|
||
}
|
||
|
||
function updateCableToggleUi(enabled) {
|
||
const cableBtn = document.getElementById("toggle-cables");
|
||
if (cableBtn) {
|
||
cableBtn.classList.toggle("active", enabled);
|
||
const tooltip = cableBtn.querySelector(".tooltip");
|
||
if (tooltip) tooltip.textContent = enabled ? "隐藏线缆" : "显示线缆";
|
||
}
|
||
|
||
const cableCountEl = document.getElementById("cable-count");
|
||
if (cableCountEl) {
|
||
cableCountEl.textContent = `${enabled ? getCableLines().length : 0}个`;
|
||
}
|
||
|
||
const landingPointCountEl = document.getElementById("landing-point-count");
|
||
if (landingPointCountEl) {
|
||
landingPointCountEl.textContent = `${enabled ? getLandingPoints().length : 0}个`;
|
||
}
|
||
|
||
const statusEl = document.getElementById("cable-status-summary");
|
||
if (statusEl && !enabled) {
|
||
statusEl.textContent = "0/0 运行中";
|
||
}
|
||
}
|
||
|
||
async function ensureCablesEnabled() {
|
||
if (!scene || !camera || !renderer || destroyed) {
|
||
return 0;
|
||
}
|
||
|
||
const earth = getEarth();
|
||
if (!earth) return 0;
|
||
|
||
cablesEnabled = true;
|
||
const requestToken = ++cableToggleToken;
|
||
|
||
clearCableData(earth);
|
||
const [cableCount] = await Promise.all([
|
||
loadGeoJSONFromPath(scene, earth),
|
||
loadLandingPoints(scene, earth),
|
||
]);
|
||
|
||
if (requestToken !== cableToggleToken || !cablesEnabled || destroyed) {
|
||
clearCableData(earth);
|
||
return 0;
|
||
}
|
||
|
||
toggleCables(true);
|
||
updateCableToggleUi(true);
|
||
setLegendItems("cables", getCableLegendItems());
|
||
refreshLegend();
|
||
return cableCount;
|
||
}
|
||
|
||
function disableCables() {
|
||
cablesEnabled = false;
|
||
cableToggleToken += 1;
|
||
clearCableData(getEarth());
|
||
updateCableToggleUi(false);
|
||
setLegendItems("cables", getCableLegendItems());
|
||
refreshLegend();
|
||
}
|
||
|
||
async function ensureSatellitesEnabled() {
|
||
if (!scene || !camera || !renderer || destroyed) return 0;
|
||
|
||
const earth = getEarth();
|
||
if (!earth) return 0;
|
||
|
||
satellitesEnabled = true;
|
||
const requestToken = ++satelliteToggleToken;
|
||
|
||
if (!getSatellitePoints()) {
|
||
createSatellites(scene, earth);
|
||
}
|
||
|
||
clearSatelliteData();
|
||
const satelliteCount = await loadSatellites();
|
||
|
||
if (
|
||
requestToken !== satelliteToggleToken ||
|
||
!satellitesEnabled ||
|
||
destroyed
|
||
) {
|
||
resetSatelliteState();
|
||
return 0;
|
||
}
|
||
|
||
updateSatellitePositions(POSITION_UPDATE_FORCE_DELTA, true);
|
||
toggleSatellites(true);
|
||
updateSatelliteToggleUi(true, satelliteCount);
|
||
setLegendItems("satellites", getSatelliteLegendItems());
|
||
refreshLegend();
|
||
return satelliteCount;
|
||
}
|
||
|
||
function disableSatellites() {
|
||
satellitesEnabled = false;
|
||
satelliteToggleToken += 1;
|
||
resetSatelliteState();
|
||
updateSatelliteToggleUi(false, 0);
|
||
setLegendItems("satellites", getSatelliteLegendItems());
|
||
refreshLegend();
|
||
}
|
||
|
||
function updateStatsSummary() {
|
||
updateEarthStats({
|
||
cableCount: getCableLines().length,
|
||
landingPointCount:
|
||
document.getElementById("landing-point-count")?.textContent || 0,
|
||
bgpAnomalyCount: `${getBGPCount()} 条`,
|
||
terrainOn: getShowTerrain(),
|
||
textureQuality: "8K 卫星图",
|
||
});
|
||
}
|
||
|
||
window.addEventListener("error", (event) => {
|
||
console.error("全局错误:", event.error);
|
||
});
|
||
|
||
window.addEventListener("unhandledrejection", (event) => {
|
||
console.error("未处理的 Promise 错误:", event.reason);
|
||
});
|
||
|
||
export function init() {
|
||
if (initialized && !destroyed) return;
|
||
|
||
destroyed = false;
|
||
initialized = true;
|
||
simplex = createNoise3D();
|
||
|
||
scene = new THREE.Scene();
|
||
camera = new THREE.PerspectiveCamera(
|
||
75,
|
||
window.innerWidth / window.innerHeight,
|
||
0.1,
|
||
1000,
|
||
);
|
||
camera.position.z = CONFIG.defaultCameraZ;
|
||
setSatelliteCamera(camera);
|
||
|
||
renderer = new THREE.WebGLRenderer({
|
||
antialias: true,
|
||
alpha: false,
|
||
powerPreference: "high-performance",
|
||
});
|
||
renderer.setSize(window.innerWidth, window.innerHeight);
|
||
renderer.setClearColor(0x0a0a1a, 1);
|
||
renderer.setPixelRatio(window.devicePixelRatio);
|
||
|
||
const container = document.getElementById("container");
|
||
if (container) {
|
||
container.querySelector("canvas")?.remove();
|
||
container.appendChild(renderer.domElement);
|
||
}
|
||
|
||
addLights();
|
||
initInfoCard();
|
||
initLegend();
|
||
setLegendItems("cables", getCableLegendItems());
|
||
setLegendItems("satellites", getSatelliteLegendItems());
|
||
setLegendItems("bgp", getBGPLegendItems());
|
||
const earthObj = createEarth(scene);
|
||
targetRotation = {
|
||
x: earthObj.rotation.x,
|
||
y: earthObj.rotation.y,
|
||
};
|
||
inertialVelocity = { x: 0, y: 0 };
|
||
createClouds(scene, earthObj);
|
||
createTerrain(scene, earthObj, simplex);
|
||
createStars(scene);
|
||
createGridLines(scene, earthObj);
|
||
createSatellites(scene, earthObj);
|
||
|
||
setupControls(camera, renderer, scene, earthObj);
|
||
resetView(camera);
|
||
setupEventListeners();
|
||
|
||
clock.start();
|
||
loadData();
|
||
animate();
|
||
registerGlobalApi();
|
||
}
|
||
|
||
function registerGlobalApi() {
|
||
window.__planetEarth = {
|
||
reloadData,
|
||
clearSelection: () => {
|
||
hideInfoCard();
|
||
clearLockedObject();
|
||
},
|
||
destroy,
|
||
init,
|
||
};
|
||
}
|
||
|
||
function addLights() {
|
||
scene.add(new THREE.AmbientLight(0x404060));
|
||
|
||
const directionalLight = new THREE.DirectionalLight(0xffffff, 1.2);
|
||
directionalLight.position.set(5, 3, 5);
|
||
scene.add(directionalLight);
|
||
|
||
const backLight = new THREE.DirectionalLight(0x446688, 0.3);
|
||
backLight.position.set(-5, 0, -5);
|
||
scene.add(backLight);
|
||
|
||
const pointLight = new THREE.PointLight(0xffffff, 0.4);
|
||
pointLight.position.set(10, 10, 10);
|
||
scene.add(pointLight);
|
||
}
|
||
|
||
async function loadData(showWhiteSphere = false) {
|
||
if (!scene || !camera || !renderer) return;
|
||
if (isDataLoading) return;
|
||
|
||
const earth = getEarth();
|
||
if (!earth) return;
|
||
|
||
const loadToken = ++currentLoadToken;
|
||
isDataLoading = true;
|
||
hideError();
|
||
setLoadingMessage(
|
||
showWhiteSphere ? "正在刷新全球态势数据..." : "正在初始化全球态势数据...",
|
||
showWhiteSphere
|
||
? "重新同步卫星、海底光缆、登陆点与BGP异常数据"
|
||
: "同步卫星、海底光缆、登陆点与BGP异常数据",
|
||
);
|
||
setLoading(true);
|
||
clearLockedObject();
|
||
hideInfoCard();
|
||
|
||
if (showWhiteSphere && earth.material) {
|
||
earthTexture = earth.material.map;
|
||
earth.material.map = null;
|
||
earth.material.color.setHex(0xffffff);
|
||
earth.material.needsUpdate = true;
|
||
}
|
||
|
||
const results = await Promise.allSettled([
|
||
cablesEnabled ? ensureCablesEnabled() : Promise.resolve(0),
|
||
satellitesEnabled ? ensureSatellitesEnabled() : Promise.resolve(0),
|
||
(async () => {
|
||
clearBGPData(earth);
|
||
const bgpResult = await loadBGPAnomalies(scene, earth);
|
||
toggleBGP(true);
|
||
const bgpBtn = document.getElementById("toggle-bgp");
|
||
if (bgpBtn) {
|
||
bgpBtn.classList.add("active");
|
||
const tooltip = bgpBtn.querySelector(".tooltip");
|
||
if (tooltip) tooltip.textContent = "隐藏BGP观测";
|
||
}
|
||
const bgpCountEl = document.getElementById("bgp-anomaly-count");
|
||
if (bgpCountEl) {
|
||
bgpCountEl.textContent = `${bgpResult.totalCount} 条`;
|
||
}
|
||
return bgpResult;
|
||
})(),
|
||
]);
|
||
|
||
if (loadToken !== currentLoadToken) {
|
||
isDataLoading = false;
|
||
return;
|
||
}
|
||
|
||
const errors = [];
|
||
if (results[0].status === "rejected") {
|
||
errors.push({ label: "电缆", reason: results[0].reason });
|
||
}
|
||
if (results[1].status === "rejected") {
|
||
errors.push({ label: "卫星", reason: results[1].reason });
|
||
}
|
||
if (results[2].status === "rejected") {
|
||
errors.push({ label: "BGP异常", reason: results[2].reason });
|
||
}
|
||
|
||
if (errors.length > 0) {
|
||
const errorMessage = buildLoadErrorMessage(errors);
|
||
showError(errorMessage);
|
||
showStatusMessage(errorMessage, "error");
|
||
} else {
|
||
hideError();
|
||
showStatusMessage("数据已重新加载", "success");
|
||
}
|
||
|
||
updateStatsSummary();
|
||
updateCableToggleUi(cablesEnabled);
|
||
updateSatelliteToggleUi(satellitesEnabled);
|
||
setLegendItems("cables", getCableLegendItems());
|
||
setLegendItems("satellites", getSatelliteLegendItems());
|
||
setLegendItems("bgp", getBGPLegendItems());
|
||
refreshLegend();
|
||
setLoading(false);
|
||
isDataLoading = false;
|
||
|
||
if (showWhiteSphere && earth.material) {
|
||
earth.material.map = earthTexture;
|
||
earth.material.color.setHex(0xffffff);
|
||
earth.material.needsUpdate = true;
|
||
}
|
||
}
|
||
|
||
const POSITION_UPDATE_FORCE_DELTA = 250;
|
||
|
||
export async function reloadData() {
|
||
await loadData(true);
|
||
}
|
||
|
||
export async function setCablesEnabled(enabled) {
|
||
if (enabled === cablesEnabled) {
|
||
updateCableToggleUi(enabled);
|
||
return getCableLines().length;
|
||
}
|
||
|
||
if (!enabled) {
|
||
clearLockedObject();
|
||
hideInfoCard();
|
||
disableCables();
|
||
showStatusMessage("线缆已隐藏", "info");
|
||
return 0;
|
||
}
|
||
|
||
setLoadingMessage("正在加载线缆数据...", "重建海缆与登陆点对象");
|
||
setLoading(true);
|
||
hideError();
|
||
|
||
try {
|
||
const cableCount = await ensureCablesEnabled();
|
||
showStatusMessage("线缆已显示", "info");
|
||
return cableCount;
|
||
} catch (error) {
|
||
cablesEnabled = false;
|
||
clearCableData(getEarth());
|
||
updateCableToggleUi(false);
|
||
const message = `线缆加载失败: ${error?.message || String(error)}`;
|
||
showError(message);
|
||
showStatusMessage(message, "error");
|
||
throw error;
|
||
} finally {
|
||
setLoading(false);
|
||
}
|
||
}
|
||
|
||
export async function setSatellitesEnabled(enabled) {
|
||
if (enabled === satellitesEnabled) {
|
||
updateSatelliteToggleUi(enabled);
|
||
return getSatelliteCount();
|
||
}
|
||
|
||
if (!enabled) {
|
||
clearLockedObject();
|
||
hideInfoCard();
|
||
disableSatellites();
|
||
return 0;
|
||
}
|
||
|
||
setLoadingMessage("正在加载卫星数据...", "重建卫星点位与轨迹缓存");
|
||
setLoading(true);
|
||
hideError();
|
||
|
||
try {
|
||
const satelliteCount = await ensureSatellitesEnabled();
|
||
showStatusMessage("卫星已显示", "info");
|
||
return satelliteCount;
|
||
} catch (error) {
|
||
satellitesEnabled = false;
|
||
resetSatelliteState();
|
||
updateSatelliteToggleUi(false, 0);
|
||
const message = `卫星加载失败: ${error?.message || String(error)}`;
|
||
showError(message);
|
||
showStatusMessage(message, "error");
|
||
throw error;
|
||
} finally {
|
||
setLoading(false);
|
||
}
|
||
}
|
||
|
||
function setupEventListeners() {
|
||
const handleResize = () => onWindowResize();
|
||
const handleMouseMove = (event) => onMouseMove(event);
|
||
const handleMouseDown = (event) => onMouseDown(event);
|
||
const handleMouseUp = () => onMouseUp();
|
||
const handleMouseLeave = () => onMouseLeave();
|
||
const handleClick = (event) => onClick(event);
|
||
const handlePageHide = () => destroy();
|
||
|
||
bindListener(window, "resize", handleResize);
|
||
bindListener(window, "pagehide", handlePageHide);
|
||
bindListener(window, "beforeunload", handlePageHide);
|
||
bindListener(window, "mousemove", handleMouseMove);
|
||
bindListener(renderer.domElement, "mousedown", handleMouseDown);
|
||
bindListener(window, "mouseup", handleMouseUp);
|
||
bindListener(renderer.domElement, "mouseleave", handleMouseLeave);
|
||
bindListener(renderer.domElement, "click", handleClick);
|
||
}
|
||
|
||
function onWindowResize() {
|
||
if (!camera || !renderer) return;
|
||
camera.aspect = window.innerWidth / window.innerHeight;
|
||
camera.updateProjectionMatrix();
|
||
renderer.setSize(window.innerWidth, window.innerHeight);
|
||
}
|
||
|
||
function getFrontFacingCables(cableLines) {
|
||
const earth = getEarth();
|
||
if (!earth) return cableLines;
|
||
|
||
scratchCameraToEarth.subVectors(camera.position, earth.position).normalize();
|
||
|
||
return cableLines.filter((cable) => {
|
||
if (!cable.userData.localCenter) {
|
||
return true;
|
||
}
|
||
|
||
scratchCableCenter.copy(cable.userData.localCenter);
|
||
cable.localToWorld(scratchCableCenter);
|
||
scratchCableDirection
|
||
.subVectors(scratchCableCenter, earth.position)
|
||
.normalize();
|
||
return scratchCameraToEarth.dot(scratchCableDirection) > 0;
|
||
});
|
||
}
|
||
|
||
function getFrontFacingBGPMarkers(markers) {
|
||
const earth = getEarth();
|
||
if (!earth) return markers;
|
||
|
||
scratchCameraToEarth.subVectors(camera.position, earth.position).normalize();
|
||
|
||
return markers.filter((marker) => {
|
||
scratchBGPWorldPosition.copy(marker.position);
|
||
marker.parent?.localToWorld(scratchBGPWorldPosition);
|
||
scratchBGPDirection
|
||
.subVectors(scratchBGPWorldPosition, earth.position)
|
||
.normalize();
|
||
return scratchCameraToEarth.dot(scratchBGPDirection) > 0;
|
||
});
|
||
}
|
||
|
||
function onMouseMove(event) {
|
||
const earth = getEarth();
|
||
if (!earth) return;
|
||
|
||
if (isDragging) {
|
||
if (Date.now() - dragStartTime > 500) {
|
||
isLongDrag = true;
|
||
}
|
||
|
||
const deltaX = event.clientX - previousMousePosition.x;
|
||
const deltaY = event.clientY - previousMousePosition.y;
|
||
const rotationDeltaY = deltaX * DRAG_ROTATION_FACTOR;
|
||
const rotationDeltaX = deltaY * DRAG_ROTATION_FACTOR;
|
||
|
||
targetRotation.y += rotationDeltaY;
|
||
targetRotation.x += rotationDeltaX;
|
||
inertialVelocity.y = rotationDeltaY;
|
||
inertialVelocity.x = rotationDeltaX;
|
||
previousMousePosition = { x: event.clientX, y: event.clientY };
|
||
hideTooltip();
|
||
return;
|
||
}
|
||
|
||
updatePointerFromEvent(event);
|
||
|
||
const frontCables = getFrontFacingCables(getCableLines());
|
||
const cableIntersects = interactionRaycaster.intersectObjects(frontCables);
|
||
const frontFacingBGPAnomalyMarkers = getFrontFacingBGPMarkers(
|
||
getBGPAnomalyMarkers(),
|
||
);
|
||
const frontFacingBGPCollectorMarkers = getFrontFacingBGPMarkers(
|
||
getBGPCollectorMarkers(),
|
||
);
|
||
const bgpAnomalyIntersects = getShowBGP()
|
||
? interactionRaycaster.intersectObjects(frontFacingBGPAnomalyMarkers)
|
||
: [];
|
||
const bgpCollectorIntersects = getShowBGP()
|
||
? interactionRaycaster.intersectObjects(frontFacingBGPCollectorMarkers)
|
||
: [];
|
||
|
||
let hoveredSat = null;
|
||
let hoveredSatIndexFromIntersect = null;
|
||
if (getShowSatellites()) {
|
||
const satPoints = getSatellitePoints();
|
||
if (satPoints) {
|
||
const satIntersects = interactionRaycaster.intersectObject(satPoints);
|
||
if (satIntersects.length > 0) {
|
||
const satIndex = satIntersects[0].index;
|
||
if (isSatelliteFrontFacing(satIndex, camera)) {
|
||
hoveredSatIndexFromIntersect = satIndex;
|
||
hoveredSat = selectSatellite(satIndex);
|
||
}
|
||
}
|
||
}
|
||
}
|
||
|
||
if (
|
||
hoveredBGP &&
|
||
(!bgpAnomalyIntersects.length ||
|
||
bgpAnomalyIntersects[0]?.object !== hoveredBGP) &&
|
||
(!bgpCollectorIntersects.length ||
|
||
bgpCollectorIntersects[0]?.object !== hoveredBGP)
|
||
) {
|
||
if (hoveredBGP !== lockedObject) {
|
||
setBGPMarkerState(hoveredBGP, "normal");
|
||
}
|
||
hoveredBGP = null;
|
||
}
|
||
|
||
if (
|
||
hoveredCable &&
|
||
(!cableIntersects.length ||
|
||
!isSameCable(cableIntersects[0]?.object, hoveredCable))
|
||
) {
|
||
if (!isSameCable(hoveredCable, lockedObject)) {
|
||
setCableState(hoveredCable.userData.cableId, CABLE_STATE.NORMAL);
|
||
}
|
||
hoveredCable = null;
|
||
}
|
||
|
||
if (
|
||
hoveredSatelliteIndex !== null &&
|
||
hoveredSatelliteIndex !== hoveredSatIndexFromIntersect
|
||
) {
|
||
if (hoveredSatelliteIndex !== lockedSatelliteIndex) {
|
||
setSatelliteRingState(hoveredSatelliteIndex, "none", null);
|
||
}
|
||
hoveredSatelliteIndex = null;
|
||
}
|
||
|
||
if (bgpAnomalyIntersects.length > 0 && getShowBGP()) {
|
||
const marker = bgpAnomalyIntersects[0].object;
|
||
hoveredBGP = marker;
|
||
if (marker !== lockedObject) {
|
||
setBGPMarkerState(marker, "hover");
|
||
}
|
||
showBGPInfo(marker);
|
||
setInfoCardNoBorder(true);
|
||
hideTooltip();
|
||
} else if (bgpCollectorIntersects.length > 0 && getShowBGP()) {
|
||
const marker = bgpCollectorIntersects[0].object;
|
||
hoveredBGP = marker;
|
||
if (marker !== lockedObject) {
|
||
setBGPMarkerState(marker, "hover");
|
||
}
|
||
showBGPCollectorInfo(marker);
|
||
setInfoCardNoBorder(true);
|
||
hideTooltip();
|
||
} else if (cableIntersects.length > 0 && getShowCables()) {
|
||
const cable = cableIntersects[0].object;
|
||
hoveredCable = cable;
|
||
if (!isSameCable(cable, lockedObject)) {
|
||
setCableState(cable.userData.cableId, CABLE_STATE.HOVERED);
|
||
}
|
||
showCableInfo(cable);
|
||
setInfoCardNoBorder(true);
|
||
hideTooltip();
|
||
} else if (hoveredSat?.properties) {
|
||
hoveredSatellite = hoveredSat;
|
||
hoveredSatelliteIndex = hoveredSatIndexFromIntersect;
|
||
if (hoveredSatelliteIndex !== lockedSatelliteIndex) {
|
||
const satPositions = getSatellitePositions();
|
||
if (satPositions && satPositions[hoveredSatelliteIndex]) {
|
||
setSatelliteRingState(
|
||
hoveredSatelliteIndex,
|
||
"hover",
|
||
satPositions[hoveredSatelliteIndex].current,
|
||
);
|
||
}
|
||
}
|
||
showSatelliteInfo(hoveredSat.properties);
|
||
setInfoCardNoBorder(true);
|
||
} else if (lockedObjectType === "bgp" && lockedObject) {
|
||
showBGPInfo(lockedObject);
|
||
} else if (lockedObjectType === "bgp_collector" && lockedObject) {
|
||
showBGPCollectorInfo(lockedObject);
|
||
} else if (lockedObjectType === "cable" && lockedObject) {
|
||
showCableInfo(lockedObject);
|
||
} else if (lockedObjectType === "satellite" && lockedSatellite) {
|
||
const satPositions = getSatellitePositions();
|
||
if (lockedSatelliteIndex !== null && satPositions?.[lockedSatelliteIndex]) {
|
||
setSatelliteRingState(
|
||
lockedSatelliteIndex,
|
||
"locked",
|
||
satPositions[lockedSatelliteIndex].current,
|
||
);
|
||
}
|
||
showSatelliteInfo(lockedSatellite.properties);
|
||
} else {
|
||
hideInfoCard();
|
||
}
|
||
|
||
const earthPoint = screenToEarthCoords(
|
||
event.clientX,
|
||
event.clientY,
|
||
camera,
|
||
earth,
|
||
document.body,
|
||
interactionRaycaster,
|
||
interactionMouse,
|
||
);
|
||
if (earthPoint) {
|
||
const coords = vector3ToLatLon(earthPoint);
|
||
updateCoordinatesDisplay(coords.lat, coords.lon, coords.alt);
|
||
showTooltip(
|
||
event.clientX + 10,
|
||
event.clientY + 10,
|
||
`纬度: ${coords.lat}°<br>经度: ${coords.lon}°<br>海拔: ${coords.alt.toFixed(1)} km`,
|
||
);
|
||
} else {
|
||
hideTooltip();
|
||
}
|
||
}
|
||
|
||
function onMouseDown(event) {
|
||
const earth = getEarth();
|
||
isDragging = true;
|
||
dragStartTime = Date.now();
|
||
isLongDrag = false;
|
||
previousMousePosition = { x: event.clientX, y: event.clientY };
|
||
inertialVelocity = { x: 0, y: 0 };
|
||
if (earth) {
|
||
targetRotation = {
|
||
x: earth.rotation.x,
|
||
y: earth.rotation.y,
|
||
};
|
||
}
|
||
document.getElementById("container")?.classList.add("dragging");
|
||
hideTooltip();
|
||
}
|
||
|
||
function onMouseUp() {
|
||
isDragging = false;
|
||
document.getElementById("container")?.classList.remove("dragging");
|
||
}
|
||
|
||
function onMouseLeave() {
|
||
hideTooltip();
|
||
}
|
||
|
||
function onClick(event) {
|
||
const earth = getEarth();
|
||
if (!earth) return;
|
||
|
||
updatePointerFromEvent(event);
|
||
|
||
const cableIntersects = interactionRaycaster.intersectObjects(
|
||
getFrontFacingCables(getCableLines()),
|
||
);
|
||
const frontFacingBGPAnomalyMarkers = getFrontFacingBGPMarkers(
|
||
getBGPAnomalyMarkers(),
|
||
);
|
||
const frontFacingBGPCollectorMarkers = getFrontFacingBGPMarkers(
|
||
getBGPCollectorMarkers(),
|
||
);
|
||
const bgpAnomalyIntersects = getShowBGP()
|
||
? interactionRaycaster.intersectObjects(frontFacingBGPAnomalyMarkers)
|
||
: [];
|
||
const bgpCollectorIntersects = getShowBGP()
|
||
? interactionRaycaster.intersectObjects(frontFacingBGPCollectorMarkers)
|
||
: [];
|
||
const satIntersects = getShowSatellites()
|
||
? interactionRaycaster.intersectObject(getSatellitePoints())
|
||
: [];
|
||
|
||
if (bgpAnomalyIntersects.length > 0 && getShowBGP()) {
|
||
clearLockedObject();
|
||
|
||
const clickedMarker = bgpAnomalyIntersects[0].object;
|
||
setBGPMarkerState(clickedMarker, "locked");
|
||
|
||
lockedObject = clickedMarker;
|
||
lockedObjectType = "bgp";
|
||
setAutoRotate(false);
|
||
showBGPEventOverlay(clickedMarker, earth);
|
||
showBGPInfo(clickedMarker);
|
||
showStatusMessage(
|
||
`已选择BGP异常: ${clickedMarker.userData.collector}`,
|
||
"info",
|
||
);
|
||
return;
|
||
}
|
||
|
||
if (bgpCollectorIntersects.length > 0 && getShowBGP()) {
|
||
clearLockedObject();
|
||
|
||
const clickedMarker = bgpCollectorIntersects[0].object;
|
||
setBGPMarkerState(clickedMarker, "locked");
|
||
|
||
lockedObject = clickedMarker;
|
||
lockedObjectType = "bgp_collector";
|
||
setAutoRotate(false);
|
||
showBGPCollectorInfo(clickedMarker);
|
||
showStatusMessage(
|
||
`已选择观测站: ${clickedMarker.userData.collector}`,
|
||
"info",
|
||
);
|
||
return;
|
||
}
|
||
|
||
if (cableIntersects.length > 0 && getShowCables()) {
|
||
clearLockedObject();
|
||
|
||
const clickedCable = cableIntersects[0].object;
|
||
const cableId = clickedCable.userData.cableId;
|
||
setCableState(cableId, CABLE_STATE.LOCKED);
|
||
|
||
lockedObject = clickedCable;
|
||
lockedObjectType = "cable";
|
||
setAutoRotate(false);
|
||
handleCableClick(clickedCable);
|
||
return;
|
||
}
|
||
|
||
if (satIntersects.length > 0) {
|
||
const now = Date.now();
|
||
const clickX = event.clientX;
|
||
const clickY = event.clientY;
|
||
|
||
const frontFacingSats = satIntersects.filter((sat) =>
|
||
isSatelliteFrontFacing(sat.index, camera),
|
||
);
|
||
if (frontFacingSats.length === 0) return;
|
||
|
||
let selectedIndex = frontFacingSats[0].index;
|
||
if (
|
||
frontFacingSats.length > 1 &&
|
||
now - lastSatClickTime < 500 &&
|
||
Math.abs(clickX - lastSatClickPos.x) < 30 &&
|
||
Math.abs(clickY - lastSatClickPos.y) < 30
|
||
) {
|
||
const currentIdx = frontFacingSats.findIndex(
|
||
(sat) => sat.index === lastSatClickIndex,
|
||
);
|
||
selectedIndex =
|
||
frontFacingSats[(currentIdx + 1) % frontFacingSats.length].index;
|
||
}
|
||
|
||
lastSatClickTime = now;
|
||
lastSatClickIndex = selectedIndex;
|
||
lastSatClickPos = { x: clickX, y: clickY };
|
||
|
||
const sat = selectSatellite(selectedIndex);
|
||
if (!sat?.properties) return;
|
||
|
||
clearLockedObject();
|
||
|
||
lockedObject = sat;
|
||
lockedObjectType = "satellite";
|
||
lockedSatellite = sat;
|
||
lockedSatelliteIndex = selectedIndex;
|
||
setLockedSatelliteIndex(selectedIndex);
|
||
showPredictedOrbit(sat);
|
||
setAutoRotate(false);
|
||
|
||
const satPositions = getSatellitePositions();
|
||
if (satPositions?.[selectedIndex]) {
|
||
setSatelliteRingState(
|
||
selectedIndex,
|
||
"locked",
|
||
satPositions[selectedIndex].current,
|
||
);
|
||
}
|
||
|
||
showSatelliteInfo(sat.properties);
|
||
showStatusMessage("已选择: " + sat.properties.name, "info");
|
||
return;
|
||
}
|
||
|
||
if (!isLongDrag) {
|
||
clearLockedObject();
|
||
setAutoRotate(true);
|
||
}
|
||
}
|
||
|
||
function animate() {
|
||
if (destroyed) return;
|
||
|
||
animationFrameId = requestAnimationFrame(animate);
|
||
|
||
const earth = getEarth();
|
||
const deltaTime = clock.getDelta() * 1000;
|
||
const hasInertia =
|
||
Math.abs(inertialVelocity.x) > INERTIA_MIN_VELOCITY ||
|
||
Math.abs(inertialVelocity.y) > INERTIA_MIN_VELOCITY;
|
||
|
||
if (getAutoRotate() && earth) {
|
||
earth.rotation.y += CONFIG.rotationSpeed * (deltaTime / 16);
|
||
|
||
// Keep the drag target aligned with autorotation only when the user is not
|
||
// actively dragging and there is no residual inertial motion to preserve.
|
||
if (!isDragging && !hasInertia) {
|
||
targetRotation.y = earth.rotation.y;
|
||
targetRotation.x = earth.rotation.x;
|
||
}
|
||
}
|
||
|
||
if (earth) {
|
||
if (isDragging) {
|
||
// Smoothly follow the drag target to match the legacy interaction feel.
|
||
earth.rotation.x +=
|
||
(targetRotation.x - earth.rotation.x) * DRAG_SMOOTHING_FACTOR;
|
||
earth.rotation.y +=
|
||
(targetRotation.y - earth.rotation.y) * DRAG_SMOOTHING_FACTOR;
|
||
} else if (
|
||
Math.abs(inertialVelocity.x) > INERTIA_MIN_VELOCITY ||
|
||
Math.abs(inertialVelocity.y) > INERTIA_MIN_VELOCITY
|
||
) {
|
||
// Continue rotating after release and gradually decay the motion.
|
||
targetRotation.x += inertialVelocity.x * (deltaTime / 16);
|
||
targetRotation.y += inertialVelocity.y * (deltaTime / 16);
|
||
earth.rotation.x +=
|
||
(targetRotation.x - earth.rotation.x) * DRAG_SMOOTHING_FACTOR;
|
||
earth.rotation.y +=
|
||
(targetRotation.y - earth.rotation.y) * DRAG_SMOOTHING_FACTOR;
|
||
inertialVelocity.x *= Math.pow(INERTIA_DAMPING, deltaTime / 16);
|
||
inertialVelocity.y *= Math.pow(INERTIA_DAMPING, deltaTime / 16);
|
||
} else {
|
||
inertialVelocity.x = 0;
|
||
inertialVelocity.y = 0;
|
||
targetRotation.x = earth.rotation.x;
|
||
targetRotation.y = earth.rotation.y;
|
||
}
|
||
}
|
||
|
||
applyCableVisualState();
|
||
updateBGPVisualState(lockedObjectType, lockedObject);
|
||
|
||
if (lockedObjectType === "cable" && lockedObject) {
|
||
applyLandingPointVisualState(lockedObject.userData.name, false);
|
||
} else if (
|
||
lockedObjectType === "satellite" && lockedSatellite
|
||
) {
|
||
applyLandingPointVisualState(null, true);
|
||
} else if (lockedObjectType === "bgp" && lockedObject) {
|
||
applyLandingPointVisualState(null, true);
|
||
} else {
|
||
resetLandingPointVisualState();
|
||
}
|
||
|
||
updateSatellitePositions(deltaTime);
|
||
updateBreathingPhase(deltaTime);
|
||
|
||
const satPositions = getSatellitePositions();
|
||
if (
|
||
lockedObjectType === "satellite" &&
|
||
lockedSatelliteIndex !== null &&
|
||
satPositions?.[lockedSatelliteIndex]
|
||
) {
|
||
updateLockedRingPosition(satPositions[lockedSatelliteIndex].current);
|
||
} else if (
|
||
hoveredSatelliteIndex !== null &&
|
||
satPositions?.[hoveredSatelliteIndex]
|
||
) {
|
||
updateHoverRingPosition(satPositions[hoveredSatelliteIndex].current);
|
||
}
|
||
|
||
renderer.render(scene, camera);
|
||
}
|
||
|
||
export function destroy() {
|
||
if (destroyed) return;
|
||
destroyed = true;
|
||
currentLoadToken += 1;
|
||
isDataLoading = false;
|
||
|
||
if (animationFrameId) {
|
||
cancelAnimationFrame(animationFrameId);
|
||
animationFrameId = null;
|
||
}
|
||
|
||
teardownControls();
|
||
while (cleanupFns.length) {
|
||
const cleanup = cleanupFns.pop();
|
||
cleanup?.();
|
||
}
|
||
|
||
clearLockedObject();
|
||
clearCableData(getEarth());
|
||
clearBGPData(getEarth());
|
||
resetSatelliteState();
|
||
clearUiState();
|
||
|
||
if (scene) {
|
||
disposeSceneObject(scene);
|
||
}
|
||
|
||
if (renderer) {
|
||
renderer.dispose();
|
||
if (typeof renderer.forceContextLoss === "function") {
|
||
renderer.forceContextLoss();
|
||
}
|
||
renderer.domElement?.remove();
|
||
}
|
||
|
||
scene = null;
|
||
camera = null;
|
||
renderer = null;
|
||
initialized = false;
|
||
|
||
delete window.__planetEarth;
|
||
}
|
||
|
||
document.addEventListener("DOMContentLoaded", init);
|