name: biorhythm
description: "biorhythm"
publish_to: 'none'
version: 2.0.0+25
environment:
sdk: ^3.9.2
dependencies:
flutter:
sdk: flutter
flutter_localizations: #flutter gen-l10n
sdk: flutter
intl: ^0.20.2
shared_preferences: ^2.5.3
google_mobile_ads: ^6.0.0
cupertino_icons: ^1.0.8
dev_dependencies:
flutter_test:
sdk: flutter
flutter_lints: ^6.0.0
flutter_launcher_icons: ^0.14.4 #flutter pub run flutter_launcher_icons
flutter_native_splash: ^2.4.0 #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:
generate: true
uses-material-design: true
assets:
- assets/icon/
- assets/image/
/*
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 '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 'dart:math' as math;
import 'dart:ui' as ui;
import 'package:flutter/material.dart';
import 'package:intl/intl.dart';
import 'theme_color.dart';
class BiorhythmChart extends StatelessWidget {
final DateTime birthDate;
final DateTime startDate;
final Color physicalColor;
final Color emotionalColor;
final Color intellectualColor;
final int visibleDays;
final ThemeColor themeColor;
const BiorhythmChart({
super.key,
required this.birthDate,
required this.startDate,
required this.physicalColor,
required this.emotionalColor,
required this.intellectualColor,
required this.themeColor,
this.visibleDays = 40,
});
@override
Widget build(BuildContext context) {
return LayoutBuilder(
builder: (context, constraints) {
final width = constraints.maxWidth.isFinite
? constraints.maxWidth
: MediaQuery.sizeOf(context).width;
final height = width * 0.6;
return SizedBox(
width: width,
height: height,
child: CustomPaint(
painter: _BiorhythmPainter(
birthDate: birthDate,
startDate: startDate,
physicalColor: physicalColor,
emotionalColor: emotionalColor,
intellectualColor: intellectualColor,
visibleDays: visibleDays,
textStyle: Theme.of(context).textTheme.bodySmall ?? const TextStyle(fontSize: 11),
themeColor: themeColor,
),
),
);
},
);
}
}
class _BiorhythmPainter extends CustomPainter {
final DateTime birthDate;
final DateTime startDate;
final Color physicalColor;
final Color emotionalColor;
final Color intellectualColor;
final int visibleDays;
final TextStyle textStyle;
final ThemeColor themeColor;
static const double _leftPadding = 16;
static const double _rightPadding = 16;
static const double _topPadding = 12;
static const double _bottomPadding = 30;
static const int _labelIntervalDays = 5;
static const int _leadingDays = 3;
const _BiorhythmPainter({
required this.birthDate,
required this.startDate,
required this.physicalColor,
required this.emotionalColor,
required this.intellectualColor,
required this.visibleDays,
required this.textStyle,
required this.themeColor,
});
DateTime _normalize(DateTime value) =>
DateTime(value.year, value.month, value.day);
@override
void paint(Canvas canvas, Size size) {
final chartWidth = size.width - _leftPadding - _rightPadding;
final chartHeight = size.height - _topPadding - _bottomPadding;
if (chartWidth <= 0 || chartHeight <= 0) {
return;
}
final origin = Offset(_leftPadding, _topPadding);
final baselineY = origin.dy + chartHeight / 2;
final amplitude = chartHeight / 2;
final totalDays = math.max(visibleDays, 1);
final dayCount = totalDays + 1;
final dayStep = chartWidth / (dayCount - 1);
final sampleCount = totalDays * 2 + 1;
final sampleStep = chartWidth / (sampleCount - 1);
final normalizedBirth = _normalize(birthDate);
final normalizedFocus = _normalize(startDate);
final normalizedStart = normalizedFocus.subtract(
const Duration(days: _leadingDays),
);
final startDiff = normalizedStart.difference(normalizedBirth).inDays;
const focusIndex = _leadingDays;
final gridPaintStrong = Paint()
..color = themeColor.mainChartBorderColor
..strokeWidth = 1.2;
final gridPaintMedium = Paint()
..color = themeColor.mainChartBorderColor
..strokeWidth = 0.8;
final gridPaintLight = Paint()
..color = themeColor.mainChartBorderColor
..strokeWidth = 0.6;
// Horizontal guides and baseline.
canvas.drawLine(
Offset(origin.dx, baselineY),
Offset(origin.dx + chartWidth, baselineY),
gridPaintStrong,
);
canvas.drawLine(
Offset(origin.dx, origin.dy),
Offset(origin.dx + chartWidth, origin.dy),
gridPaintMedium,
);
canvas.drawLine(
Offset(origin.dx, origin.dy + chartHeight),
Offset(origin.dx + chartWidth, origin.dy + chartHeight),
gridPaintMedium,
);
canvas.drawLine(
Offset(origin.dx, origin.dy + chartHeight * 0.25),
Offset(origin.dx + chartWidth, origin.dy + chartHeight * 0.25),
gridPaintLight,
);
canvas.drawLine(
Offset(origin.dx, origin.dy + chartHeight * 0.75),
Offset(origin.dx + chartWidth, origin.dy + chartHeight * 0.75),
gridPaintLight,
);
final startMarkerPaint = Paint()
..color = Colors.orangeAccent
..strokeWidth = 1.5;
final formatter = DateFormat('M/d');
final textPainter = TextPainter(
textDirection: ui.TextDirection.ltr,
textAlign: TextAlign.center,
);
for (int i = 0; i < dayCount; i++) {
final x = origin.dx + dayStep * i;
final offsetFromFocus = i - focusIndex;
final isLabelTick =
offsetFromFocus >= 0 && offsetFromFocus % _labelIntervalDays == 0;
final paint = i == focusIndex
? startMarkerPaint
: (isLabelTick ? gridPaintMedium : gridPaintLight);
canvas.drawLine(
Offset(x, origin.dy),
Offset(x, origin.dy + chartHeight),
paint,
);
if (isLabelTick) {
final labelDate = normalizedFocus.add(Duration(days: offsetFromFocus));
textPainter.text = TextSpan(
text: formatter.format(labelDate),
style: textStyle.copyWith(color: Colors.grey.shade600),
);
textPainter.layout();
final dx = x - textPainter.width / 2;
final dy = origin.dy + chartHeight + 6;
textPainter.paint(canvas, Offset(dx, dy));
}
}
void drawCurve({required int period, required Color color}) {
final path = Path();
for (int i = 0; i < sampleCount; i++) {
final diff = startDiff + i * 0.5;
final value = math.sin(2 * math.pi * diff / period);
final x = origin.dx + sampleStep * i;
final y = baselineY - value * amplitude;
if (i == 0) {
path.moveTo(x, y);
} else {
path.lineTo(x, y);
}
}
final paint = Paint()
..color = color
..style = PaintingStyle.stroke
..strokeWidth = 2.5
..strokeJoin = StrokeJoin.round
..strokeCap = StrokeCap.round;
canvas.drawPath(path, paint);
}
drawCurve(period: 23, color: physicalColor);
drawCurve(period: 28, color: emotionalColor);
drawCurve(period: 33, color: intellectualColor);
}
@override
bool shouldRepaint(covariant _BiorhythmPainter oldDelegate) {
return birthDate != oldDelegate.birthDate ||
startDate != oldDelegate.startDate ||
physicalColor != oldDelegate.physicalColor ||
emotionalColor != oldDelegate.emotionalColor ||
intellectualColor != oldDelegate.intellectualColor ||
visibleDays != oldDelegate.visibleDays ||
textStyle != oldDelegate.textStyle;
}
}
class ConstValue {
ConstValue._();
static const int birthSlotCount = 6;
static const String defaultBirthDate = '2000/01/01';
}
import 'dart:math' as math;
import 'package:flutter/material.dart';
import 'package:intl/intl.dart';
import 'ad_banner_widget.dart';
import 'ad_manager.dart';
import 'biorhythm_chart.dart';
import 'const_value.dart';
import 'l10n/app_localizations.dart';
import 'loading_screen.dart';
import 'main.dart';
import 'parse_locale_tag.dart';
import 'model.dart';
import 'setting_page.dart';
import 'theme_mode_number.dart';
import 'theme_color.dart';
class MainHomePage extends StatefulWidget {
const MainHomePage({super.key});
@override
State<MainHomePage> createState() => _MainHomePageState();
}
class _MainHomePageState extends State<MainHomePage> {
final DateFormat _formatter = DateFormat('yyyy/MM/dd');
late AdManager _adManager;
late ThemeColor _themeColor;
late List<DateTime> _birthDates;
DateTime _chartStartDate = _normalizeDate(DateTime.now());
int _selectedIndex = 0;
bool _isReady = false;
double _dragAccumulator = 0;
bool _isFirst = true;
@override
void initState() {
super.initState();
_initState();
}
void _initState() async {
_adManager = AdManager();
_birthDates = List<DateTime>.generate(ConstValue.birthSlotCount,
(_) => _parseOrDefault(ConstValue.defaultBirthDate),
);
await Model.ensureReady();
final loaded = Model.birthDates.map(_parseOrDefault).toList(growable: false);
if (mounted) {
setState(() {
_birthDates = loaded;
_isReady = true;
});
}
}
@override
void dispose() {
_adManager.dispose();
super.dispose();
}
static DateTime _normalizeDate(DateTime date) => DateTime(date.year, date.month, date.day);
DateTime _parseOrDefault(String value) {
try {
return _formatter.parseStrict(value);
} catch (_) {
return DateTime(2000, 1, 1);
}
}
String _formatDate(DateTime date) => _formatter.format(date);
int _percentageForPeriod(int period) {
final birth = _birthDates[_selectedIndex];
final diffDays = _chartStartDate.difference(birth).inDays;
final value = math.sin(2 * math.pi * diffDays / period);
return (value * 100).round();
}
String _formatPercent(int value) {
final sign = value > 0 ? '+' : '';
return '$sign$value%';
}
Future<void> _onTapBirthDate() async {
final l = AppLocalizations.of(context)!;
final initialDate = _birthDates[_selectedIndex];
final picked = await showDatePicker(
context: context,
initialDate: initialDate,
firstDate: DateTime(1900, 1, 1),
lastDate: DateTime(2100, 12, 31),
helpText: l.birth,
locale: Localizations.localeOf(context),
);
if (picked != null) {
final normalized = _normalizeDate(picked);
setState(() {
_birthDates[_selectedIndex] = normalized;
});
await Model.setBirthDate(_selectedIndex, _formatDate(normalized));
}
}
Future<void> _onTapToday() async {
final l = AppLocalizations.of(context)!;
final picked = await showDatePicker(
context: context,
initialDate: _chartStartDate,
firstDate: DateTime(1900, 1, 1),
lastDate: DateTime(2100, 12, 31),
helpText: l.current,
locale: Localizations.localeOf(context),
);
if (picked != null) {
setState(() {
_chartStartDate = _normalizeDate(picked);
});
}
}
void _updateStartDateBy(int days) {
setState(() {
_chartStartDate = _normalizeDate(
_chartStartDate.add(Duration(days: days)),
);
});
}
void _onSelectTab(int index) {
setState(() {
_selectedIndex = index;
});
}
Future<void> _onOpenSetting() async {
final updated = await Navigator.push<bool>(
context,
MaterialPageRoute(builder: (_) => const SettingPage()),
);
if (!mounted) {
return;
}
if (updated == true) {
final mainState = context.findAncestorStateOfType<MainAppState>();
if (mainState != null) {
mainState
..themeMode = ThemeModeNumber.numberToThemeMode(Model.themeNumber)
..locale = parseLocaleTag(Model.languageCode)
..setState(() {});
}
_isFirst = true;
}
setState(() {});
}
void _handleHorizontalDrag(DragUpdateDetails details) {
final delta = details.primaryDelta ?? 0;
if (delta == 0) {
return;
}
_dragAccumulator += delta;
const threshold = 20;
if (_dragAccumulator.abs() >= threshold) {
final direction = _dragAccumulator > 0 ? -1 : 1;
_updateStartDateBy(direction);
_dragAccumulator = 0;
}
}
void _resetDrag(DragEndDetails details) {
_dragAccumulator = 0;
}
@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 theme = Theme.of(context);
final birth = _birthDates[_selectedIndex];
final physical = _percentageForPeriod(23);
final emotional = _percentageForPeriod(28);
final intellectual = _percentageForPeriod(33);
return Scaffold(
backgroundColor: _themeColor.mainBackColor,
appBar: AppBar(
title: Text(l.appTitle, style: theme.textTheme.titleMedium?.copyWith(color: _themeColor.mainForeColor)),
centerTitle: false,
backgroundColor: Colors.transparent,
actions: [
IconButton(
icon: const Icon(Icons.settings),
color: _themeColor.mainForeColor,
tooltip: l.setting,
onPressed: _onOpenSetting,
),
],
),
body: SafeArea(
child: Column(
children: [
_buildSelectBirth(),
_buildDate(l, birth),
_buildPercent(l, physical, emotional, intellectual),
_buildChart(theme, birth),
const SizedBox(height: 4),
],
),
),
bottomNavigationBar: AdBannerWidget(adManager: _adManager),
);
}
Widget _buildSelectBirth() {
return Padding(
padding: const EdgeInsets.symmetric(horizontal: 4),
child: Card(
color: _themeColor.mainCardColor,
elevation: 0,
child: Padding(
padding: const EdgeInsets.symmetric(vertical: 8, horizontal: 8),
child: GridView.builder(
shrinkWrap: true,
physics: const NeverScrollableScrollPhysics(),
itemCount: ConstValue.birthSlotCount,
gridDelegate:
const SliverGridDelegateWithFixedCrossAxisCount(
crossAxisCount: 3,
mainAxisSpacing: 4,
crossAxisSpacing: 4,
childAspectRatio: 3,
),
itemBuilder: (context, i) => _BirthTab(
themeColor: _themeColor,
label: _formatDate(_birthDates[i]),
selected: _selectedIndex == i,
onTap: () => _onSelectTab(i),
),
),
),
),
);
}
Widget _buildDate(AppLocalizations l, DateTime birth) {
return Padding(
padding: const EdgeInsets.symmetric(horizontal: 4, vertical: 4),
child: Card(
margin: const EdgeInsets.symmetric(vertical: 0, horizontal: 4),
color: _themeColor.mainCardColor,
elevation: 0,
child: Padding(
padding: const EdgeInsets.symmetric(vertical: 6, horizontal: 16),
child: Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
children: [
_DateDisplay(
label: l.birth,
value: _formatDate(birth),
onTap: _onTapBirthDate,
),
const SizedBox(height: 12),
_DateDisplay(
label: l.current,
value: _formatDate(_chartStartDate),
onTap: _onTapToday,
),
],
)
)
)
);
}
Widget _buildPercent(AppLocalizations l, int physical, int emotional, int intellectual) {
return Padding(
padding: const EdgeInsets.symmetric(horizontal: 4, vertical: 4),
child: Card(
margin: const EdgeInsets.symmetric(vertical: 0, horizontal: 4),
color: _themeColor.mainCardColor,
elevation: 0,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 4, vertical: 4),
child: Row(
crossAxisAlignment: CrossAxisAlignment.end,
children: [
_BiorhythmValueTile(label: l.physical,
value: _formatPercent(physical),
color: const Color(0xFF00DD00),
),
_BiorhythmValueTile(label: l.emotional,
value: _formatPercent(emotional),
color: const Color(0xFFFF4444),
),
_BiorhythmValueTile(label: l.intellectual,
value: _formatPercent(intellectual),
color: const Color(0xFF6666FF),
),
],
),
)
)
);
}
Widget _buildChart(ThemeData theme, DateTime birth) {
return Expanded(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 8, vertical: 4),
child: GestureDetector(
onHorizontalDragUpdate: _handleHorizontalDrag,
onHorizontalDragEnd: _resetDrag,
child: Card(
margin: EdgeInsets.zero,
color: _themeColor.mainCardColor,
elevation: 0,
child: Column(
children: [
Expanded(
child: Padding(
padding: const EdgeInsets.all(4),
child: BiorhythmChart(
birthDate: birth,
startDate: _chartStartDate,
physicalColor: const Color(0xFF00DD00),
emotionalColor: const Color(0xFFFF4444),
intellectualColor: const Color(0xFF6666FF),
themeColor: _themeColor,
),
),
),
Padding(
padding: const EdgeInsets.only(bottom: 8),
child: Icon(Icons.swipe, size: 20, color: Colors.grey),
),
],
),
),
)
),
);
}
}
class _BirthTab extends StatelessWidget {
final ThemeColor themeColor;
final String label;
final bool selected;
final VoidCallback onTap;
const _BirthTab({
required this.themeColor,
required this.label,
required this.selected,
required this.onTap,
});
@override
Widget build(BuildContext context) {
final theme = Theme.of(context);
final background = selected ? themeColor.mainBirthBackSelectColor : themeColor.mainBirthBackColor;
final borderColor = selected ? themeColor.mainBirthBorderSelectColor : themeColor.mainBirthBorderColor;
return GestureDetector(
onTap: onTap,
child: AnimatedContainer(
duration: const Duration(milliseconds: 160),
decoration: BoxDecoration(
color: background,
borderRadius: BorderRadius.circular(12),
border: Border.all(color: borderColor, width: 2),
),
child: Center(
child: Text(label, style: theme.textTheme.bodySmall, textAlign: TextAlign.center),
),
),
);
}
}
class _DateDisplay extends StatelessWidget {
final String label;
final String value;
final VoidCallback onTap;
const _DateDisplay({
required this.label,
required this.value,
required this.onTap,
});
@override
Widget build(BuildContext context) {
final theme = Theme.of(context);
return Row(
crossAxisAlignment: CrossAxisAlignment.center,
children: [
Text(label, style: theme.textTheme.titleMedium),
Expanded(
child: InkWell(
onTap: onTap,
borderRadius: BorderRadius.circular(12),
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 8),
child: Row(
mainAxisAlignment: MainAxisAlignment.end,
children: [
Text(
value,
style: theme.textTheme.displaySmall?.copyWith(
fontWeight: FontWeight.bold,
letterSpacing: 1.2,
),
),
const SizedBox(width: 4),
const Icon(Icons.touch_app, size: 20, color: Colors.grey),
],
),
),
),
),
],
);
}
}
class _BiorhythmValueTile extends StatelessWidget {
final String label;
final String value;
final Color color;
const _BiorhythmValueTile({
required this.label,
required this.value,
required this.color,
});
@override
Widget build(BuildContext context) {
final theme = Theme.of(context);
return Expanded(
child: Padding(
padding: const EdgeInsets.symmetric(vertical: 4, horizontal: 4),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Text(
label,
textAlign: TextAlign.center,
style: theme.textTheme.labelMedium?.copyWith(color: color),
),
const SizedBox(height: 4),
Text(
value,
style: theme.textTheme.titleLarge?.copyWith(
fontWeight: FontWeight.w600,
color: color,
),
),
],
),
),
);
}
}
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.blue),
backgroundColor: Colors.white,
),
),
);
}
}
import 'package:flutter/material.dart';
import 'package:flutter/services.dart';
import 'package:flutter_localizations/flutter_localizations.dart';
import 'package:google_mobile_ads/google_mobile_ads.dart';
import 'home_page.dart';
import 'l10n/app_localizations.dart';
import 'model.dart';
import 'theme_mode_number.dart';
import 'parse_locale_tag.dart';
import 'loading_screen.dart';
void main() async {
WidgetsFlutterBinding.ensureInitialized();
SystemChrome.setEnabledSystemUIMode(SystemUiMode.edgeToEdge);
SystemChrome.setSystemUIOverlayStyle(
const SystemUiOverlayStyle(
statusBarColor: Colors.transparent,
systemNavigationBarColor: Colors.transparent,
),
);
await 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.system;
Locale? locale;
bool _isReady = false;
@override
void initState() {
super.initState();
_init();
}
Future<void> _init() async {
await Model.ensureReady();
themeMode = ThemeModeNumber.numberToThemeMode(Model.themeNumber);
locale = parseLocaleTag(Model.languageCode);
if (mounted) {
setState(() {
_isReady = true;
});
}
}
@override
Widget build(BuildContext context) {
if (!_isReady) {
return MaterialApp(
debugShowCheckedModeBanner: false,
home: const LoadingScreen(),
);
}
const seed = Colors.grey;
return MaterialApp(
debugShowCheckedModeBanner: false,
localizationsDelegates: const [
AppLocalizations.delegate,
GlobalMaterialLocalizations.delegate,
GlobalCupertinoLocalizations.delegate,
GlobalWidgetsLocalizations.delegate,
],
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 MainHomePage(),
);
}
}
import 'package:shared_preferences/shared_preferences.dart';
import 'const_value.dart';
class Model {
Model._();
static const String _prefThemeNumber = 'themeNumber';
static const String _prefLanguageCode = 'languageCode';
static const String _prefBirthDatePrefix = 'birthDate';
static bool _ready = false;
static int _themeNumber = 0;
static String _languageCode = '';
static final List<String> _birthDates = List<String>.filled(ConstValue.birthSlotCount,ConstValue.defaultBirthDate);
static int get themeNumber => _themeNumber;
static String get languageCode => _languageCode;
static List<String> get birthDates => List<String>.unmodifiable(_birthDates);
static Future<void> ensureReady() async {
if (_ready) {
return;
}
final prefs = await SharedPreferences.getInstance();
_themeNumber = (prefs.getInt(_prefThemeNumber) ?? 0).clamp(0, 2);
_languageCode = prefs.getString(_prefLanguageCode) ?? '';
for (var i = 0; i < ConstValue.birthSlotCount; i++) {
_birthDates[i] = prefs.getString('$_prefBirthDatePrefix${i + 1}') ?? ConstValue.defaultBirthDate;
}
_ready = true;
}
static Future<void> setThemeNumber(int value) async {
_themeNumber = value;
final prefs = await SharedPreferences.getInstance();
await prefs.setInt(_prefThemeNumber, value);
}
static Future<void> setLanguageCode(String value) async {
_languageCode = value;
final prefs = await SharedPreferences.getInstance();
await prefs.setString(_prefLanguageCode, value);
}
static Future<void> setBirthDate(int index, String value) async {
if (index < 0 || index >= ConstValue.birthSlotCount) {
throw RangeError.index(index, _birthDates, 'index');
}
_birthDates[index] = value;
final prefs = await SharedPreferences.getInstance();
await prefs.setString('$_prefBirthDatePrefix${index + 1}', 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 'package:flutter/material.dart';
import 'package:google_mobile_ads/google_mobile_ads.dart';
import 'ad_banner_widget.dart';
import 'ad_manager.dart';
import 'ad_ump_status.dart';
import 'l10n/app_localizations.dart';
import 'model.dart';
import 'theme_color.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 _isFirst = true;
@override
void initState() {
super.initState();
_adManager = AdManager();
_adUmp = UmpConsentController();
_themeNumber = Model.themeNumber;
_languageCode = Model.languageCode;
_refreshConsentInfo();
}
@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}')),
);
}
}
Future<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 (_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),
tooltip: l.cancel,
onPressed: () => Navigator.of(context).pop(false),
),
title: Text(l.setting),
centerTitle: true,
actions: [
IconButton(
icon: const Icon(Icons.check),
tooltip: l.apply,
onPressed: _onApply,
),
],
),
body: ListView(
padding: const EdgeInsets.only(left: 12, right: 12, top: 0, bottom: 100),
children: [
_buildTheme(l),
_buildLanguage(l),
_buildCmp(l),
_buildUsage(l),
],
),
bottomNavigationBar: AdBannerWidget(adManager: _adManager),
);
}
Widget _buildTheme(AppLocalizations l) {
return Card(
margin: const EdgeInsets.symmetric(vertical: 8),
color: _themeColor.cardColor,
elevation: 0,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 8),
child: Row(
children: [
Expanded(
child: Text(
l.theme,
style: Theme.of(context).textTheme.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': '中文',
};
return Card(
margin: const EdgeInsets.symmetric(vertical: 8),
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: Theme.of(context).textTheme.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 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.symmetric(vertical: 8),
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: Theme.of(context).textTheme.bodyMedium,
),
const SizedBox(height: 8),
Text(
l.cmpConsentDescription,
style: Theme.of(context).textTheme.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: Theme.of(context).textTheme.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) {
return Card(
margin: const EdgeInsets.symmetric(vertical: 8),
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: Theme.of(context).textTheme.bodySmall,
),
const SizedBox(height: 12),
Text(
l.usage2,
style: Theme.of(context).textTheme.bodySmall,
),
],
),
),
);
}
}
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;
bool get isLight => _isLight;
//main
Color get mainBackColor => _isLight ? Color.fromRGBO(238, 238, 238, 1.0) : Color.fromRGBO(0, 0, 0, 1.0);
Color get mainCardColor => _isLight ? Color.fromRGBO(255, 255, 255, 1.0) : Color.fromRGBO(34, 34, 34, 1.0);
Color get mainForeColor => _isLight ? Colors.grey[500]! : Colors.grey[500]!;
Color get mainChartBorderColor => _isLight ? Colors.grey[500]! : Colors.grey[700]!;
Color get mainBirthBackColor => _isLight ? Color.fromRGBO(238, 238, 238, 1.0) : Color.fromRGBO(34, 34, 34, 1.0);
Color get mainBirthBackSelectColor => _isLight ? Color.fromRGBO(255, 255, 255, 1.0) : Color.fromRGBO(51, 51, 51, 1.0);
Color get mainBirthBorderColor => _isLight ? Color.fromRGBO(221, 221, 221, 1.0) : Color.fromRGBO(68, 68, 68, 1.0);
Color get mainBirthBorderSelectColor => _isLight ? Color.fromRGBO(136, 136, 136, 1.0) : Color.fromRGBO(136, 136, 136, 1.0);
//setting page
Color get backColor => _isLight ? Colors.grey[300]! : 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;
}
}
}
import 'package:flutter/cupertino.dart';
import 'package:google_mobile_ads/google_mobile_ads.dart';
import '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 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
*/