name: readaloud
description: "ReadAloud"
publish_to: 'none'
version: 2.2.5+26
environment:
sdk: ^3.9.2
dependencies:
flutter:
sdk: flutter
flutter_localizations: #flutter gen-l10n
sdk: flutter
cupertino_icons: ^1.0.8
intl: ^0.20.2
provider: ^6.1.2
shared_preferences: ^2.3.2
path: ^1.9.0
path_provider: ^2.1.5
audioplayers: ^6.5.1
share_plus: ^12.0.1
flutter_tts: ^4.0.2
google_mobile_ads: ^6.0.0
dev_dependencies:
flutter_test:
sdk: flutter
flutter_lints: ^6.0.0
flutter_launcher_icons: ^0.14.3 #flutter pub run flutter_launcher_icons
flutter_native_splash: ^2.3.6 #flutter pub run flutter_native_splash:create
flutter_icons:
android: "launcher_icon"
ios: true
image_path: "assets/icon/icon.png"
adaptive_icon_background: "assets/icon/icon_back.png"
adaptive_icon_foreground: "assets/icon/icon_fore.png"
flutter_native_splash:
color: '#9da9f5'
image: 'assets/image/splash.png'
color_dark: '#9da9f5'
image_dark: 'assets/image/splash.png'
fullscreen: true
android_12:
icon_background_color: '#9da9f5'
image: 'assets/image/splash.png'
icon_background_color_dark: '#9da9f5'
image_dark: 'assets/image/splash.png'
flutter:
uses-material-design: true
generate: true
assets:
- assets/image/
dependency_overrides:
flutter_tts:
path: plugins/flutter_tts
import 'package:flutter/cupertino.dart';
import 'package:google_mobile_ads/google_mobile_ads.dart';
import 'package:readaloud/ad_manager.dart';
class AdBannerWidget extends StatefulWidget {
final AdManager adManager;
const AdBannerWidget({super.key, required this.adManager});
@override
State<AdBannerWidget> createState() => _AdBannerWidgetState();
}
class _AdBannerWidgetState extends State<AdBannerWidget> {
int _lastBannerWidthDp = 0;
bool _isAdLoaded = false;
bool _isLoading = false;
@override
Widget build(BuildContext context) {
return SafeArea(
child: LayoutBuilder(
builder: (context, constraints) {
final int width = constraints.maxWidth.isFinite ? constraints.maxWidth.truncate() : MediaQuery.of(context).size.width.truncate();
final bannerAd = widget.adManager.bannerAd;
if (width > 0) {
WidgetsBinding.instance.addPostFrameCallback((_) {
if (mounted) {
final bannerAd = widget.adManager.bannerAd;
final bool widthChanged = _lastBannerWidthDp != width;
final bool sizeMismatch = bannerAd == null || bannerAd.size.width != width;
if ((widthChanged || !_isAdLoaded || sizeMismatch) && !_isLoading) {
_lastBannerWidthDp = width;
setState(() { _isAdLoaded = false; _isLoading = true; });
widget.adManager.loadAdaptiveBannerAd(width, () {
if (mounted) {
setState(() { _isAdLoaded = true; _isLoading = false; });
}
});
}
}
});
}
if (_isAdLoaded && bannerAd != null) {
return Column(
mainAxisSize: MainAxisSize.min,
children: [
SizedBox(height: 10),
Row(
mainAxisAlignment: MainAxisAlignment.center,
children: [
SizedBox(
width: bannerAd.size.width.toDouble(),
height: bannerAd.size.height.toDouble(),
child: AdWidget(ad: bannerAd),
),
],
)
]
);
} else {
return const SizedBox.shrink();
}
},
),
);
}
}
/*
* mainへの記述
* void main() async {
* WidgetsFlutterBinding.ensureInitialized();
* if (!kIsWeb) {
* //AdMob初期化
* MobileAds.instance.initialize();
* //NPAポリシーの集中設定(将来拡張もここで) 現時点は使用していないので記述しなくても良い
* await AdManager.initForNPA();
* }
* runApp(const MyApp());
* }
*/
import 'dart:async';
import 'dart:io' show Platform;
import 'dart:ui';
import 'package:flutter/foundation.dart' show kIsWeb;
import 'package:google_mobile_ads/google_mobile_ads.dart';
class AdManager {
//Test IDs
//static const String _androidAdUnitId = "ca-app-pub-3940256099942544/6300978111";
//static const String _iosAdUnitId = "ca-app-pub-3940256099942544/2934735716";
//Production IDs
static const String _androidAdUnitId = "ca-app-pub-0/0";
static const String _iosAdUnitId = "ca-app-pub-0/0";
static String get _adUnitId => Platform.isIOS ? _iosAdUnitId : _androidAdUnitId;
BannerAd? _bannerAd;
int _lastWidthPx = 0;
VoidCallback? _onLoadedCb;
Timer? _retryTimer;
int _retryAttempt = 0;
BannerAd? get bannerAd => _bannerAd;
//(任意)アプリ起動時などに呼ぶ。将来のCMP/NPA関連設定を集中管理。
static Future<void> initForNPA() async {
if (kIsWeb) {
return;
}
//ここでグローバルなRequestConfigurationを設定しておく(必要に応じて拡張)
await MobileAds.instance.updateRequestConfiguration(
RequestConfiguration(
//例:最大コンテンツレーティング等を付けたい場合はここに追加
//maxAdContentRating: MaxAdContentRating.g, //例
//tagForChildDirectedTreatment: TagForChildDirectedTreatment.unspecified,
//tagForUnderAgeOfConsent: TagForUnderAgeOfConsent.unspecified,
),
);
}
Future<void> loadAdaptiveBannerAd(
int widthPx,
VoidCallback onAdLoaded,
) async {
if (kIsWeb) {
return;
}
_onLoadedCb = onAdLoaded;
_lastWidthPx = widthPx;
_retryAttempt = 0;
_retryTimer?.cancel();
_startLoad(widthPx);
}
Future<void> _startLoad(int widthPx) async {
if (kIsWeb) {
return;
}
_bannerAd?.dispose();
AnchoredAdaptiveBannerAdSize? adaptiveSize;
try {
adaptiveSize =
await AdSize.getCurrentOrientationAnchoredAdaptiveBannerAdSize(
widthPx,
);
} catch (_) {
adaptiveSize = null;
}
final AdSize size = adaptiveSize ?? AdSize.fullBanner;
//常にNPAで配信(CMP対応)
const adRequest = AdRequest(
nonPersonalizedAds: true, //NPA Non-Personalized Ads(非パーソナライズ広告)指定
);
_bannerAd = BannerAd(
adUnitId: _adUnitId,
request: adRequest,
size: size,
listener: BannerAdListener(
onAdLoaded: (ad) {
_retryTimer?.cancel();
_retryAttempt = 0;
final cb = _onLoadedCb;
if (cb != null) {
cb();
}
},
onAdFailedToLoad: (ad, err) {
ad.dispose();
_scheduleRetry();
},
),
)..load();
}
void _scheduleRetry() {
if (kIsWeb) {
return;
}
_retryTimer?.cancel();
// Exponential backoff: 3s, 6s, 12s, max 30s
_retryAttempt = (_retryAttempt + 1).clamp(1, 5);
final seconds = _retryAttempt >= 4 ? 30 : (3 << (_retryAttempt - 1));
_retryTimer = Timer(Duration(seconds: seconds), () {
_startLoad(_lastWidthPx > 0 ? _lastWidthPx : 320);
});
}
void dispose() {
_bannerAd?.dispose();
_retryTimer?.cancel();
}
}
/*
広告配信について
本アプリでは、Google AdMob を利用して広告を表示しています。
当アプリの広告はすべて「非パーソナライズ広告(NPA)」として配信しており、ユーザーの行動履歴や個人情報をもとにしたパーソナライズは一切行っていません。
Google AdMob によって、広告の表示のために以下の情報が利用される場合があります:
- 端末情報(例:OSの種類、画面サイズなど)
- おおまかな位置情報(国・地域レベル)
これらの情報は、パーソナライズを目的としたトラッキングやプロファイリングには使用されません。
詳しくは、Google のプライバシーポリシーをご覧ください:
https://policies.google.com/privacy
Advertising
This app uses Google AdMob to display advertisements.
All ads in this app are served as non-personalized ads (NPA).
This means that we do not use personal data or user behavior information to personalize the ads you see.
Google AdMob may use certain information in order to display ads properly, such as:
- Device information (e.g., OS type, screen size)
- Approximate location information (country/region level)
This information is not used for tracking or profiling for advertising purposes.
For more details, please refer to Google Privacy Policy:
https://policies.google.com/privacy
*/
/*
CMP(Consent Management Platform)「同意管理プラットフォーム」
UMP とは、Google AdMobでGDPRの同意を取得するために使用されるライブラリ User Messaging Platform (UMP) SDK
ad_manager.dart で NPA Non-Personalized Ads(非パーソナライズ広告)指定 している。
必要な変数
late final UmpConsentController _adUmp;
AdUmpState _adUmpState = AdUmpState.initial;
@override
void initState() {
super.initState();
_adUmp = UmpConsentController();
_refreshConsentInfo();
}
必要な関数
Future<void> _refreshConsentInfo() async {
_adUmpState = await _adUmp.updateConsentInfo(current: _adUmpState);
if (mounted) {
setState(() {});
}
}
Future<void> _onTapPrivacyOptions() async {
final err = await _adUmp.showPrivacyOptions();
await _refreshConsentInfo();
if (err != null && mounted) {
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(content: Text('プライバシー設定画面を表示できませんでした: ${err.message}')),
);
}
}
*/
import 'dart:async';
import 'package:flutter/foundation.dart' show kIsWeb;
import 'package:google_mobile_ads/google_mobile_ads.dart';
import 'package:flutter/widgets.dart';
import 'package:readaloud/l10n/app_localizations.dart';
/// UMP状態格納用
class AdUmpState {
final PrivacyOptionsRequirementStatus privacyStatus;
final ConsentStatus consentStatus;
final bool privacyOptionsRequired;
final bool isChecking;
const AdUmpState({
required this.privacyStatus,
required this.consentStatus,
required this.privacyOptionsRequired,
required this.isChecking,
});
AdUmpState copyWith({
PrivacyOptionsRequirementStatus? privacyStatus,
ConsentStatus? consentStatus,
bool? privacyOptionsRequired,
bool? isChecking,
}) {
return AdUmpState(
privacyStatus: privacyStatus ?? this.privacyStatus,
consentStatus: consentStatus ?? this.consentStatus,
privacyOptionsRequired:
privacyOptionsRequired ?? this.privacyOptionsRequired,
isChecking: isChecking ?? this.isChecking,
);
}
static const initial = AdUmpState(
privacyStatus: PrivacyOptionsRequirementStatus.unknown,
consentStatus: ConsentStatus.unknown,
privacyOptionsRequired: false,
isChecking: false,
);
}
//UMPコントローラ
class UmpConsentController {
//デバッグ用:EEA地域を強制するか(本番ではfalseにすること)
final bool forceEeaForDebug = false;
//埋め込みのテストデバイスID
static const List<String> _testDeviceIds = [
'608970392F100B87D62A1174996C952C', //arrows We2 (M07)
];
ConsentRequestParameters _buildParams() {
if (forceEeaForDebug && _testDeviceIds.isNotEmpty) {
return ConsentRequestParameters(
consentDebugSettings: ConsentDebugSettings(
debugGeography: DebugGeography.debugGeographyEea,
testIdentifiers: _testDeviceIds,
),
);
}
return ConsentRequestParameters();
}
//同意情報を更新して状態を返す
Future<AdUmpState> updateConsentInfo({AdUmpState current = AdUmpState.initial}) async {
if (kIsWeb) return current;
var state = current.copyWith(isChecking: true);
try {
final params = _buildParams();
final completer = Completer<AdUmpState>();
ConsentInformation.instance.requestConsentInfoUpdate(
params,
() async {
final s = await ConsentInformation.instance.getPrivacyOptionsRequirementStatus();
final c = await ConsentInformation.instance.getConsentStatus();
completer.complete(
state.copyWith(
privacyStatus: s,
consentStatus: c,
privacyOptionsRequired: s == PrivacyOptionsRequirementStatus.required,
isChecking: false,
),
);
},
(FormError e) {
completer.complete(
state.copyWith(
privacyStatus: PrivacyOptionsRequirementStatus.unknown,
consentStatus: ConsentStatus.unknown,
privacyOptionsRequired: false,
isChecking: false,
),
);
},
);
state = await completer.future;
return state;
} catch (_) {
return state.copyWith(isChecking: false);
}
}
//プライバシーオプションフォームを表示
Future<FormError?> showPrivacyOptions() async {
if (kIsWeb) return null;
final completer = Completer<FormError?>();
ConsentForm.showPrivacyOptionsForm((FormError? e) {
completer.complete(e);
});
return completer.future;
}
}
extension ConsentStatusL10n on ConsentStatus {
String localized(BuildContext context) {
final l = AppLocalizations.of(context);
switch (this) {
case ConsentStatus.obtained:
return l.cmpConsentStatusObtained;
case ConsentStatus.required:
return l.cmpConsentStatusRequired;
case ConsentStatus.notRequired:
return l.cmpConsentStatusNotRequired;
case ConsentStatus.unknown:
return l.cmpConsentStatusUnknown;
}
}
}
import "package:flutter/material.dart";
import "package:shared_preferences/shared_preferences.dart";
class AppSettings extends ChangeNotifier {
AppSettings(this._prefs);
static const _themeKey = "themeNumber";
static const _localeKey = "localeLanguage";
final SharedPreferences _prefs;
ThemeMode _themeMode = ThemeMode.light;
Locale? _locale;
ThemeMode get themeMode => _themeMode;
Locale? get locale => _locale;
bool get isDarkTheme => _themeMode == ThemeMode.dark;
Future<void> load() async {
final themeNumber = _prefs.getInt(_themeKey);
switch (themeNumber) {
case 1:
_themeMode = ThemeMode.dark;
break;
case 2:
_themeMode = ThemeMode.system;
break;
default:
_themeMode = ThemeMode.light;
break;
}
final localeCode = _prefs.getString(_localeKey) ?? "";
_locale = localeCode.isNotEmpty ? Locale(localeCode) : null;
}
void setThemeMode(ThemeMode mode) {
if (_themeMode == mode) {
return;
}
_themeMode = mode;
final value = switch (mode) {
ThemeMode.dark => 1,
ThemeMode.system => 2,
_ => 0,
};
_prefs.setInt(_themeKey, value);
notifyListeners();
}
void setDarkTheme(bool isDark) =>
setThemeMode(isDark ? ThemeMode.dark : ThemeMode.light);
void setLocaleCode(String? code) {
final normalized = code?.trim() ?? "";
final newLocale = normalized.isEmpty ? null : Locale(normalized);
if (_locale == newLocale) {
return;
}
_locale = newLocale;
if (normalized.isEmpty) {
_prefs.remove(_localeKey);
} else {
_prefs.setString(_localeKey, normalized);
}
notifyListeners();
}
void useSystemLocale() => setLocaleCode(null);
}
import "package:flutter/material.dart";
import "package:provider/provider.dart";
import "package:readaloud/l10n/app_localizations.dart";
import "package:readaloud/ad_manager.dart";
import "package:readaloud/ad_banner_widget.dart";
import "package:readaloud/parse_locale_tag.dart";
import "package:readaloud/setting_page.dart";
import "package:readaloud/speech_controller.dart";
import "package:readaloud/recording_manager.dart";
import "package:readaloud/recordings_page.dart";
import "package:readaloud/text_tabs_controller.dart";
import "package:readaloud/theme_color.dart";
import "package:readaloud/loading_screen.dart";
import "package:readaloud/model.dart";
import "package:readaloud/theme_mode_number.dart";
import "package:readaloud/main.dart";
class HomePage extends StatefulWidget {
const HomePage({super.key});
@override
State<HomePage> createState() => _HomePageState();
}
class _HomePageState extends State<HomePage> with WidgetsBindingObserver {
late AdManager _adManager;
late final TextEditingController _textController;
late final FocusNode _textFocusNode;
bool _applyingExternalText = false;
int? _lastActiveTab;
int _lastSpeechEventToken = 0;
String _statusMessage = '';
//
late ThemeColor _themeColor;
bool _isReady = false;
bool _isFirst = true;
@override
void initState() {
super.initState();
_initState();
}
void _initState() async {
_adManager = AdManager();
WidgetsBinding.instance.addObserver(this);
_textController = TextEditingController();
_textFocusNode = FocusNode();
_textController.addListener(_handleTextChanged);
if (mounted) {
setState(() {
_isReady = true;
});
}
}
@override
void dispose() {
_adManager.dispose();
WidgetsBinding.instance.removeObserver(this);
_textController.removeListener(_handleTextChanged);
_textController.dispose();
_textFocusNode.dispose();
super.dispose();
}
@override
void didChangeAppLifecycleState(AppLifecycleState state) {
if (!mounted) {
return;
}
if (state == AppLifecycleState.paused) {
final textTabs = context.read<TextTabsController>();
textTabs.updateActiveText(_textController.text);
textTabs.persistAll();
context.read<SpeechController>().stop();
}
}
void _handleTextChanged() {
if (_applyingExternalText) {
return;
}
context.read<TextTabsController>().updateActiveText(_textController.text);
}
void _applyExternalText(String text) {
_applyingExternalText = true;
_textController.value = TextEditingValue(
text: text,
selection: TextSelection.collapsed(offset: text.length),
);
_applyingExternalText = false;
}
void _onTabSelected(int index) {
final textTabs = context.read<TextTabsController>();
final updatedText = textTabs.switchTo(
index,
currentText: _textController.text,
);
_applyExternalText(updatedText);
}
Future<void> _onPlay() async {
_textFocusNode.unfocus();
await context.read<SpeechController>().speak(_textController.text);
}
Future<void> _onRecord() async {
final l = AppLocalizations.of(context);
final trimmed = _textController.text.trim();
if (trimmed.isEmpty) {
setState(() {
_statusMessage = l.recordingEmpty;
});
return;
}
_textFocusNode.unfocus();
final recordingManager = context.read<RecordingManager>();
final speechController = context.read<SpeechController>();
final messenger = ScaffoldMessenger.of(context);
final filePath = await recordingManager.createFilePath();
var hasRecording = false;
try {
final file = await speechController.speakWithRecording(
_textController.text,
filePath,
);
hasRecording = file != null;
} catch (_) {
hasRecording = false;
}
if (!mounted) {
return;
}
if (hasRecording) {
await recordingManager.refreshRecordings();
messenger.clearSnackBars();
messenger.showSnackBar(SnackBar(content: Text(l.recordingSaved)));
} else {
setState(() {
_statusMessage = l.recordingFailed;
});
}
}
Future<void> _onStop() async {
await context.read<SpeechController>().stop();
}
void _onClickSetting() async {
final updatedSettings = await Navigator.push(
context,
MaterialPageRoute(builder: (context) => const SettingPage()),
);
if (updatedSettings != null) {
if (mounted) {
final mainState = context.findAncestorStateOfType<MainAppState>();
if (mainState != null) {
//MyAppStateに反映する
mainState
..locale = parseLocaleTag(Model.languageCode)
..themeMode = ThemeModeNumber.numberToThemeMode(Model.themeNumber)
..setState(() {});
setState(() {
_isFirst = true; //再度テーマ更新
});
}
}
}
}
Future<void> _onOpenRecordings() async {
await Navigator.push(
context,
MaterialPageRoute(builder: (context) => const RecordingsPage()),
);
}
void _showSpeechEvent(SpeechEvent event, AppLocalizations l) {
if (!mounted) {
return;
}
String message;
switch (event.type) {
case SpeechEventType.beginSynthesis:
message = l.ttsBeginSynthesis;
break;
case SpeechEventType.audioAvailable:
message = l.ttsAudioAvailable;
break;
case SpeechEventType.start:
message = l.ttsStart;
break;
case SpeechEventType.done:
message = l.ttsDone;
break;
case SpeechEventType.stop:
message = l.ttsStop;
break;
case SpeechEventType.error:
message = l.ttsError;
if (event.errorMessage != null && event.errorMessage!.isNotEmpty) {
message = '$message: ${event.errorMessage}';
}
break;
}
setState(() {
_statusMessage = message;
});
}
@override
Widget build(BuildContext context) {
if (!_isReady) {
return Scaffold(body: LoadingScreen());
}
if (_isFirst) {
_isFirst = false;
_themeColor = ThemeColor(
themeNumber: Model.themeNumber,
context: context,
);
}
final l = AppLocalizations.of(context);
final textTabs = context.watch<TextTabsController>();
final speechController = context.watch<SpeechController>();
final activeIndex = textTabs.activeIndex;
if (_lastActiveTab != activeIndex) {
_applyExternalText(textTabs.activeText);
_lastActiveTab = activeIndex;
}
if (_lastSpeechEventToken != speechController.eventToken &&
speechController.lastEvent != null) {
_lastSpeechEventToken = speechController.eventToken;
WidgetsBinding.instance.addPostFrameCallback((_) {
_showSpeechEvent(speechController.lastEvent!, l);
});
}
final tabLabels = ["1", "2", "3", "4", "5", "6", "7", "8", "9"];
final isSpeaking = speechController.isSpeaking;
return Scaffold(
backgroundColor: _themeColor.mainBackColor,
body: SafeArea(
child: GestureDetector(
onTap: () => _textFocusNode.unfocus(),
behavior: HitTestBehavior.opaque,
child: Column(
children: [
_TabSelector(
labels: tabLabels,
activeIndex: activeIndex,
onSelected: _onTabSelected,
onOpenRecordings: _onOpenRecordings,
onSettings: _onClickSetting,
recordingsTooltip: l.recordings,
settingsTooltip: l.setting,
themeColor: _themeColor,
),
Expanded(
child: SingleChildScrollView(
padding: const EdgeInsets.only(
left: 8,
right: 8,
bottom: 100,
),
child: Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
children: [
_buildCardTextField(),
_buildCardVoice(speechController),
_buildCardVocalization(isSpeaking),
_buildCardStatus(),
],
),
),
),
],
),
),
),
bottomNavigationBar: AdBannerWidget(adManager: _adManager),
);
}
Widget _buildVoice(SpeechController speechController) {
final l = AppLocalizations.of(context);
final theme = Theme.of(context);
final voiceOptions = speechController.voices;
final selectedVoiceId = speechController.selectedVoice?.id;
return Column(
children: [
Align(
alignment: Alignment.centerLeft,
child: Text(
l.voice,
style: theme.textTheme.titleMedium?.copyWith(
color: _themeColor.mainForeColor,
),
),
),
Padding(
padding: const EdgeInsets.symmetric(horizontal: 16),
child: InputDecorator(
decoration: InputDecoration(
border: UnderlineInputBorder(
borderSide: BorderSide(color: theme.colorScheme.outlineVariant),
),
enabledBorder: UnderlineInputBorder(
borderSide: BorderSide(color: theme.colorScheme.outlineVariant),
),
focusedBorder: UnderlineInputBorder(
borderSide: BorderSide(
color: theme.colorScheme.primary,
width: 2,
),
),
),
child: DropdownButtonHideUnderline(
child: DropdownButton<String>(
isExpanded: true,
value: voiceOptions.isEmpty ? null : selectedVoiceId,
hint: Text(l.voice),
items: voiceOptions
.map(
(voice) => DropdownMenuItem<String>(
value: voice.id,
child: Text(
voice.displayLabel,
style: TextStyle(color: _themeColor.mainForeColor),
),
),
)
.toList(),
onChanged: voiceOptions.isEmpty
? null
: (value) =>
context.read<SpeechController>().selectVoice(value),
dropdownColor: _themeColor.mainDropdownColor,
),
),
),
),
],
);
}
Widget _buildCardTextField() {
return Card(
color: _themeColor.mainCardColor,
elevation: 0,
shadowColor: Colors.transparent,
surfaceTintColor: Colors.transparent,
child: Padding(
padding: const EdgeInsets.all(16),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
TextField(
controller: _textController,
focusNode: _textFocusNode,
minLines: 4,
maxLines: null,
decoration: const InputDecoration(border: OutlineInputBorder()),
textInputAction: TextInputAction.newline,
style: TextStyle(color: _themeColor.mainForeColor),
),
],
),
),
);
}
Widget _buildCardVoice(SpeechController speechController) {
final l = AppLocalizations.of(context);
final baseRate = speechController.baseRate;
final minRate = speechController.minRate;
final maxRate = speechController.maxRate;
final minPitch = speechController.minPitch;
final maxPitch = speechController.maxPitch;
final normalizedBaseRate = baseRate <= 0 ? 1.0 : baseRate;
return Card(
color: _themeColor.mainCardColor,
elevation: 0,
shadowColor: Colors.transparent,
surfaceTintColor: Colors.transparent,
child: Padding(
padding: EdgeInsets.only(left: 16, right: 16, top: 8, bottom: 0),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
_buildVoice(speechController),
const SizedBox(height: 16),
_SliderRow(
label: l.speed,
valueLabel:
'${(speechController.speed / normalizedBaseRate * 100).round()}%',
value: speechController.speed / normalizedBaseRate,
min: minRate / normalizedBaseRate,
max: maxRate / normalizedBaseRate,
onChanged: (normalized) => context
.read<SpeechController>()
.setSpeed(normalized * normalizedBaseRate),
themeColor: _themeColor,
),
const SizedBox(height: 12),
_SliderRow(
label: l.pitch,
valueLabel: '${(speechController.pitch * 100).round()}%',
value: speechController.pitch,
min: minPitch,
max: maxPitch,
onChanged: context.read<SpeechController>().setPitch,
themeColor: _themeColor,
),
],
),
),
);
}
Widget _buildCardVocalization(bool isSpeaking) {
final l = AppLocalizations.of(context);
final colorScheme = Theme.of(context).colorScheme;
return Card(
color: _themeColor.mainCardColor,
elevation: 0,
shadowColor: Colors.transparent,
surfaceTintColor: Colors.transparent,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 8),
child: Row(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Expanded(
child: FilledButton(
onPressed: isSpeaking ? null : _onPlay,
style: ButtonStyle(
shape: WidgetStateProperty.all(
RoundedRectangleBorder(
borderRadius: BorderRadius.circular(10),
),
),
),
child: Text(l.play),
),
),
const SizedBox(width: 12),
Expanded(
child: FilledButton(
onPressed: isSpeaking ? _onStop : null,
style: ButtonStyle(
shape: WidgetStateProperty.all(
RoundedRectangleBorder(
borderRadius: BorderRadius.circular(10),
),
),
),
child: Text(l.stop),
),
),
const SizedBox(width: 12),
Expanded(
child: FilledButton(
onPressed: isSpeaking ? null : _onRecord,
style: ButtonStyle(
shape: WidgetStateProperty.all(
RoundedRectangleBorder(
borderRadius: BorderRadius.circular(10),
),
),
backgroundColor: WidgetStateProperty.resolveWith(
(states) => states.contains(WidgetState.disabled)
? colorScheme.errorContainer
: colorScheme.error,
),
foregroundColor: WidgetStateProperty.resolveWith(
(states) => states.contains(WidgetState.disabled)
? colorScheme.onErrorContainer
: colorScheme.onError,
),
),
child: Text(l.record),
),
),
],
),
),
);
}
Widget _buildCardStatus() {
final textStyle = Theme.of(context,
).textTheme.bodySmall?.copyWith(color: _themeColor.mainForeColor);
return Card(
color: _themeColor.mainCardColor,
elevation: 0,
shadowColor: Colors.transparent,
surfaceTintColor: Colors.transparent,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 8),
child: Row(
crossAxisAlignment: CrossAxisAlignment.start,
children: [Expanded(child: Text(_statusMessage, style: textStyle))],
),
),
);
}
}
class _TabSelector extends StatelessWidget {
const _TabSelector({
required this.labels,
required this.activeIndex,
required this.onSelected,
required this.onOpenRecordings,
required this.onSettings,
required this.recordingsTooltip,
required this.settingsTooltip,
required this.themeColor,
});
final List<String> labels;
final int activeIndex;
final ValueChanged<int> onSelected;
final VoidCallback onOpenRecordings;
final VoidCallback onSettings;
final String recordingsTooltip;
final String settingsTooltip;
final ThemeColor themeColor;
@override
Widget build(BuildContext context) {
final colorScheme = Theme.of(context).colorScheme;
final baseStyle = ElevatedButton.styleFrom(
padding: const EdgeInsets.symmetric(vertical: 16),
shape: const RoundedRectangleBorder(borderRadius: BorderRadius.zero),
elevation: 0,
);
Widget buildTabButton(int index) {
final selected = index == activeIndex;
return Expanded(
child: Padding(
padding: const EdgeInsets.all(2),
child: ElevatedButton(
onPressed: () => onSelected(index),
style: baseStyle.copyWith(
backgroundColor: WidgetStatePropertyAll(
selected ? colorScheme.primary : themeColor.mainCardColor,
),
foregroundColor: WidgetStatePropertyAll(
selected ? Colors.white : Colors.grey[500],
),
shape: WidgetStatePropertyAll(
RoundedRectangleBorder(borderRadius: BorderRadius.circular(30)),
),
),
child: Text(labels[index]),
),
),
);
}
Widget buildRecordingsButton() {
return Expanded(
child: Padding(
padding: const EdgeInsets.all(2),
child: Tooltip(
message: recordingsTooltip,
child: ElevatedButton(
onPressed: onOpenRecordings,
style: baseStyle.copyWith(
backgroundColor: WidgetStatePropertyAll(themeColor.mainCardColor),
foregroundColor: WidgetStatePropertyAll(Colors.grey[500]),
shape: WidgetStatePropertyAll(
RoundedRectangleBorder(borderRadius: BorderRadius.circular(30)),
),
),
child: const Icon(Icons.list),
),
),
),
);
}
Widget buildSettingsButton() {
return Expanded(
child: Padding(
padding: const EdgeInsets.all(2),
child: Tooltip(
message: settingsTooltip,
child: ElevatedButton(
onPressed: onSettings,
style: baseStyle.copyWith(
backgroundColor: WidgetStatePropertyAll(themeColor.mainCardColor),
foregroundColor: WidgetStatePropertyAll(Colors.grey[500]),
shape: WidgetStatePropertyAll(
RoundedRectangleBorder(borderRadius: BorderRadius.circular(30)),
),
),
child: const Icon(Icons.settings),
),
),
),
);
}
Widget buildDummyButton() {
return Expanded(
child: Padding(
padding: const EdgeInsets.all(2),
child: ElevatedButton(
onPressed: null,
style: baseStyle.copyWith(
backgroundColor: WidgetStatePropertyAll(themeColor.mainCardColor),
shape: WidgetStatePropertyAll(
RoundedRectangleBorder(borderRadius: BorderRadius.circular(30)),
),
),
child: const SizedBox(height:18),
),
),
);
}
return Container(
decoration: BoxDecoration(color: Colors.transparent),
padding: const EdgeInsets.only(left: 10, right: 10, bottom: 4),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Row(children: [for (var i = 0; i < 6; i++) buildTabButton(i)]),
Row(
children: [
for (var i = 6; i < 9; i++) buildTabButton(i),
buildDummyButton(),
buildRecordingsButton(),
buildSettingsButton(),
],
),
],
),
);
}
}
class _SliderRow extends StatelessWidget {
const _SliderRow({
required this.label,
required this.valueLabel,
required this.value,
required this.min,
required this.max,
required this.onChanged,
required this.themeColor,
});
final String label;
final String valueLabel;
final double value;
final double min;
final double max;
final ValueChanged<double> onChanged;
final ThemeColor themeColor;
@override
Widget build(BuildContext context) {
final clampedValue = value.clamp(min, max).toDouble();
return Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Row(
children: [
Expanded(
child: Text(
label,
style: Theme.of(context).textTheme.bodyLarge?.copyWith(
color: themeColor.mainForeColor,
),
),
),
Text(
valueLabel,
style: Theme.of(
context,
).textTheme.bodyLarge?.copyWith(color: themeColor.mainForeColor),
),
],
),
Slider(
min: min,
max: max,
divisions: ((max - min) / 0.1).round(),
label: "${(clampedValue * 100).toInt()}%",
value: clampedValue,
onChanged: onChanged,
),
],
);
}
}
import 'package:flutter/material.dart';
class LoadingScreen extends StatelessWidget {
const LoadingScreen({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
backgroundColor: Colors.blueGrey,
body: const Center(
child: CircularProgressIndicator(
valueColor: AlwaysStoppedAnimation<Color>(Colors.grey),
backgroundColor: Colors.white,
),
),
);
}
}
import 'package:flutter/material.dart';
import 'package:flutter/services.dart';
import 'package:google_mobile_ads/google_mobile_ads.dart';
import 'package:provider/provider.dart';
import 'package:shared_preferences/shared_preferences.dart';
import "package:readaloud/home_page.dart";
import 'package:readaloud/l10n/app_localizations.dart';
import 'package:readaloud/loading_screen.dart';
import 'package:readaloud/model.dart';
import 'package:readaloud/parse_locale_tag.dart';
import 'package:readaloud/speech_controller.dart';
import 'package:readaloud/recording_manager.dart';
import 'package:readaloud/text_tabs_controller.dart';
import 'package:readaloud/theme_mode_number.dart';
void main() {
WidgetsFlutterBinding.ensureInitialized();
SystemChrome.setEnabledSystemUIMode(SystemUiMode.edgeToEdge);
SystemChrome.setSystemUIOverlayStyle(
const SystemUiOverlayStyle(
statusBarColor: Colors.transparent,
systemNavigationBarColor: Colors.transparent,
),
);
MobileAds.instance.initialize();
runApp(const MainApp());
}
class MainApp extends StatefulWidget {
const MainApp({super.key});
@override
State<MainApp> createState() => MainAppState();
}
class MainAppState extends State<MainApp> {
ThemeMode themeMode = ThemeMode.light;
Locale? locale;
bool _isReady = false;
TextTabsController? _textTabsController;
SpeechController? _speechController;
@override
void initState() {
super.initState();
_initState();
}
void _initState() async {
await Model.ensureReady();
final prefs = await SharedPreferences.getInstance();
_textTabsController = TextTabsController(prefs);
_speechController = SpeechController(prefs);
await Future.wait([_textTabsController!.load(), _speechController!.init()]);
themeMode = ThemeModeNumber.numberToThemeMode(Model.themeNumber);
locale = parseLocaleTag(Model.languageCode);
if (!mounted) {
return;
}
setState(() {
_isReady = true;
});
}
@override
void dispose() {
_textTabsController?.dispose();
_speechController?.dispose();
super.dispose();
}
@override
Widget build(BuildContext context) {
if (!_isReady) {
return MaterialApp(
debugShowCheckedModeBanner: false,
home: Scaffold(body: Center(child: LoadingScreen())),
);
}
const seed = Colors.blueAccent;
return MultiProvider(
providers: [
ChangeNotifierProvider<RecordingManager>(
create: (_) => RecordingManager(),
),
ChangeNotifierProvider<TextTabsController>.value(
value: _textTabsController!,
),
ChangeNotifierProvider<SpeechController>.value(
value: _speechController!,
),
],
child: MaterialApp(
debugShowCheckedModeBanner: false,
localizationsDelegates: AppLocalizations.localizationsDelegates,
supportedLocales: AppLocalizations.supportedLocales,
locale: locale,
themeMode: themeMode,
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: seed),
useMaterial3: true,
),
darkTheme: ThemeData(
colorScheme: ColorScheme.fromSeed(
seedColor: seed,
brightness: Brightness.dark,
),
useMaterial3: true,
),
home: const HomePage(),
),
);
}
}
///
/// @author akira ohmachi
/// @copyright ao-system, Inc.
/// @date 2023-10-26
///
library;
import 'package:shared_preferences/shared_preferences.dart';
class Model {
Model._();
static const String _prefThemeNumber = 'themeNumber';
static const String _prefLanguageCode = 'languageCode';
static bool _ready = false;
static String _languageCode = '';
static int _themeNumber = 0;
static String get languageCode => _languageCode;
static int get themeNumber => _themeNumber;
static Future<void> ensureReady() async {
if (_ready) {
return;
}
final SharedPreferences prefs = await SharedPreferences.getInstance();
//
_themeNumber = (prefs.getInt(_prefThemeNumber) ?? 0).clamp(0, 2);
_languageCode = prefs.getString(_prefLanguageCode) ?? '';
_ready = true;
}
static Future<void> setThemeNumber(int value) async {
_themeNumber = value;
final SharedPreferences prefs = await SharedPreferences.getInstance();
await prefs.setInt(_prefThemeNumber, value);
}
static Future<void> setLanguageCode(String value) async {
_languageCode = value;
final SharedPreferences prefs = await SharedPreferences.getInstance();
await prefs.setString(_prefLanguageCode, value);
}
}
import 'dart:ui';
Locale? parseLocaleTag(String tag) {
if (tag.isEmpty) {
return null;
}
final parts = tag.split('-');
final language = parts[0];
String? script, country;
if (parts.length >= 2) {
parts[1].length == 4 ? script = parts[1] : country = parts[1];
}
if (parts.length >= 3) {
parts[2].length == 4 ? script = parts[2] : country = parts[2];
}
return Locale.fromSubtags(
languageCode: language,
scriptCode: script,
countryCode: country,
);
}
import 'dart:io';
import 'package:flutter/foundation.dart';
import 'package:intl/intl.dart';
import 'package:path/path.dart' as p;
import 'package:path_provider/path_provider.dart';
class Recording {
const Recording({
required this.file,
required this.createdAt,
required this.sizeBytes,
});
final File file;
final DateTime createdAt;
final int sizeBytes;
String get path => file.path;
String get fileName => p.basename(path);
}
class RecordingManager extends ChangeNotifier {
RecordingManager();
static const String _directoryName = 'recordings';
final List<Recording> _recordings = <Recording>[];
List<Recording> get recordings => List.unmodifiable(_recordings);
Future<Directory> getRecordingDirectory() async {
Directory? baseDirectory;
if (Platform.isAndroid) {
// Use the app-specific external directory so the platform TTS engine can write.
baseDirectory = await getExternalStorageDirectory();
}
baseDirectory ??= await getApplicationDocumentsDirectory();
final recordingsDirectory = Directory(
p.join(baseDirectory.path, _directoryName),
);
if (!await recordingsDirectory.exists()) {
await recordingsDirectory.create(recursive: true);
}
return recordingsDirectory;
}
Future<String> createFilePath() async {
final directory = await getRecordingDirectory();
final timestamp = DateFormat('yyyyMMdd_HHmmssSSS').format(DateTime.now());
final fileName = 'record_$timestamp.wav';
return p.join(directory.path, fileName);
}
Future<List<Recording>> fetchRecordings() async {
await refreshRecordings();
return recordings;
}
Future<void> refreshRecordings() async {
final recordings = await _readRecordings();
_recordings
..clear()
..addAll(recordings);
notifyListeners();
}
Future<List<Recording>> _readRecordings() async {
final directory = await getRecordingDirectory();
final recordings = <Recording>[];
if (!await directory.exists()) {
return recordings;
}
await for (final entity in directory.list(
recursive: false,
followLinks: false,
)) {
if (entity is! File) {
continue;
}
if (p.extension(entity.path).toLowerCase() != '.wav') {
continue;
}
final stat = await entity.stat();
recordings.add(
Recording(file: entity, createdAt: stat.modified, sizeBytes: stat.size),
);
}
recordings.sort((a, b) => b.createdAt.compareTo(a.createdAt));
return recordings;
}
Future<void> deleteRecording(String path) async {
final file = File(path);
if (await file.exists()) {
await file.delete();
}
await refreshRecordings();
}
}
import 'dart:async';
import 'package:audioplayers/audioplayers.dart';
import 'package:flutter/material.dart';
import 'package:intl/intl.dart';
import 'package:provider/provider.dart';
import 'package:share_plus/share_plus.dart';
import 'package:readaloud/l10n/app_localizations.dart';
import 'package:readaloud/recording_manager.dart';
import "package:readaloud/ad_banner_widget.dart";
import "package:readaloud/ad_manager.dart";
class RecordingsPage extends StatefulWidget {
const RecordingsPage({super.key});
@override
State<RecordingsPage> createState() => _RecordingsPageState();
}
class _RecordingsPageState extends State<RecordingsPage> {
late AdManager _adManager;
Future<List<Recording>>? _recordingsFuture;
final AudioPlayer _audioPlayer = AudioPlayer();
StreamSubscription<void>? _playerCompleteSubscription;
String? _currentPath;
bool _hasRequestedInitialLoad = false;
@override
void initState() {
super.initState();
_adManager = AdManager();
_playerCompleteSubscription = _audioPlayer.onPlayerComplete.listen((_) {
if (!mounted) {
return;
}
setState(() {
_currentPath = null;
});
});
}
@override
void didChangeDependencies() {
super.didChangeDependencies();
if (!_hasRequestedInitialLoad) {
_recordingsFuture = _loadRecordings();
_hasRequestedInitialLoad = true;
}
}
Future<List<Recording>> _loadRecordings() {
final manager = context.read<RecordingManager>();
return manager.fetchRecordings();
}
Future<void> _reloadRecordings() async {
final future = _loadRecordings();
if (!mounted) {
return;
}
setState(() {
_recordingsFuture = future;
});
await future;
}
@override
void dispose() {
_adManager.dispose();
_playerCompleteSubscription?.cancel();
_audioPlayer.dispose();
super.dispose();
}
Future<void> _playRecording(Recording recording) async {
if (_currentPath == recording.path) {
await _audioPlayer.stop();
if (!mounted) {
return;
}
setState(() {
_currentPath = null;
});
return;
}
await _audioPlayer.stop();
await _audioPlayer.play(DeviceFileSource(recording.path));
if (!mounted) {
return;
}
setState(() {
_currentPath = recording.path;
});
}
Future<void> _shareRecording(Recording recording) async {
await SharePlus.instance.share(ShareParams(files: [XFile(recording.path)]));
}
Future<void> _deleteRecording(
Recording recording,
AppLocalizations l,
) async {
final manager = context.read<RecordingManager>();
final messenger = ScaffoldMessenger.of(context);
final confirmed = await showDialog<bool>(
context: context,
builder: (context) => AlertDialog(
title: Text(l.delete),
content: Text(l.recordingDeleteConfirm),
actions: [
TextButton(
onPressed: () => Navigator.pop(context, false),
child: Text(l.cancel),
),
TextButton(
onPressed: () => Navigator.pop(context, true),
child: Text(l.delete),
),
],
),
);
if (confirmed != true) {
return;
}
await _audioPlayer.stop();
await manager.deleteRecording(recording.path);
if (!mounted) {
return;
}
if (_currentPath == recording.path) {
_currentPath = null;
}
await _reloadRecordings();
if (!mounted) {
return;
}
messenger.showSnackBar(SnackBar(content: Text(l.recordingDeleted)));
}
String _formatDate(DateTime date) {
final formatter = DateFormat('yyyy-MM-dd HH:mm:ss');
return formatter.format(date);
}
String _formatSize(int bytes) {
const suffixes = ['B', 'KB', 'MB', 'GB', 'TB'];
if (bytes < 1024) {
return '${bytes}B';
}
double size = bytes / 1024;
var suffixIndex = 0;
while (size >= 1024 && suffixIndex < suffixes.length - 2) {
size /= 1024;
suffixIndex++;
}
String formatted;
if (size >= 100) {
formatted = size.toStringAsFixed(0);
} else if (size >= 10) {
formatted = size.toStringAsFixed(1);
} else {
formatted = size.toStringAsFixed(2);
}
if (formatted.contains('.')) {
formatted = formatted.replaceAll(RegExp(r'0+$'), '');
formatted = formatted.replaceAll(RegExp(r'\.$'), '');
}
final unit = suffixes[suffixIndex + 1];
return '$formatted$unit';
}
@override
Widget build(BuildContext context) {
final l = AppLocalizations.of(context);
final future = _recordingsFuture;
return Scaffold(
appBar: AppBar(
title: Text(l.recordings),
centerTitle: true,
),
body: FutureBuilder<List<Recording>>(
future: future,
builder: (context, snapshot) {
if (future == null) {
return const Center(child: CircularProgressIndicator());
}
if (snapshot.connectionState != ConnectionState.done) {
return const Center(child: CircularProgressIndicator());
}
if (snapshot.hasError) {
return RefreshIndicator(
onRefresh: _reloadRecordings,
child: ListView(
physics: const AlwaysScrollableScrollPhysics(),
padding: const EdgeInsets.all(24),
children: [
const SizedBox(height: 80),
Center(
child: Text(
l.recordingsLoadError,
textAlign: TextAlign.center,
),
),
],
),
);
}
final recordings = snapshot.data ?? <Recording>[];
if (recordings.isEmpty) {
return RefreshIndicator(
onRefresh: _reloadRecordings,
child: ListView(
physics: const AlwaysScrollableScrollPhysics(),
padding: const EdgeInsets.all(24),
children: [
const SizedBox(height: 80),
Center(
child: Text(
l.recordingsEmpty,
textAlign: TextAlign.center,
style: Theme.of(context).textTheme.bodyLarge,
),
),
],
),
);
}
return RefreshIndicator(
onRefresh: _reloadRecordings,
child: ListView.separated(
padding: const EdgeInsets.only(left: 4, right: 4, top: 4, bottom: 100),
itemCount: recordings.length,
separatorBuilder: (context, _) => const SizedBox(height: 8),
itemBuilder: (context, index) {
final recording = recordings[index];
final isPlaying = recording.path == _currentPath;
return _RecordingCard(
recording: recording,
isPlaying: isPlaying,
dateLabel: _formatDate(recording.createdAt),
sizeLabel: _formatSize(recording.sizeBytes),
onPlay: () => _playRecording(recording),
onDelete: () => _deleteRecording(recording, l),
onShare: () => _shareRecording(recording),
l: l,
);
},
),
);
},
),
bottomNavigationBar: AdBannerWidget(adManager: _adManager),
);
}
}
class _RecordingCard extends StatelessWidget {
const _RecordingCard({
required this.recording,
required this.isPlaying,
required this.dateLabel,
required this.sizeLabel,
required this.onPlay,
required this.onDelete,
required this.onShare,
required this.l,
});
final Recording recording;
final bool isPlaying;
final String dateLabel;
final String sizeLabel;
final VoidCallback onPlay;
final VoidCallback onDelete;
final VoidCallback onShare;
final AppLocalizations l;
@override
Widget build(BuildContext context) {
final theme = Theme.of(context);
final colorScheme = theme.colorScheme;
return Card(
child: Padding(
padding: const EdgeInsets.only(left: 8, right: 8, top: 6, bottom: 8),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text('$dateLabel $sizeLabel', style: theme.textTheme.titleMedium),
const SizedBox(height: 1),
Text(
recording.fileName,
style: theme.textTheme.labelMedium?.copyWith(
color: colorScheme.onSurfaceVariant,
),
),
const SizedBox(height: 4),
Wrap(
spacing: 4,
runSpacing: 4,
children: [
FilledButton.icon(
onPressed: onPlay,
icon: Icon(isPlaying ? Icons.stop : Icons.play_arrow, size: 14),
label: Text(isPlaying ? l.stop : l.play, style: TextStyle(fontSize: 11)),
),
FilledButton.tonalIcon(
onPressed: onShare,
icon: const Icon(Icons.send, size: 14),
label: Text(l.send, style: TextStyle(fontSize: 11)),
),
FilledButton.tonalIcon(
style: FilledButton.styleFrom(
backgroundColor: colorScheme.errorContainer,
foregroundColor: colorScheme.onErrorContainer,
),
onPressed: onDelete,
icon: const Icon(Icons.delete, size: 14),
label: Text(l.delete, style: TextStyle(fontSize: 11)),
),
],
),
],
),
),
);
}
}
import "package:flutter/material.dart";
import 'package:google_mobile_ads/google_mobile_ads.dart';
import "package:readaloud/l10n/app_localizations.dart";
import "package:readaloud/ad_banner_widget.dart";
import "package:readaloud/ad_manager.dart";
import "package:readaloud/ad_ump_status.dart";
import 'package:readaloud/loading_screen.dart';
import 'package:readaloud/theme_color.dart';
import 'package:readaloud/model.dart';
class SettingPage extends StatefulWidget {
const SettingPage({super.key});
@override
State<SettingPage> createState() => _SettingPageState();
}
class _SettingPageState extends State<SettingPage> {
late AdManager _adManager;
late UmpConsentController _adUmp;
AdUmpState _adUmpState = AdUmpState.initial;
int _themeNumber = 0;
String _languageCode = '';
late ThemeColor _themeColor;
bool _isReady = false;
bool _isFirst = true;
@override
void initState() {
super.initState();
_initState();
}
void _initState() async {
_adManager = AdManager();
_themeNumber = Model.themeNumber;
_languageCode = Model.languageCode;
//
_adUmp = UmpConsentController();
_refreshConsentInfo();
//
setState(() {
_isReady = true;
});
}
@override
void dispose() {
_adManager.dispose();
super.dispose();
}
Future<void> _refreshConsentInfo() async {
_adUmpState = await _adUmp.updateConsentInfo(current: _adUmpState);
if (mounted) {
setState(() {});
}
}
Future<void> _onTapPrivacyOptions() async {
final err = await _adUmp.showPrivacyOptions();
await _refreshConsentInfo();
if (err != null && mounted) {
final l = AppLocalizations.of(context);
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(content: Text('${l.cmpErrorOpeningSettings} ${err.message}')),
);
}
}
void _onApply() async {
await Model.setThemeNumber(_themeNumber);
await Model.setLanguageCode(_languageCode);
if (!mounted) {
return;
}
Navigator.of(context).pop(true);
}
@override
Widget build(BuildContext context) {
if (!_isReady) {
return LoadingScreen();
}
if (_isFirst) {
_isFirst = false;
_themeColor = ThemeColor(themeNumber: Model.themeNumber, context: context);
}
final l = AppLocalizations.of(context);
return Scaffold(
backgroundColor: _themeColor.backColor,
appBar: AppBar(
backgroundColor: Colors.transparent,
leading: IconButton(
icon: const Icon(Icons.close),
onPressed: () => Navigator.of(context).pop(false)
),
actions: [
Padding(
padding: const EdgeInsets.only(right: 10),
child:IconButton(
icon: const Icon(Icons.check),
onPressed: _onApply,
)
),
],
),
body: Column(children:[
Expanded(
child: GestureDetector(
onTap: () => FocusScope.of(context).unfocus(), //背景タップでキーボードを仕舞う
child: SingleChildScrollView(
child: Padding(
padding: const EdgeInsets.only(left: 16, right: 16, top: 0, bottom: 100),
child: Column(children: [
_buildTheme(l),
_buildLanguage(l),
_buildCmp(l),
_buildUsage(l),
]),
),
),
),
),
]),
bottomNavigationBar: AdBannerWidget(adManager: _adManager),
);
}
Widget _buildTheme(AppLocalizations l) {
final TextTheme t = Theme.of(context).textTheme;
return Card(
margin: const EdgeInsets.only(left: 0, top: 12, right: 0, bottom: 0),
color: _themeColor.cardColor,
elevation: 0,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 8),
child: Row(
children: [
Expanded(
child: Text(
l.theme,
style: t.bodyMedium,
),
),
DropdownButton<int>(
value: _themeNumber,
items: [
DropdownMenuItem(value: 0, child: Text(l.systemSetting)),
DropdownMenuItem(value: 1, child: Text(l.lightTheme)),
DropdownMenuItem(value: 2, child: Text(l.darkTheme)),
],
onChanged: (value) {
if (value != null) {
setState(() {
_themeNumber = value;
});
}
},
),
],
),
),
);
}
Widget _buildLanguage(AppLocalizations l) {
final Map<String,String> languageNames = {
'en': 'English',
'bg': 'Bulgarian',
'cs': 'Čeština',
'da': 'Dansk',
'de': 'Deutsch',
'el': 'Ελληνικά',
'es': 'Español',
'et': 'Eesti',
'fi': 'Suomi',
'fr': 'Français',
'hu': 'Magyar',
'id': 'Indonesia',
'it': 'Italiano',
'ja': '日本語',
'ko': '한국어',
'lt': 'Lietuvių',
'lv': 'Latviešu',
'nb': 'Norsk Bokmål',
'nl': 'Nederlands',
'no': 'Norsk',
'pl': 'Polski',
'pt': 'Português',
'ro': 'Română',
'ru': 'Русский',
'sk': 'Slovenčina',
'sv': 'Svenska',
'th': 'ไทย',
'tr': 'Türkçe',
'uk': 'Українська',
'vi': 'Tiếng Việt',
'zh': '中文',
};
final TextTheme t = Theme.of(context).textTheme;
return Card(
margin: const EdgeInsets.only(left: 0, top: 12, right: 0, bottom: 0),
color: _themeColor.cardColor,
elevation: 0,
shadowColor: Colors.transparent,
surfaceTintColor: Colors.transparent,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 4),
child: Row(
children: [
Expanded(
child: Text(
l.language,
style: t.bodyMedium,
),
),
DropdownButton<String?>(
value: _languageCode,
items: [
DropdownMenuItem(value: '', child: Text('Default')),
...languageNames.entries.map((entry) => DropdownMenuItem<String?>(
value: entry.key,
child: Text(entry.value),
)),
],
onChanged: (String? value) {
setState(() {
_languageCode = value ?? '';
});
},
),
],
),
),
);
}
Widget _buildCmp(AppLocalizations l) {
final TextTheme t = Theme.of(context).textTheme;
final showButton = _adUmpState.privacyStatus == PrivacyOptionsRequirementStatus.required;
String statusLabel = l.cmpCheckingRegion;
IconData statusIcon = Icons.help_outline;
switch (_adUmpState.privacyStatus) {
case PrivacyOptionsRequirementStatus.required:
statusLabel = l.cmpRegionRequiresSettings;
statusIcon = Icons.privacy_tip_outlined;
break;
case PrivacyOptionsRequirementStatus.notRequired:
statusLabel = l.cmpRegionNoSettingsRequired;
statusIcon = Icons.check_circle_outline;
break;
case PrivacyOptionsRequirementStatus.unknown:
statusLabel = l.cmpRegionCheckFailed;
statusIcon = Icons.error_outline;
break;
}
return Card(
margin: const EdgeInsets.only(left: 0, top: 12, right: 0, bottom: 0),
color: _themeColor.cardColor,
elevation: 0,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 16),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
l.cmpSettingsTitle,
style: t.bodyMedium,
),
const SizedBox(height: 8),
Text(
l.cmpConsentDescription,
style: t.bodySmall,
),
const SizedBox(height: 16),
Center(
child: Column(
children: [
Chip(
avatar: Icon(statusIcon, size: 18),
label: Text(statusLabel),
),
const SizedBox(height: 6),
Text(
'${l.cmpConsentStatusLabel} ${_adUmpState.consentStatus.localized(context)}',
style: t.bodySmall,
),
if (showButton) ...[
const SizedBox(height: 16),
ElevatedButton.icon(
onPressed: _adUmpState.isChecking
? null
: _onTapPrivacyOptions,
icon: const Icon(Icons.settings),
label: Text(
_adUmpState.isChecking
? l.cmpConsentStatusChecking
: l.cmpOpenConsentSettings,
),
),
const SizedBox(height: 12),
OutlinedButton.icon(
onPressed: _adUmpState.isChecking
? null
: _refreshConsentInfo,
icon: const Icon(Icons.refresh),
label: Text(l.cmpRefreshStatus),
),
const SizedBox(height: 12),
OutlinedButton.icon(
onPressed: () async {
final messenger = ScaffoldMessenger.of(context);
final message = l.cmpResetStatusDone;
await ConsentInformation.instance.reset();
await _refreshConsentInfo();
if (!mounted) {
return;
}
messenger.showSnackBar(
SnackBar(content: Text(message)),
);
},
icon: const Icon(Icons.delete_sweep_outlined),
label: Text(l.cmpResetStatus),
),
],
],
),
),
],
),
),
);
}
Widget _buildUsage(AppLocalizations l) {
final TextTheme t = Theme.of(context).textTheme;
return SizedBox(
width: double.infinity,
child: Card(
margin: const EdgeInsets.only(left: 0, top: 12, right: 0, bottom: 0),
color: _themeColor.cardColor,
elevation: 0,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 16),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
l.usage1,
style: t.bodySmall,
),
const SizedBox(height: 12),
Text(
l.usage2,
style: t.bodySmall,
),
const SizedBox(height: 12),
Text(
l.usage3,
style: t.bodySmall,
),
const SizedBox(height: 12),
Text(
l.usage4,
style: t.bodySmall,
),
],
),
),
)
);
}
}
import "dart:io";
import "package:flutter/foundation.dart";
import "package:flutter_tts/flutter_tts.dart";
import "package:path/path.dart" as p;
import "package:path_provider/path_provider.dart";
import "package:shared_preferences/shared_preferences.dart";
const String _systemDefaultVoiceId = '__system_default__';
enum SpeechEventType {
beginSynthesis,
audioAvailable,
start,
done,
stop,
error,
}
class SpeechEvent {
const SpeechEvent(this.type, {this.errorMessage});
final SpeechEventType type;
final String? errorMessage;
String get localizationKey {
switch (type) {
case SpeechEventType.beginSynthesis:
return "ttsBeginSynthesis";
case SpeechEventType.audioAvailable:
return "ttsAudioAvailable";
case SpeechEventType.start:
return "ttsStart";
case SpeechEventType.done:
return "ttsDone";
case SpeechEventType.stop:
return "ttsStop";
case SpeechEventType.error:
return "ttsError";
}
}
}
class VoiceOption {
const VoiceOption({
required this.name,
required this.locale,
this.gender,
this.isSystemDefault = false,
});
final String name;
final String locale;
final String? gender;
final bool isSystemDefault;
String get id => isSystemDefault ? _systemDefaultVoiceId : "$locale::$name";
String get displayLabel {
if (isSystemDefault) {
return name;
}
final parts = <String>[
locale,
name,
].where((value) => value.isNotEmpty).toList();
return parts.join(' ');
}
Map<String, String> toMap() => {"name": name, "locale": locale};
}
class SpeechController extends ChangeNotifier {
SpeechController(this._prefs);
static const VoiceOption defaultVoiceOption = VoiceOption(
name: 'default',
locale: '',
isSystemDefault: true,
);
static const _voicePreferenceKey = "speechVoice";
static const double _defaultBaseRate = 0.5;
static const double _minRateFactor = 0.2;
static const double _maxRateFactor = 3.0;
static const double _defaultMinPitch = 0.2;
static const double _defaultMaxPitch = 3.0;
static const double _iosMinPitch = 0.5;
static const double _iosMaxPitch = 2.0;
final SharedPreferences _prefs;
final FlutterTts _tts = FlutterTts();
final List<VoiceOption> _voices = <VoiceOption>[];
VoiceOption? _selectedVoice;
double _baseRate = _defaultBaseRate;
double _minRate = _defaultBaseRate * _minRateFactor;
double _maxRate = _defaultBaseRate * _maxRateFactor;
double _minPitch = _defaultMinPitch;
double _maxPitch = _defaultMaxPitch;
double _speed = _defaultBaseRate;
double _pitch = 1.0;
bool _isSpeaking = false;
bool _initialized = false;
SpeechEvent? _lastEvent;
int _eventToken = 0;
List<VoiceOption> get voices => List.unmodifiable(_voices);
VoiceOption? get selectedVoice => _selectedVoice ?? defaultVoiceOption;
double get speed => _speed;
double get pitch => _pitch;
double get baseRate => _baseRate;
double get minRate => _minRate;
double get maxRate => _maxRate;
double get minPitch => _minPitch;
double get maxPitch => _maxPitch;
bool get isSpeaking => _isSpeaking;
bool get isInitialized => _initialized;
SpeechEvent? get lastEvent => _lastEvent;
int get eventToken => _eventToken;
Future<void> init() async {
await _initializePlatformDefaults();
await _tts.awaitSpeakCompletion(true);
await _tts.awaitSynthCompletion(true);
_tts.setStartHandler(() {
_isSpeaking = true;
_emitEvent(const SpeechEvent(SpeechEventType.start));
});
_tts.setCompletionHandler(() {
_isSpeaking = false;
_emitEvent(const SpeechEvent(SpeechEventType.done));
});
_tts.setCancelHandler(() {
_isSpeaking = false;
_emitEvent(const SpeechEvent(SpeechEventType.stop));
});
_tts.setErrorHandler((message) {
_isSpeaking = false;
final errorText = message?.toString();
_emitEvent(SpeechEvent(SpeechEventType.error, errorMessage: errorText));
});
await _loadVoices();
_initialized = true;
notifyListeners();
}
Future<void> _loadVoices() async {
dynamic result;
try {
result = await _tts.getVoices;
} catch (error, stackTrace) {
if (kDebugMode) {
// ignore: avoid_print
print("Failed to load voices: $error\n$stackTrace");
}
result = null;
}
_voices.clear();
if (result is List) {
for (final item in result) {
if (item is Map) {
final name = item["name"]?.toString();
final locale = item["locale"]?.toString();
if (name == null || locale == null) {
continue;
}
_voices.add(
VoiceOption(
name: name,
locale: locale,
gender: item["gender"]?.toString(),
),
);
}
}
}
_voices.sort((a, b) => a.displayLabel.compareTo(b.displayLabel));
_voices.insert(0, defaultVoiceOption);
final savedVoiceId = _prefs.getString(_voicePreferenceKey);
VoiceOption? fallback = _voices.length > 1 ? _voices[1] : null;
if (savedVoiceId == null || savedVoiceId == _systemDefaultVoiceId) {
_selectedVoice = null;
} else {
_selectedVoice = _findVoiceById(savedVoiceId) ?? fallback;
}
if (_selectedVoice != null) {
await _tts.setVoice(_selectedVoice!.toMap());
}
}
VoiceOption? _findVoiceById(String id) {
for (final voice in _voices) {
if (voice.id == id) {
return voice;
}
}
return null;
}
Future<void> _initializePlatformDefaults() async {
_resetRateDefaults();
_minPitch = Platform.isIOS ? _iosMinPitch : _defaultMinPitch;
_maxPitch = Platform.isIOS ? _iosMaxPitch : _defaultMaxPitch;
if (Platform.isIOS || Platform.isMacOS) {
try {
final range = await _tts.getSpeechRateValidRange;
if (range.min > 0 && range.normal > 0 && range.max > 0) {
if (range.min <= range.normal && range.normal <= range.max) {
_minRate = range.min;
_baseRate = range.normal;
_maxRate = range.max;
}
}
} catch (_) {
// Ignore errors and fall back to defaults.
}
}
_speed = _baseRate.clamp(_minRate, _maxRate).toDouble();
_pitch = _pitch.clamp(_minPitch, _maxPitch).toDouble();
}
void _resetRateDefaults() {
_baseRate = _defaultBaseRate;
_minRate = _defaultBaseRate * _minRateFactor;
_maxRate = _defaultBaseRate * _maxRateFactor;
}
Future<void> _applySpeechSettings() async {
final clampedRate = _speed.clamp(_minRate, _maxRate).toDouble();
final clampedPitch = _pitch.clamp(_minPitch, _maxPitch).toDouble();
await _tts.setSpeechRate(clampedRate);
await _tts.setPitch(clampedPitch);
if (_selectedVoice != null) {
await _tts.setVoice(_selectedVoice!.toMap());
}
}
Future<void> _speakInternal(
String trimmed, {
bool reapplySettings = true,
}) async {
if (reapplySettings) {
await _applySpeechSettings();
}
_emitEvent(const SpeechEvent(SpeechEventType.beginSynthesis));
final result = await _tts.speak(trimmed);
if (result == 1) {
_emitEvent(const SpeechEvent(SpeechEventType.audioAvailable));
}
}
Future<void> speak(String text) async {
final trimmed = text.trim();
if (trimmed.isEmpty) {
return;
}
await _speakInternal(trimmed);
}
Future<File?> speakWithRecording(String text, String filePath) async {
final trimmed = text.trim();
if (trimmed.isEmpty) {
return null;
}
await stop();
await _applySpeechSettings();
File? recording;
final synthTarget = Platform.isIOS ? p.basename(filePath) : filePath;
final result = await _tts.synthesizeToFile(trimmed, synthTarget);
if (result == 1) {
recording = await _resolveRecordingFile(filePath);
}
await _speakInternal(trimmed, reapplySettings: false);
return recording;
}
Future<File?> _resolveRecordingFile(String expectedPath) async {
final expectedFile = File(expectedPath);
if (await expectedFile.exists()) {
return expectedFile;
}
if (Platform.isIOS) {
final documentsDir = await getApplicationDocumentsDirectory();
final generatedFile = File(p.join(documentsDir.path, p.basename(expectedPath)));
if (!await generatedFile.exists()) {
return null;
}
if (p.normalize(generatedFile.path) == p.normalize(expectedPath)) {
return generatedFile;
}
final targetDirectory = expectedFile.parent;
await targetDirectory.create(recursive: true);
try {
final moved = await generatedFile.rename(expectedPath);
return moved;
} catch (_) {
try {
await generatedFile.copy(expectedPath);
await generatedFile.delete();
return expectedFile;
} catch (_) {
return null;
}
}
}
if (!Platform.isAndroid) {
return null;
}
final sanitizedName = expectedPath.replaceAll('/', '_');
final alternateSanitizedName = sanitizedName.startsWith('_')
? sanitizedName.substring(1)
: null;
final musicDirs = await getExternalStorageDirectories(
type: StorageDirectory.music,
);
if (musicDirs == null) {
return null;
}
for (final dir in musicDirs) {
final candidates = <File>{
File(p.join(dir.path, sanitizedName)),
if (alternateSanitizedName != null)
File(p.join(dir.path, alternateSanitizedName)),
};
for (final candidate in candidates) {
if (!await candidate.exists()) {
continue;
}
try {
final moved = await candidate.rename(expectedPath);
return moved;
} catch (_) {
try {
await expectedFile.parent.create(recursive: true);
await candidate.copy(expectedPath);
await candidate.delete();
return expectedFile;
} catch (_) {
return null;
}
}
}
}
return null;
}
Future<void> stop() async {
await _tts.stop();
_isSpeaking = false;
}
void setSpeed(double value) {
final clamped = value.clamp(_minRate, _maxRate).toDouble();
if (_speed == clamped) {
return;
}
_speed = clamped;
_tts.setSpeechRate(_speed);
notifyListeners();
}
void setPitch(double value) {
final clamped = value.clamp(_minPitch, _maxPitch).toDouble();
if (_pitch == clamped) {
return;
}
_pitch = clamped;
_tts.setPitch(_pitch);
notifyListeners();
}
Future<void> selectVoice(String? voiceId) async {
if (voiceId == null) {
return;
}
if (voiceId == _systemDefaultVoiceId) {
if (_selectedVoice == null) {
return;
}
_selectedVoice = null;
await _prefs.setString(_voicePreferenceKey, _systemDefaultVoiceId);
notifyListeners();
return;
}
final voice = _findVoiceById(voiceId);
if (voice == null || _selectedVoice == voice) {
return;
}
_selectedVoice = voice;
await _tts.setVoice(voice.toMap());
await _prefs.setString(_voicePreferenceKey, voice.id);
notifyListeners();
}
void _emitEvent(SpeechEvent event) {
_lastEvent = event;
_eventToken++;
notifyListeners();
}
@override
void dispose() {
_tts.stop();
super.dispose();
}
}
import "package:flutter/foundation.dart";
import "package:shared_preferences/shared_preferences.dart";
class TextTabsController extends ChangeNotifier {
TextTabsController(this._prefs);
static const int tabCount = 9;
static const _preferencesKeys = <String>[
"editText1",
"editText2",
"editText3",
"editText4",
"editText5",
"editText6",
"editText7",
"editText8",
"editText9",
];
final SharedPreferences _prefs;
final List<String> _texts = List.filled(tabCount, "", growable: false);
int _activeIndex = 0;
int get activeIndex => _activeIndex;
List<String> get texts => List.unmodifiable(_texts);
String get activeText => _texts[_activeIndex];
Future<void> load() async {
for (var i = 0; i < tabCount; i++) {
_texts[i] = _prefs.getString(_preferencesKeys[i]) ?? "";
}
notifyListeners();
}
void updateActiveText(String text, {bool persist = true}) {
if (_texts[_activeIndex] == text) {
return;
}
_texts[_activeIndex] = text;
if (persist) {
_prefs.setString(_preferencesKeys[_activeIndex], text);
}
}
String switchTo(int index, {required String currentText}) {
if (index < 0 || index >= tabCount) {
throw RangeError.range(index, 0, tabCount - 1, "index");
}
if (index == _activeIndex) {
updateActiveText(currentText);
return _texts[_activeIndex];
}
updateActiveText(currentText);
_activeIndex = index;
notifyListeners();
return _texts[_activeIndex];
}
String textFor(int index) {
if (index < 0 || index >= tabCount) {
throw RangeError.range(index, 0, tabCount - 1, "index");
}
return _texts[index];
}
Future<void> persistAll() async {
for (var i = 0; i < tabCount; i++) {
await _prefs.setString(_preferencesKeys[i], _texts[i]);
}
}
}
import 'package:flutter/material.dart';
class ThemeColor {
final int? themeNumber;
final BuildContext context;
ThemeColor({this.themeNumber, required this.context});
Brightness get _effectiveBrightness {
switch (themeNumber) {
case 1:
return Brightness.light;
case 2:
return Brightness.dark;
default:
return Theme.of(context).brightness;
}
}
bool get _isLight => _effectiveBrightness == Brightness.light;
//main page
Color get mainBackColor => _isLight ? Color.fromRGBO(238, 238, 238, 1.0) : Color.fromRGBO(17, 17, 17, 1.0);
Color get mainCardColor => _isLight ? Color.fromRGBO(255, 255, 255, 1.0) : Color.fromRGBO(51, 51, 51, 1.0);
Color get mainForeColor => _isLight ? Color.fromRGBO(34, 34, 34, 1.0) : Color.fromRGBO(187, 187, 187, 1.0);
Color get mainDropdownColor => mainCardColor;
//setting page
Color get backColor => _isLight ? Colors.grey[200]! : Colors.grey[900]!;
Color get cardColor => _isLight ? Colors.white : Colors.grey[800]!;
Color get appBarForegroundColor => _isLight ? Colors.grey[700]! : Colors.white70;
Color get dropdownColor => cardColor;
Color get borderColor => _isLight ? Colors.grey[300]! : Colors.grey[700]!;
Color get inputFillColor => _isLight ? Colors.grey[50]! : Colors.grey[900]!;
}
import 'package:flutter/material.dart';
class ThemeModeNumber {
static ThemeMode numberToThemeMode(int value) {
switch (value) {
case 1:
return ThemeMode.light;
case 2:
return ThemeMode.dark;
default:
return ThemeMode.system;
}
}
}