split editor

This commit is contained in:
2025-10-20 21:07:28 +05:00
parent 023ccd03d8
commit 88643415aa
34 changed files with 3796 additions and 1184 deletions

View File

@@ -17,15 +17,6 @@ let map = [];
let selectedType = 0;
let isDrawing = false;
// Состояние визуализации
let solution = null;
let trajectory = [];
let currentStep = 0;
let isPlaying = false;
let playbackSpeed = 5;
let playbackInterval = null;
let startPosition = null;
// Canvas элементы
const canvas = document.getElementById('mapCanvas');
const ctx = canvas.getContext('2d');
@@ -99,98 +90,6 @@ function drawMap() {
}
}
}
// Рисуем визуализацию траектории, если она есть
if (trajectory.length > 0) {
drawTrajectory();
}
}
// Рисование траектории решения
function drawTrajectory() {
if (!trajectory || trajectory.length === 0) return;
// Рисуем все предыдущие позиции как след
ctx.strokeStyle = '#667eea';
ctx.lineWidth = 3;
ctx.lineCap = 'round';
ctx.lineJoin = 'round';
ctx.beginPath();
for (let i = 0; i <= currentStep && i < trajectory.length; i++) {
const pos = trajectory[i];
const screenX = pos.x * CELL_SIZE + CELL_SIZE / 2;
const screenY = pos.y * CELL_SIZE + CELL_SIZE / 2;
if (i === 0) {
ctx.moveTo(screenX, screenY);
} else {
ctx.lineTo(screenX, screenY);
}
}
ctx.stroke();
// Рисуем точки на каждом шаге
for (let i = 0; i <= currentStep && i < trajectory.length; i++) {
const pos = trajectory[i];
const screenX = pos.x * CELL_SIZE + CELL_SIZE / 2;
const screenY = pos.y * CELL_SIZE + CELL_SIZE / 2;
ctx.beginPath();
ctx.arc(screenX, screenY, 4, 0, Math.PI * 2);
ctx.fillStyle = '#667eea';
ctx.fill();
ctx.strokeStyle = 'white';
ctx.lineWidth = 2;
ctx.stroke();
}
// Рисуем текущую позицию большим кругом
if (currentStep < trajectory.length) {
const current = trajectory[currentStep];
const screenX = current.x * CELL_SIZE + CELL_SIZE / 2;
const screenY = current.y * CELL_SIZE + CELL_SIZE / 2;
// Пульсирующий эффект
ctx.beginPath();
ctx.arc(screenX, screenY, 10, 0, Math.PI * 2);
ctx.fillStyle = '#f5576c';
ctx.fill();
ctx.strokeStyle = 'white';
ctx.lineWidth = 3;
ctx.stroke();
// Стрелка направления скорости
if (current.vx !== 0 || current.vy !== 0) {
const arrowLen = 20;
const angle = Math.atan2(current.vy, current.vx);
const endX = screenX + Math.cos(angle) * arrowLen;
const endY = screenY + Math.sin(angle) * arrowLen;
ctx.beginPath();
ctx.moveTo(screenX, screenY);
ctx.lineTo(endX, endY);
ctx.strokeStyle = '#f5576c';
ctx.lineWidth = 3;
ctx.stroke();
// Наконечник стрелки
const headLen = 8;
const headAngle = Math.PI / 6;
ctx.beginPath();
ctx.moveTo(endX, endY);
ctx.lineTo(
endX - headLen * Math.cos(angle - headAngle),
endY - headLen * Math.sin(angle - headAngle)
);
ctx.moveTo(endX, endY);
ctx.lineTo(
endX - headLen * Math.cos(angle + headAngle),
endY - headLen * Math.sin(angle + headAngle)
);
ctx.stroke();
}
}
}
// Выбор типа ячейки
@@ -387,187 +286,5 @@ document.getElementById('height').addEventListener('keypress', (e) => {
if (e.key === 'Enter') resizeMap();
});
// ============================================
// Функции визуализации решения
// ============================================
// Поиск стартовой позиции на карте
function findStartPosition() {
for (let y = 0; y < height; y++) {
for (let x = 0; x < width; x++) {
if (map[y][x] === 5) {
return { x, y };
}
}
}
return null;
}
// Симуляция траектории на основе векторов ускорений
function simulateTrajectory(accelerations, start) {
const traj = [];
let x = start.x;
let y = start.y;
let vx = 0;
let vy = 0;
// Начальная позиция
traj.push({ x, y, vx, vy, ax: 0, ay: 0 });
// Применяем каждое ускорение
for (let i = 0; i < accelerations.length; i++) {
const [ax, ay] = accelerations[i];
// Обновляем скорость
vx += ax;
vy += ay;
// Обновляем позицию
x += vx;
y += vy;
traj.push({ x, y, vx, vy, ax, ay });
}
return traj;
}
// Загрузка решения из JSON
function loadSolution(event) {
const file = event.target.files[0];
if (!file) return;
const reader = new FileReader();
reader.onload = (e) => {
try {
const data = JSON.parse(e.target.result);
if (!data.solution || !Array.isArray(data.solution)) {
throw new Error('Неверный формат: отсутствует массив solution');
}
// Проверяем, что это массив массивов из двух чисел
if (!data.solution.every(acc => Array.isArray(acc) && acc.length === 2)) {
throw new Error('Неверный формат: solution должен быть массивом [[ax, ay], ...]');
}
// Находим стартовую позицию
startPosition = findStartPosition();
if (!startPosition) {
throw new Error('На карте не найдена точка старта (тип 5)');
}
solution = data.solution;
trajectory = simulateTrajectory(solution, startPosition);
currentStep = 0;
// Показываем панель визуализации
document.getElementById('visualizationPanel').classList.remove('hidden');
document.getElementById('clearVisBtn').disabled = false;
// Обновляем информацию
updateStepInfo();
drawMap();
alert(`Решение загружено! ${solution.length} шагов.`);
} catch (error) {
alert('Ошибка при загрузке решения: ' + error.message);
console.error('Ошибка загрузки:', error);
}
};
reader.readAsText(file);
event.target.value = '';
}
// Обновление информации о текущем шаге
function updateStepInfo() {
if (!trajectory || trajectory.length === 0) return;
const current = trajectory[currentStep];
document.getElementById('stepNumber').textContent = `${currentStep} / ${trajectory.length - 1}`;
document.getElementById('positionValue').textContent = `(${current.x}, ${current.y})`;
document.getElementById('velocityValue').textContent = `(${current.vx}, ${current.vy})`;
document.getElementById('accelerationValue').textContent = `(${current.ax}, ${current.ay})`;
}
// Воспроизведение визуализации
function playVisualization() {
if (!trajectory || trajectory.length === 0) return;
isPlaying = true;
document.getElementById('playBtn').disabled = true;
document.getElementById('pauseBtn').disabled = false;
playbackInterval = setInterval(() => {
if (currentStep < trajectory.length - 1) {
currentStep++;
updateStepInfo();
drawMap();
} else {
pauseVisualization();
}
}, 1000 / playbackSpeed);
}
// Пауза воспроизведения
function pauseVisualization() {
isPlaying = false;
document.getElementById('playBtn').disabled = false;
document.getElementById('pauseBtn').disabled = true;
if (playbackInterval) {
clearInterval(playbackInterval);
playbackInterval = null;
}
}
// Сброс визуализации
function resetVisualization() {
pauseVisualization();
currentStep = 0;
updateStepInfo();
drawMap();
}
// Шаг вперед
function stepForward() {
if (!trajectory || trajectory.length === 0) return;
if (currentStep < trajectory.length - 1) {
currentStep++;
updateStepInfo();
drawMap();
}
}
// Обновление скорости воспроизведения
function updateSpeed() {
playbackSpeed = parseInt(document.getElementById('speedSlider').value);
document.getElementById('speedValue').textContent = `${playbackSpeed}x`;
// Если воспроизведение идет, перезапускаем с новой скоростью
if (isPlaying) {
pauseVisualization();
playVisualization();
}
}
// Очистка визуализации
function clearVisualization() {
pauseVisualization();
solution = null;
trajectory = [];
currentStep = 0;
startPosition = null;
document.getElementById('visualizationPanel').classList.add('hidden');
document.getElementById('clearVisBtn').disabled = true;
drawMap();
}
// Инициализация при загрузке страницы
init();