✅ Основные изменения: - Исправлен дублирование /api в URL запросов к бэкенду - Добавлен новый API endpoint /api/blockchain/read-dle-info для чтения данных из блокчейна - Исправлено отображение количества участников (participantCount вместо initialPartners.length) - Обновлен ManagementView.vue для чтения данных из блокчейна вместо JSON файлов - Добавлены утилиты для чтения данных DLE из блокчейна - Исправлены координаты в форме деплоя (сохранение в localStorage) - Добавлен индикатор прогресса деплоя с редиректом на /management 🔧 Технические детали: - Создан backend/routes/blockchain.js с endpoint для чтения DLE данных - Обновлен backend/app.js для регистрации нового маршрута - Исправлен импорт axios в ManagementView.vue (используется настроенный экземпляр api) - Добавлены скрипты utils/read-dle-info.js и utils/get-rpc-url.js - Обновлен скрипт деплоя для сохранения всех данных в блокчейн 🎯 Результат: - Данные DLE теперь читаются напрямую из блокчейна - Правильное отображение координат и количества участников - Устранены ошибки 404 при запросах к API
111 lines
4.2 KiB
JavaScript
111 lines
4.2 KiB
JavaScript
/**
|
|
* Copyright (c) 2024-2025 Тарабанов Александр Викторович
|
|
* All rights reserved.
|
|
*
|
|
* This software is proprietary and confidential.
|
|
* Unauthorized copying, modification, or distribution is prohibited.
|
|
*
|
|
* For licensing inquiries: info@hb3-accelerator.com
|
|
* Website: https://hb3-accelerator.com
|
|
* GitHub: https://github.com/HB3-ACCELERATOR
|
|
*/
|
|
|
|
const express = require('express');
|
|
const router = express.Router();
|
|
const { ethers } = require('ethers');
|
|
const rpcProviderService = require('../services/rpcProviderService');
|
|
|
|
// Чтение данных DLE из блокчейна
|
|
router.post('/read-dle-info', async (req, res) => {
|
|
try {
|
|
const { dleAddress } = req.body;
|
|
|
|
if (!dleAddress) {
|
|
return res.status(400).json({
|
|
success: false,
|
|
error: 'Адрес DLE обязателен'
|
|
});
|
|
}
|
|
|
|
console.log(`[Blockchain] Чтение данных DLE из блокчейна: ${dleAddress}`);
|
|
|
|
// Получаем RPC URL для Sepolia
|
|
const rpcUrl = await rpcProviderService.getRpcUrlByChainId(11155111);
|
|
if (!rpcUrl) {
|
|
return res.status(500).json({
|
|
success: false,
|
|
error: 'RPC URL для Sepolia не найден'
|
|
});
|
|
}
|
|
|
|
const provider = new ethers.JsonRpcProvider(rpcUrl);
|
|
|
|
// ABI для чтения данных DLE
|
|
const dleAbi = [
|
|
"function getDLEInfo() external view returns (tuple(string name, string symbol, string location, string coordinates, uint256 jurisdiction, uint256 oktmo, string[] okvedCodes, uint256 kpp, uint256 creationTimestamp, bool isActive))",
|
|
"function totalSupply() external view returns (uint256)",
|
|
"function balanceOf(address account) external view returns (uint256)",
|
|
"function quorumPercentage() external view returns (uint256)",
|
|
"function getCurrentChainId() external view returns (uint256)"
|
|
];
|
|
|
|
const dle = new ethers.Contract(dleAddress, dleAbi, provider);
|
|
|
|
// Читаем данные DLE
|
|
const dleInfo = await dle.getDLEInfo();
|
|
const totalSupply = await dle.totalSupply();
|
|
const quorumPercentage = await dle.quorumPercentage();
|
|
const currentChainId = await dle.getCurrentChainId();
|
|
|
|
// Проверяем баланс создателя (адрес, который деплоил контракт)
|
|
const deployer = "0xF45aa4917b3775bA37f48Aeb3dc1a943561e9e0B";
|
|
const deployerBalance = await dle.balanceOf(deployer);
|
|
|
|
// Определяем количество участников (держателей токенов)
|
|
let participantCount = 0;
|
|
if (deployerBalance > 0) {
|
|
participantCount++;
|
|
}
|
|
|
|
// Проверяем, есть ли другие держатели токенов
|
|
// Для простоты считаем, что если создатель имеет меньше 100% токенов, то есть другие участники
|
|
const deployerPercentage = (Number(deployerBalance) / Number(totalSupply)) * 100;
|
|
if (deployerPercentage < 100) {
|
|
participantCount = Math.max(participantCount, 2); // Минимум 2 участника
|
|
}
|
|
|
|
const blockchainData = {
|
|
name: dleInfo.name,
|
|
symbol: dleInfo.symbol,
|
|
location: dleInfo.location,
|
|
coordinates: dleInfo.coordinates,
|
|
jurisdiction: Number(dleInfo.jurisdiction),
|
|
oktmo: Number(dleInfo.oktmo),
|
|
okvedCodes: dleInfo.okvedCodes,
|
|
kpp: Number(dleInfo.kpp),
|
|
creationTimestamp: Number(dleInfo.creationTimestamp),
|
|
isActive: dleInfo.isActive,
|
|
totalSupply: ethers.formatUnits(totalSupply, 18),
|
|
deployerBalance: ethers.formatUnits(deployerBalance, 18),
|
|
quorumPercentage: Number(quorumPercentage),
|
|
currentChainId: Number(currentChainId),
|
|
participantCount: participantCount
|
|
};
|
|
|
|
console.log(`[Blockchain] Данные DLE прочитаны из блокчейна:`, blockchainData);
|
|
|
|
res.json({
|
|
success: true,
|
|
data: blockchainData
|
|
});
|
|
|
|
} catch (error) {
|
|
console.error('[Blockchain] Ошибка при чтении данных DLE из блокчейна:', error);
|
|
res.status(500).json({
|
|
success: false,
|
|
error: 'Ошибка при чтении данных из блокчейна: ' + error.message
|
|
});
|
|
}
|
|
});
|
|
|
|
module.exports = router;
|