Initial Commit

This commit is contained in:
ivan2282
2025-11-15 20:06:40 +03:00
commit 205d11df0d
233 changed files with 52572 additions and 0 deletions

View File

@@ -0,0 +1,754 @@
import 'dart:async';
import 'dart:io';
import 'dart:math';
import 'package:gwid/services/version_checker.dart';
import 'package:flutter/material.dart';
import 'package:device_info_plus/device_info_plus.dart';
import 'package:flutter_timezone/flutter_timezone.dart';
import 'package:shared_preferences/shared_preferences.dart';
import 'package:gwid/api_service.dart';
import 'package:uuid/uuid.dart';
import 'package:gwid/device_presets.dart';
import 'package:gwid/phone_entry_screen.dart';
enum SpoofingMethod { partial, full }
enum PresetCategory { web, device }
class SessionSpoofingScreen extends StatefulWidget {
const SessionSpoofingScreen({super.key});
@override
State<SessionSpoofingScreen> createState() => _SessionSpoofingScreenState();
}
class _SessionSpoofingScreenState extends State<SessionSpoofingScreen> {
final _random = Random();
final _uuid = const Uuid();
final _userAgentController = TextEditingController();
final _deviceNameController = TextEditingController();
final _osVersionController = TextEditingController();
final _screenController = TextEditingController();
final _timezoneController = TextEditingController();
final _localeController = TextEditingController();
final _deviceIdController = TextEditingController();
final _appVersionController = TextEditingController();
String _selectedDeviceType = 'WEB';
SpoofingMethod _selectedMethod = SpoofingMethod.partial;
PresetCategory _selectedCategory = PresetCategory.web;
bool _isCheckingVersion = false;
bool _isLoading = true;
@override
void initState() {
super.initState();
_loadInitialData();
}
Future<void> _loadInitialData() async {
setState(() => _isLoading = true);
final prefs = await SharedPreferences.getInstance();
final isSpoofingEnabled = prefs.getBool('spoofing_enabled') ?? false;
if (isSpoofingEnabled) {
_userAgentController.text = prefs.getString('spoof_useragent') ?? '';
_deviceNameController.text = prefs.getString('spoof_devicename') ?? '';
_osVersionController.text = prefs.getString('spoof_osversion') ?? '';
_screenController.text = prefs.getString('spoof_screen') ?? '';
_timezoneController.text = prefs.getString('spoof_timezone') ?? '';
_localeController.text = prefs.getString('spoof_locale') ?? '';
_deviceIdController.text = prefs.getString('spoof_deviceid') ?? '';
_appVersionController.text =
prefs.getString('spoof_appversion') ?? '25.10.10';
_selectedDeviceType = prefs.getString('spoof_devicetype') ?? 'WEB';
if (_selectedDeviceType == 'WEB') {
_selectedCategory = PresetCategory.web;
} else {
_selectedCategory = PresetCategory.device;
}
} else {
setState(() {
_selectedCategory = PresetCategory.web;
});
await _applyGeneratedData();
}
setState(() => _isLoading = false);
}
Future<void> _loadDeviceData() async {
setState(() => _isLoading = true);
final deviceInfo = DeviceInfoPlugin();
final pixelRatio = View.of(context).devicePixelRatio;
final size = View.of(context).physicalSize;
_appVersionController.text = '25.10.10';
_localeController.text = Platform.localeName.split('_').first;
_screenController.text =
'${size.width.round()}x${size.height.round()} ${pixelRatio.toStringAsFixed(1)}x';
_deviceIdController.text = _uuid.v4();
try {
final timezoneInfo = await FlutterTimezone.getLocalTimezone();
_timezoneController.text = timezoneInfo.identifier;
} catch (e) {
_timezoneController.text = 'Europe/Moscow';
}
if (Platform.isAndroid) {
final androidInfo = await deviceInfo.androidInfo;
_deviceNameController.text =
'${androidInfo.manufacturer} ${androidInfo.model}';
_osVersionController.text = 'Android ${androidInfo.version.release}';
_userAgentController.text =
'Mozilla/5.0 (Linux; Android ${androidInfo.version.release}; ${androidInfo.model}) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/120.0.0.0 Mobile Safari/537.36';
_selectedDeviceType = 'ANDROID';
} else if (Platform.isIOS) {
final iosInfo = await deviceInfo.iosInfo;
_deviceNameController.text = iosInfo.name;
_osVersionController.text =
'${iosInfo.systemName} ${iosInfo.systemVersion}';
_userAgentController.text =
'Mozilla/5.0 (iPhone; CPU iPhone OS ${iosInfo.systemVersion.replaceAll('.', '_')} like Mac OS X) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/17.0 Mobile/15E148 Safari/604.1';
_selectedDeviceType = 'IOS';
} else {
setState(() => _selectedCategory = PresetCategory.device);
await _applyGeneratedData();
}
setState(() {
_selectedCategory = PresetCategory.device;
_isLoading = false;
});
}
Future<void> _applyGeneratedData() async {
final List<DevicePreset> filteredPresets;
if (_selectedCategory == PresetCategory.web) {
filteredPresets = devicePresets
.where((p) => p.deviceType == 'WEB')
.toList();
} else {
filteredPresets = devicePresets
.where((p) => p.deviceType != 'WEB')
.toList();
}
if (filteredPresets.isEmpty) {
if (mounted) {
ScaffoldMessenger.of(context).showSnackBar(
const SnackBar(
content: Text('Нет доступных пресетов для этой категории.'),
),
);
}
return;
}
final preset = filteredPresets[_random.nextInt(filteredPresets.length)];
await _applyPreset(preset);
}
Future<void> _applyPreset(DevicePreset preset) async {
setState(() {
_userAgentController.text = preset.userAgent;
_deviceNameController.text = preset.deviceName;
_osVersionController.text = preset.osVersion;
_screenController.text = preset.screen;
_appVersionController.text = '25.10.10';
_deviceIdController.text = _uuid.v4();
if (_selectedMethod == SpoofingMethod.partial) {
_selectedDeviceType = 'WEB';
} else {
_selectedDeviceType = preset.deviceType;
_timezoneController.text = preset.timezone;
_localeController.text = preset.locale;
}
});
if (_selectedMethod == SpoofingMethod.partial) {
String timezone;
try {
final timezoneInfo = await FlutterTimezone.getLocalTimezone();
timezone = timezoneInfo.identifier;
} catch (_) {
timezone = 'Europe/Moscow';
}
final locale = Platform.localeName.split('_').first;
if (mounted) {
setState(() {
_timezoneController.text = timezone;
_localeController.text = locale;
});
}
}
}
Future<void> _saveSpoofingSettings() async {
if (!mounted) return;
final prefs = await SharedPreferences.getInstance();
final oldValues = {
'user_agent': prefs.getString('spoof_useragent') ?? '',
'device_name': prefs.getString('spoof_devicename') ?? '',
'os_version': prefs.getString('spoof_osversion') ?? '',
'screen': prefs.getString('spoof_screen') ?? '',
'timezone': prefs.getString('spoof_timezone') ?? '',
'locale': prefs.getString('spoof_locale') ?? '',
'device_id': prefs.getString('spoof_deviceid') ?? '',
'device_type': prefs.getString('spoof_devicetype') ?? 'WEB',
};
final newValues = {
'user_agent': _userAgentController.text,
'device_name': _deviceNameController.text,
'os_version': _osVersionController.text,
'screen': _screenController.text,
'timezone': _timezoneController.text,
'locale': _localeController.text,
'device_id': _deviceIdController.text,
'device_type': _selectedDeviceType,
};
final oldAppVersion = prefs.getString('spoof_appversion') ?? '25.10.10';
final newAppVersion = _appVersionController.text;
bool otherDataChanged = false;
for (final key in oldValues.keys) {
if (oldValues[key] != newValues[key]) {
otherDataChanged = true;
break;
}
}
final appVersionChanged = oldAppVersion != newAppVersion;
if (appVersionChanged && !otherDataChanged) {
await _saveAllData(prefs);
if (mounted) {
ScaffoldMessenger.of(context).showSnackBar(
const SnackBar(
content: Text(
'Настройки применятся при следующем входе в приложение.',
),
duration: Duration(seconds: 3),
),
);
Navigator.of(context).pop();
}
}
else {
final confirmed = await showDialog<bool>(
context: context,
builder: (context) => AlertDialog(
title: const Text('Применить настройки?'),
content: const Text(
'Для применения настроек потребуется перезайти в аккаунт. Вы уверены?',
),
actions: [
TextButton(
onPressed: () => Navigator.of(context).pop(false),
child: const Text('Отмена'),
),
FilledButton(
onPressed: () => Navigator.of(context).pop(true),
child: const Text('Применить'),
),
],
),
);
if (confirmed != true || !mounted) return;
await _saveAllData(prefs);
try {
if (mounted) {
Navigator.of(context).pushAndRemoveUntil(
MaterialPageRoute(builder: (context) => const PhoneEntryScreen()),
(route) => false,
);
}
} catch (e) {
if (mounted) {
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text('Ошибка при выходе: $e'),
backgroundColor: Theme.of(context).colorScheme.error,
),
);
}
}
}
}
Future<void> _saveAllData(SharedPreferences prefs) async {
await prefs.setBool('spoofing_enabled', true);
await prefs.setString('spoof_useragent', _userAgentController.text);
await prefs.setString('spoof_devicename', _deviceNameController.text);
await prefs.setString('spoof_osversion', _osVersionController.text);
await prefs.setString('spoof_screen', _screenController.text);
await prefs.setString('spoof_timezone', _timezoneController.text);
await prefs.setString('spoof_locale', _localeController.text);
await prefs.setString('spoof_deviceid', _deviceIdController.text);
await prefs.setString('spoof_devicetype', _selectedDeviceType);
await prefs.setString('spoof_appversion', _appVersionController.text);
}
Future<void> _handleVersionCheck() async {
if (_isCheckingVersion) return;
setState(() => _isCheckingVersion = true);
ScaffoldMessenger.of(context).showSnackBar(
const SnackBar(content: Text('Проверяю последнюю версию...')),
);
try {
final latestVersion = await VersionChecker.getLatestVersion();
if (mounted) {
setState(() => _appVersionController.text = latestVersion);
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text('Найдена версия: $latestVersion'),
backgroundColor: Colors.green.shade700,
),
);
}
} catch (e) {
if (mounted) {
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text(e.toString()), // Показываем ошибку из VersionChecker
backgroundColor: Theme.of(context).colorScheme.error,
),
);
}
} finally {
if (mounted) {
setState(() => _isCheckingVersion = false);
}
}
}
@override
void dispose() {
_userAgentController.dispose();
_deviceNameController.dispose();
_osVersionController.dispose();
_screenController.dispose();
_timezoneController.dispose();
_localeController.dispose();
_deviceIdController.dispose();
_appVersionController.dispose();
super.dispose();
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text('Подмена данных сессии'),
centerTitle: true,
),
body: _isLoading
? const Center(child: CircularProgressIndicator())
: SingleChildScrollView(
padding: const EdgeInsets.fromLTRB(16, 8, 16, 120),
child: Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
children: [
_buildInfoCard(),
const SizedBox(height: 16),
_buildSpoofingMethodCard(),
const SizedBox(height: 16),
_buildPresetTypeCard(),
const SizedBox(height: 24),
_buildMainDataCard(),
const SizedBox(height: 16),
_buildRegionalDataCard(),
const SizedBox(height: 16),
_buildIdentifiersCard(),
],
),
),
floatingActionButtonLocation: FloatingActionButtonLocation.centerFloat,
floatingActionButton: _buildFloatingActionButtons(),
);
}
Widget _buildInfoCard() {
return Card(
color: Theme.of(context).colorScheme.secondaryContainer.withOpacity(0.5),
elevation: 0,
child: Padding(
padding: const EdgeInsets.all(12.0),
child: Text.rich(
TextSpan(
style: TextStyle(
fontSize: 14,
color: Theme.of(context).colorScheme.onSecondaryContainer,
),
children: const [
TextSpan(
text: 'Нажмите ',
style: TextStyle(fontWeight: FontWeight.w500),
),
WidgetSpan(
child: Icon(Icons.touch_app, size: 16),
alignment: PlaceholderAlignment.middle,
),
TextSpan(text: ' "Сгенерировать":\n'),
TextSpan(
text: '• Короткое нажатие: ',
style: TextStyle(fontWeight: FontWeight.bold),
),
TextSpan(text: 'случайный пресет.\n'),
TextSpan(
text: '• Длинное нажатие: ',
style: TextStyle(fontWeight: FontWeight.bold),
),
TextSpan(text: 'реальные данные.'),
],
),
textAlign: TextAlign.center,
),
),
);
}
Widget _buildSpoofingMethodCard() {
final theme = Theme.of(context);
Widget descriptionWidget;
if (_selectedMethod == SpoofingMethod.partial) {
descriptionWidget = _buildDescriptionTile(
icon: Icons.check_circle_outline,
color: Colors.green.shade700,
text:
'Рекомендуемый метод. Используются случайные данные, но ваш реальный часовой пояс и локаль для большей правдоподобности.',
);
} else {
descriptionWidget = _buildDescriptionTile(
icon: Icons.warning_amber_rounded,
color: theme.colorScheme.error,
text:
'Все данные, включая часовой пояс и локаль, генерируются случайно. Использование этого метода на ваш страх и риск!',
);
}
return Card(
child: Padding(
padding: const EdgeInsets.all(16.0),
child: Column(
children: [
Text("Метод подмены", style: theme.textTheme.titleMedium),
const SizedBox(height: 12),
SegmentedButton<SpoofingMethod>(
style: SegmentedButton.styleFrom(shape: const StadiumBorder()),
segments: const [
ButtonSegment(
value: SpoofingMethod.partial,
label: Text('Частичный'),
icon: Icon(Icons.security_outlined),
),
ButtonSegment(
value: SpoofingMethod.full,
label: Text('Полный'),
icon: Icon(Icons.public_outlined),
),
],
selected: {_selectedMethod},
onSelectionChanged: (s) =>
setState(() => _selectedMethod = s.first),
),
const SizedBox(height: 12),
descriptionWidget,
],
),
),
);
}
Widget _buildDescriptionTile({
required IconData icon,
required Color color,
required String text,
}) {
return ListTile(
leading: Icon(icon, color: color),
contentPadding: EdgeInsets.zero,
title: Text(
text,
style: TextStyle(
fontSize: 13,
color: Theme.of(context).colorScheme.onSurfaceVariant,
),
),
);
}
Widget _buildPresetTypeCard() {
return Card(
child: Padding(
padding: const EdgeInsets.all(16.0),
child: Column(
children: [
Text(
"Тип пресетов для генерации",
style: Theme.of(context).textTheme.titleMedium,
),
const SizedBox(height: 12),
SegmentedButton<PresetCategory>(
style: SegmentedButton.styleFrom(shape: const StadiumBorder()),
segments: const <ButtonSegment<PresetCategory>>[
ButtonSegment(
value: PresetCategory.web,
label: Text('Веб'),
icon: Icon(Icons.web_outlined),
),
ButtonSegment(
value: PresetCategory.device,
label: Text('Устройства'),
icon: Icon(Icons.devices_outlined),
),
],
selected: {_selectedCategory},
onSelectionChanged: (newSelection) {
setState(() => _selectedCategory = newSelection.first);
_applyGeneratedData();
},
),
],
),
),
);
}
Widget _buildSectionHeader(BuildContext context, String title) {
return Padding(
padding: const EdgeInsets.only(bottom: 16.0, top: 8.0),
child: Text(
title,
style: Theme.of(context).textTheme.titleLarge?.copyWith(
color: Theme.of(context).colorScheme.primary,
fontWeight: FontWeight.w600,
),
),
);
}
Widget _buildMainDataCard() {
return Card(
child: Padding(
padding: const EdgeInsets.all(16.0),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
_buildSectionHeader(context, "Основные данные"),
TextField(
controller: _userAgentController,
decoration: _inputDecoration('User-Agent', Icons.http_outlined),
maxLines: 3,
minLines: 2,
),
const SizedBox(height: 16),
TextField(
controller: _deviceNameController,
decoration: _inputDecoration(
'Имя устройства',
Icons.smartphone_outlined,
),
),
const SizedBox(height: 16),
TextField(
controller: _osVersionController,
decoration: _inputDecoration('Версия ОС', Icons.layers_outlined),
),
],
),
),
);
}
Widget _buildRegionalDataCard() {
return Card(
child: Padding(
padding: const EdgeInsets.all(16.0),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
_buildSectionHeader(context, "Региональные данные"),
TextField(
controller: _screenController,
decoration: _inputDecoration(
'Разрешение экрана',
Icons.fullscreen_outlined,
),
),
const SizedBox(height: 16),
TextField(
controller: _timezoneController,
enabled: _selectedMethod == SpoofingMethod.full,
decoration: _inputDecoration(
'Часовой пояс',
Icons.public_outlined,
),
),
const SizedBox(height: 16),
TextField(
controller: _localeController,
enabled: _selectedMethod == SpoofingMethod.full,
decoration: _inputDecoration('Локаль', Icons.language_outlined),
),
],
),
),
);
}
Widget _buildIdentifiersCard() {
return Card(
child: Padding(
padding: const EdgeInsets.all(16.0),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
_buildSectionHeader(context, "Идентификаторы"),
TextField(
controller: _deviceIdController,
decoration: _inputDecoration('ID Устройства', Icons.tag_outlined),
),
const SizedBox(height: 16),
TextField(
controller: _appVersionController,
decoration:
_inputDecoration(
'Версия приложения',
Icons.info_outline_rounded,
).copyWith(
suffixIcon: _isCheckingVersion
? const Padding(
padding: EdgeInsets.all(12.0),
child: SizedBox(
height: 24,
width: 24,
child: CircularProgressIndicator(
strokeWidth: 2.5,
),
),
)
: IconButton(
icon: const Icon(Icons.cloud_sync_outlined),
tooltip: 'Проверить последнюю версию',
onPressed:
_handleVersionCheck, // Вот здесь вызывается ваша функция
),
),
),
const SizedBox(height: 16),
DropdownButtonFormField<String>(
value: _selectedDeviceType,
decoration: _inputDecoration(
'Тип устройства',
Icons.devices_other_outlined,
),
items: const [
DropdownMenuItem(value: 'ANDROID', child: Text('ANDROID')),
DropdownMenuItem(value: 'IOS', child: Text('IOS')),
DropdownMenuItem(value: 'DESKTOP', child: Text('DESKTOP')),
DropdownMenuItem(value: 'WEB', child: Text('WEB')),
],
onChanged: (v) =>
v != null ? setState(() => _selectedDeviceType = v) : null,
),
],
),
),
);
}
InputDecoration _inputDecoration(String label, IconData icon) {
return InputDecoration(
labelText: label,
prefixIcon: Icon(icon),
border: OutlineInputBorder(borderRadius: BorderRadius.circular(16)),
filled: true,
fillColor: Theme.of(context).colorScheme.surfaceContainerHighest,
);
}
Widget _buildFloatingActionButtons() {
return Padding(
padding: const EdgeInsets.symmetric(horizontal: 16.0),
child: Row(
children: [
Expanded(
flex: 3,
child: FilledButton.tonal(
onPressed: _applyGeneratedData,
onLongPress: _loadDeviceData,
style: FilledButton.styleFrom(
padding: const EdgeInsets.symmetric(
vertical: 16,
horizontal: 16,
),
shape: const StadiumBorder(),
),
child: const Text('Сгенерировать'),
),
),
const SizedBox(width: 12),
Expanded(
flex: 4,
child: FilledButton(
onPressed: _saveSpoofingSettings,
style: FilledButton.styleFrom(
padding: const EdgeInsets.symmetric(
vertical: 16,
horizontal: 16,
),
shape: const StadiumBorder(),
),
child: const Row(
mainAxisAlignment: MainAxisAlignment.center,
children: [
Icon(Icons.save_alt_outlined),
SizedBox(width: 8),
Text('Применить'),
],
),
),
),
],
),
);
}
}