name: soundgenerator
description: "soundgenerator"
publish_to: 'none'
version: 1.0.2+3
environment:
sdk: ^3.10.4
dependencies:
flutter:
sdk: flutter
flutter_localizations: #flutter gen-l10n
sdk: flutter
cupertino_icons: ^1.0.8
intl: ^0.20.2
shared_preferences: ^2.3.2
google_mobile_ads: ^7.0.0
flutter_pcm_sound: ^3.3.3
dev_dependencies:
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_lints: ^6.0.0
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: '#131313'
image: 'assets/image/splash.png'
color_dark: '#131313'
image_dark: 'assets/image/splash.png'
fullscreen: true
android_12:
icon_background_color: '#131313'
image: 'assets/image/splash.png'
icon_background_color_dark: '#131313'
image_dark: 'assets/image/splash.png'
flutter:
generate: true
uses-material-design: true
import 'package:flutter/cupertino.dart';
import 'package:google_mobile_ads/google_mobile_ads.dart';
import 'package:soundgenerator/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:soundgenerator/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';
import 'package:flutter/material.dart';
import 'package:flutter_pcm_sound/flutter_pcm_sound.dart';
import 'package:soundgenerator/parse_locale_tag.dart';
import 'package:soundgenerator/setting_page.dart';
import 'package:soundgenerator/theme_color.dart';
import 'package:soundgenerator/theme_mode_number.dart';
import 'package:soundgenerator/waveform_painter.dart';
import 'package:soundgenerator/ad_manager.dart';
import 'package:soundgenerator/loading_screen.dart';
import 'package:soundgenerator/model.dart';
import 'package:soundgenerator/main.dart';
import 'package:soundgenerator/ad_banner_widget.dart';
class MainHomePage extends StatefulWidget {
const MainHomePage({super.key});
@override
State<MainHomePage> createState() => _MainHomePageState();
}
class _MainHomePageState extends State<MainHomePage>with WidgetsBindingObserver {
late AdManager _adManager;
late ThemeColor _themeColor;
bool _isReady = false;
bool _isFirst = true;
//
final TextEditingController _freqController = TextEditingController();
String _waveType = 'Sine';
double _gain = 0.5;
double _frequency = 440.0;
double _lfoFreq = 0.0;
double _lfoDepth = 0.0;
double _panner = 0.0;
bool _isPlaying = false;
int _octave = 0;
double _currentBaseFreq = 440.0;
//内部状態
double _phase = 0.0;
double _lfoPhase = 0.0;
static const int _sampleRate = 44100;
//オシロスコープ用データ
List<double> _leftSamples = [];
List<double> _rightSamples = [];
//ピアノ音階データ(C4〜B4)
final Map<String, double> _notes = {
'C': 261.63, 'C#': 277.18, 'D': 293.66, 'D#': 311.13,
'E': 329.63, 'F': 349.23, 'F#': 369.99, 'G': 392.00,
'G#': 415.30, 'A': 440.00, 'A#': 466.16, 'B': 493.88,
'C5': 523.25,
};
// フェード用変数
double _envelope = 0.0;
bool _isStopping = false;
static const double _fadeDuration = 0.3; //秒
static const double _fadeStep = 1.0 / (_sampleRate * _fadeDuration); // 1サンプルあたりの変化量
@override
void initState() {
super.initState();
_initState();
}
void _initState() async {
_adManager = AdManager();
_freqController.text = _frequency.toStringAsFixed(2);
WidgetsBinding.instance.addObserver(this); // ライフサイクル監視
_initAudio();
if (mounted) {
setState(() {
_isReady = true;
});
}
}
@override
void dispose() {
WidgetsBinding.instance.removeObserver(this);
_freqController.dispose();
FlutterPcmSound.release();
_adManager.dispose();
super.dispose();
}
void _initAudio() async {
await FlutterPcmSound.setup(sampleRate: _sampleRate, channelCount: 2);
await FlutterPcmSound.setFeedThreshold(_sampleRate ~/ 20);
FlutterPcmSound.setFeedCallback(_onFeed);
}
void _onFeed(int remainingFrames) async {
// 再生中ではない、かつフェードも終わっている(無音)なら何もしない
if (!_isPlaying && _envelope <= 0) {
return;
}
const int framesToGenerate = 2048;
final List<int> buffer = [];
final List<double> currentL = [];
final List<double> currentR = [];
for (int i = 0; i < framesToGenerate; i++) {
// --- エンベロープ処理 ---
if (_isPlaying && !_isStopping) {
// フェードイン
_envelope = (_envelope + _fadeStep).clamp(0.0, 1.0);
} else if (_isStopping) {
// フェードアウト
_envelope = (_envelope - _fadeStep).clamp(0.0, 1.0);
if (_envelope <= 0) {
// 完全に消音したら状態をリセット
_isPlaying = false;
_isStopping = false;
}
}
// 位相計算
_lfoPhase += 2 * pi * _lfoFreq / _sampleRate;
double vibrato = sin(_lfoPhase) * _lfoDepth;
double currentFreq = (_frequency + vibrato).clamp(20.0, 20000.0);
_phase += 2 * pi * currentFreq / _sampleRate;
_phase %= 2 * pi;
double sample = _calcSample(_phase, _waveType);
// エンベロープ(_envelope)を音量に乗算
double leftVol = _gain * _envelope * (1.0 - _panner).clamp(0.0, 1.0);
double rightVol = _gain * _envelope * (1.0 + _panner).clamp(0.0, 1.0);
buffer.add((sample * leftVol * 32767).toInt());
buffer.add((sample * rightVol * 32767).toInt());
if (i < 256) {
currentL.add(sample * leftVol);
currentR.add(sample * rightVol);
}
}
// まだ再生中、またはフェードアウトが終わっていない間だけ feed する
if (_isPlaying || _envelope > 0) {
await FlutterPcmSound.feed(PcmArrayInt16.fromList(buffer));
}
// グラフは常に最新の状態(フェード中も含む)を表示
setState(() {
_leftSamples = currentL;
_rightSamples = currentR;
});
}
void _togglePlay() async {
if (_isPlaying && !_isStopping) {
// STOPボタン押下:フェードアウト開始フラグを立てる
setState(() => _isStopping = true);
} else if (!_isPlaying) {
// PLAYボタン押下:再生開始
setState(() {
_isPlaying = true;
_isStopping = false;
_envelope = 0.0; // 0からフェードイン開始
});
FlutterPcmSound.start();
}
}
double _calcSample(double phase, String type) {
switch (type) {
case 'Sine': return sin(phase);
case 'Square': return sin(phase) >= 0 ? 1.0 : -1.0;
case 'Sawtooth': return 2.0 * (phase / (2 * pi) - (phase / (2 * pi)).floor()) - 1.0;
case 'Triangle': return (2.0 * (phase / (2 * pi) - (phase / (2 * pi) + 0.5).floor())).abs() * 2.0 - 1.0;
default: return 0.0;
}
}
//オクターブ変更処理
void _updateOctave(int delta) {
setState(() {
_octave += delta;
// 現在のベース音 × 2のオクターブ乗 でリアルタイムに周波数を更新
_frequency = (_currentBaseFreq * pow(2, _octave)).clamp(20.0, 20000.0);
});
}
void _playNote(double baseFreq) {
setState(() {
_currentBaseFreq = baseFreq; // 押した鍵盤の基本周波数を記憶
_frequency = (baseFreq * pow(2, _octave)).clamp(20.0, 20000.0);
});
}
void _resetOctave() {
setState(() {
_octave = 0;
_frequency = _currentBaseFreq;
});
}
void _onSetting() async {
final updatedSettings = await Navigator.push(
context,
MaterialPageRoute(
builder: (context) => SettingPage(),
),
);
if (updatedSettings != null) {
if (mounted) {
final mainState = context.findAncestorStateOfType<MainAppState>();
if (mainState != null) {
mainState
..locale = parseLocaleTag(Model.languageCode)
..themeMode = ThemeModeNumber.numberToThemeMode(Model.themeNumber)
..setState(() {});
}
}
if (mounted) {
setState(() {
_isFirst = true;
});
}
}
}
@override
Widget build(BuildContext context) {
if (!_isReady) {
return LoadingScreen();
}
if (_isFirst) {
_isFirst = false;
_themeColor = ThemeColor(themeNumber: Model.themeNumber, context: context);
}
return Scaffold(
backgroundColor: _themeColor.mainBackColor,
appBar: PreferredSize(
preferredSize: const Size.fromHeight(40.0),
child: AppBar(
backgroundColor: Colors.transparent,
elevation: 0,
actions: [
IconButton(
padding: EdgeInsets.zero,
icon: Icon(
Icons.settings,
color: _themeColor.mainForeColor.withValues(alpha: 0.5),
),
onPressed: _onSetting,
),
const SizedBox(width: 10),
],
)
),
body: GestureDetector(
onTap: () => FocusScope.of(context).unfocus(),
child: SingleChildScrollView(
padding: const EdgeInsets.only(left: 8, right: 8, top: 1, bottom: 100),
child: Column(
children: [
_buildOscilloscope(),
_buildOctavePianoKeyboard(),
_buildSelector(),
_buildPlayButton(),
]
)
)
),
bottomNavigationBar: AdBannerWidget(adManager: _adManager),
);
}
Widget _buildOscilloscope() {
return Container(
height: 80,
width: double.infinity,
decoration: BoxDecoration(
color: _themeColor.mainCardColor,
borderRadius: BorderRadius.circular(12),
),
child: CustomPaint(
painter: WaveformPainter(left: _leftSamples, right: _rightSamples),
),
);
}
Widget _buildOctavePianoKeyboard() {
return SizedBox(
width: double.infinity,
child: Card(
margin: const EdgeInsets.only(left: 0, top: 8, right: 0, bottom: 0),
color: _themeColor.cardColor,
elevation: 0,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 12, vertical: 1),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
_buildOctave(),
_buildPianoKeyboard()
],
),
),
)
);
}
Widget _buildOctave() {
return Row(
mainAxisAlignment: MainAxisAlignment.center,
children: [
Text("Octave: ", style: TextStyle(color: _themeColor.mainForeColor)),
IconButton(
icon: const Icon(Icons.remove_circle_outline),
onPressed: () => _updateOctave(-1),
),
Text("$_octave", style: TextStyle(color: _themeColor.mainForeColor, fontSize: 20, fontWeight: FontWeight.bold)),
IconButton(
icon: const Icon(Icons.add_circle_outline),
onPressed: () => _updateOctave(1),
),
TextButton(
onPressed: _resetOctave,
child: const Text("Reset"),
)
],
);
}
Widget _buildPianoKeyboard() {
return LayoutBuilder(
builder: (context, constraints) {
// 画面の横幅を8分割して白鍵1枚の幅を決める
final double totalWidth = constraints.maxWidth;
final double whiteKeyWidth = totalWidth / 8;
// 高さは幅に合わせてバランス調整(例:幅の2.5倍)
final double whiteKeyHeight = whiteKeyWidth * 1.3;
final double blackKeyWidth = whiteKeyWidth * 0.8;
final double blackKeyHeight = whiteKeyHeight * 0.5;
final List<String> whiteNotes = ['C', 'D', 'E', 'F', 'G', 'A', 'B', 'C5'];
final Map<int, String> blackNotes = {0: 'C#', 1: 'D#', 3: 'F#', 4: 'G#', 5: 'A#'};
return SizedBox(
height: whiteKeyHeight + 10,
width: totalWidth, // 親要素(画面幅)いっぱいに広げる
child: Stack(
clipBehavior: Clip.none,
children: [
// 1. 白鍵を並べる
Row(
children: whiteNotes.map((note) {
return SizedBox(
width: whiteKeyWidth,
height: whiteKeyHeight,
child: ElevatedButton(
style: ElevatedButton.styleFrom(
backgroundColor: Colors.white,
foregroundColor: Colors.black,
elevation: 4,
shape: const RoundedRectangleBorder(
borderRadius: BorderRadius.vertical(bottom: Radius.circular(5)),
),
side: const BorderSide(color: Colors.black26, width: 0.5),
padding: const EdgeInsets.only(bottom: 10),
),
onPressed: () => _playNote(_notes[note]!),
child: Align(
alignment: Alignment.bottomCenter,
child: Text(note, style: const TextStyle(fontSize: 10, fontWeight: FontWeight.bold)),
),
),
);
}).toList(),
),
// 2. 黒鍵を重ねる
...blackNotes.entries.map((entry) {
int index = entry.key;
String note = entry.value;
// 白鍵の境界線上に配置
double leftPosition = (index + 1) * whiteKeyWidth - (blackKeyWidth / 2);
return Positioned(
left: leftPosition,
top: 0,
child: SizedBox(
width: blackKeyWidth,
height: blackKeyHeight,
child: ElevatedButton(
style: ElevatedButton.styleFrom(
backgroundColor: Colors.black,
foregroundColor: Colors.white,
elevation: 6,
shape: const RoundedRectangleBorder(
borderRadius: BorderRadius.vertical(bottom: Radius.circular(3)),
),
padding: EdgeInsets.zero,
),
onPressed: () => _playNote(_notes[note]!),
child: Align(
alignment: Alignment.bottomCenter,
child: Padding(
padding: const EdgeInsets.only(bottom: 8),
child: Text(note, style: const TextStyle(fontSize: 8, color: Colors.white70)),
),
),
),
),
);
}),
],
),
);
},
);
}
Widget _buildSelector() {
return SizedBox(
width: double.infinity,
child: Card(
margin: const EdgeInsets.only(left: 0, top: 8, right: 0, bottom: 0),
color: _themeColor.cardColor,
elevation: 0,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 12, vertical: 2),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Row(
children: [
Expanded(
child: _buildWaveTypeSelector(),
),
Expanded(
child: _buildTextFrequency(),
),
],
),
_buildSlider("Frequency (Hz)",
_frequency.clamp(20.0, 20000.0), 20.0, 20000.0, (v) => setState(() {
_frequency = v;
_currentBaseFreq = v / pow(2, _octave); //スライダーを動かした時もベース音を逆算して同期
_freqController.text = v.toStringAsFixed(2);
}),
),
_buildSlider("Gain", _gain, 0.0, 1.0, (v) => setState(() => _gain = v)),
_buildSlider("LFO Freq", _lfoFreq, 0.0, 20.0, (v) => setState(() => _lfoFreq = v)),
_buildSlider("LFO Depth", _lfoDepth, 0.0, 100.0, (v) => setState(() => _lfoDepth = v)),
_buildSlider("Panner", _panner, -1.0, 1.0, (v) => setState(() => _panner = v)),
],
),
),
)
);
}
Widget _buildTextFrequency() {
return SizedBox(
height: 35,
child: TextFormField(
controller: _freqController,
keyboardType: TextInputType.number,
style: TextStyle(color: _themeColor.mainForeColor, fontWeight: FontWeight.bold, fontSize: 14),
textAlign: TextAlign.center,
decoration: InputDecoration(
contentPadding: const EdgeInsets.symmetric(horizontal: 4),
filled: true,
fillColor: Colors.white10,
border: OutlineInputBorder(
borderRadius: BorderRadius.circular(8),
borderSide: BorderSide.none,
),
),
onFieldSubmitted: (value) {
double? newValue = double.tryParse(value);
if (newValue != null) {
setState(() {
_frequency = newValue.clamp(20.0, 20000.0);
_currentBaseFreq = _frequency / pow(2, _octave);
_freqController.text = _frequency.toStringAsFixed(2);
});
}
},
),
);
}
Widget _buildWaveTypeSelector() {
final ColorScheme t = Theme.of(context).colorScheme;
return Container(
margin: const EdgeInsets.only(bottom: 10),
padding: const EdgeInsets.symmetric(horizontal: 16),
decoration: BoxDecoration(borderRadius: BorderRadius.circular(10)),
child: DropdownButton<String>(
value: _waveType,
isExpanded: true,
dropdownColor: _themeColor.mainDropdownColor,
style: TextStyle(color: t.primary, fontSize: 18),
items: ['Sine', 'Square', 'Sawtooth', 'Triangle']
.map((t) => DropdownMenuItem(value: t, child: Text(t))).toList(),
onChanged: (v) => setState(() => _waveType = v!),
),
);
}
Widget _buildSlider(String label, double value, double min, double max, ValueChanged<double> onChanged) {
return Column(
children: [
Row(
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: [
Text(label, style: TextStyle(color: _themeColor.mainForeColor)),
Text(value.toStringAsFixed(2), style: TextStyle(color: _themeColor.mainForeColor, fontWeight: FontWeight.bold)),
],
),
Slider(value: value, min: min, max: max, onChanged: onChanged, label: value.toStringAsFixed(2)),
],
);
}
Widget _buildPlayButton() {
final ColorScheme t = Theme.of(context).colorScheme;
return Padding(
padding: const EdgeInsets.only(top: 8.0),
child: Row(
children: [
// PLAY ボタン
Expanded(
child: SizedBox(
height: 40,
child: ElevatedButton(
onPressed: _isPlaying ? null : _togglePlay,
style: ElevatedButton.styleFrom(
elevation: 0,
backgroundColor: _isPlaying ? t.secondary : t.primary,
shape: RoundedRectangleBorder(
borderRadius: BorderRadius.circular(12),
),
),
child: Text("PLAY",
style: TextStyle(
fontSize: 14,
fontWeight: FontWeight.bold,
color: _isPlaying ? _themeColor.mainForeColor : _themeColor.mainButtonForeColor
)
),
),
),
),
const SizedBox(width: 8),
// STOP ボタン
Expanded(
child: SizedBox(
height: 40,
child: ElevatedButton(
onPressed: !_isPlaying ? null : _togglePlay,
style: ElevatedButton.styleFrom(
elevation: 0,
backgroundColor: !_isPlaying ? t.secondary : t.primary,
shape: RoundedRectangleBorder(
borderRadius: BorderRadius.circular(12),
),
),
child: Text("STOP",
style: TextStyle(
fontSize: 14,
fontWeight: FontWeight.bold,
color: !_isPlaying ? _themeColor.mainForeColor : _themeColor.mainButtonForeColor
)
),
),
),
),
],
),
);
}
}
import 'package:flutter/material.dart';
class LoadingScreen extends StatelessWidget {
const LoadingScreen({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
backgroundColor: Colors.deepPurple,
body: const Center(
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
CircularProgressIndicator(
valueColor: AlwaysStoppedAnimation<Color>(Colors.purple),
backgroundColor: Colors.white,
),
SizedBox(height: 16),
Text(
'Loading...',
style: TextStyle(
color: Colors.white,
fontSize: 16,
),
),
],
),
),
);
}
}
import 'package:flutter/material.dart';
import 'package:flutter/services.dart';
import 'package:google_mobile_ads/google_mobile_ads.dart';
import "package:soundgenerator/home_page.dart";
import 'package:soundgenerator/l10n/app_localizations.dart';
import 'package:soundgenerator/loading_screen.dart';
import 'package:soundgenerator/model.dart';
import 'package:soundgenerator/parse_locale_tag.dart';
import 'package:soundgenerator/theme_mode_number.dart';
void main() {
WidgetsFlutterBinding.ensureInitialized();
SystemChrome.setEnabledSystemUIMode(SystemUiMode.edgeToEdge);
SystemChrome.setSystemUIOverlayStyle(
const SystemUiOverlayStyle(
statusBarBrightness: Brightness.dark,
statusBarIconBrightness: Brightness.light,
systemNavigationBarIconBrightness: Brightness.light,
systemStatusBarContrastEnforced: false,
systemNavigationBarContrastEnforced: false,
),
);
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;
@override
void initState() {
super.initState();
_initState();
}
void _initState() async {
await Model.ensureReady();
themeMode = ThemeModeNumber.numberToThemeMode(Model.themeNumber);
locale = parseLocaleTag(Model.languageCode);
if (!mounted) {
return;
}
setState(() {
_isReady = true;
});
}
Color _getRainbowAccentColor(int hue) {
return HSVColor.fromAHSV(1.0, hue.toDouble(), 1.0, 1.0).toColor();
}
@override
Widget build(BuildContext context) {
if (!_isReady) {
return MaterialApp(
debugShowCheckedModeBanner: false,
home: Scaffold(body: Center(child: LoadingScreen())),
);
}
final seed = _getRainbowAccentColor(Model.schemeColor);
final colorSchemeLight = ColorScheme.fromSeed(seedColor: seed, brightness: Brightness.light);
final colorSchemeDark = ColorScheme.fromSeed(seedColor: seed, brightness: Brightness.dark);
//アイコンテーマを生成する関数、または直接指定
IconThemeData buildIconTheme(ColorScheme colors) => IconThemeData(
color: colors.primary,
size: 24,
);
final commonElevatedButtonTheme = ElevatedButtonThemeData(
style: ElevatedButton.styleFrom(
shape: RoundedRectangleBorder(
borderRadius: BorderRadius.circular(8),
),
),
);
final commonSliderTheme = SliderThemeData(
activeTrackColor: null,
thumbColor: null,
showValueIndicator: ShowValueIndicator.onDrag,
thumbShape: RoundSliderThumbShape(enabledThumbRadius: 10),
valueIndicatorTextStyle: TextStyle(color: Colors.black),
);
return MaterialApp(
debugShowCheckedModeBanner: false,
localizationsDelegates: AppLocalizations.localizationsDelegates,
supportedLocales: AppLocalizations.supportedLocales,
locale: locale,
themeMode: themeMode,
theme: ThemeData(
useMaterial3: true,
colorScheme: ColorScheme.fromSeed(seedColor: seed, brightness: Brightness.light),
sliderTheme: commonSliderTheme,
elevatedButtonTheme: commonElevatedButtonTheme,
iconTheme: buildIconTheme(colorSchemeLight),
),
darkTheme: ThemeData(
useMaterial3: true,
colorScheme: ColorScheme.fromSeed(seedColor: seed, brightness: Brightness.dark),
sliderTheme: commonSliderTheme,
elevatedButtonTheme: commonElevatedButtonTheme,
iconTheme: buildIconTheme(colorSchemeDark),
),
home: const MainHomePage(),
);
}
}
import 'dart:ui' as ui;
import 'package:shared_preferences/shared_preferences.dart';
import 'package:soundgenerator/l10n/app_localizations.dart';
class Model {
Model._();
static const String _prefSchemeColor = 'schemeColor';
static const String _prefThemeNumber = 'themeNumber';
static const String _prefLanguageCode = 'languageCode';
static bool _ready = false;
static int _schemeColor = 0;
static int _themeNumber = 0;
static String _languageCode = '';
static int get schemeColor => _schemeColor;
static int get themeNumber => _themeNumber;
static String get languageCode => _languageCode;
static Future<void> ensureReady() async {
if (_ready) {
return;
}
final SharedPreferences prefs = await SharedPreferences.getInstance();
//
_schemeColor = (prefs.getInt(_prefSchemeColor) ?? 0).clamp(0, 360);
_themeNumber = (prefs.getInt(_prefThemeNumber) ?? 0).clamp(0, 2);
_languageCode = prefs.getString(_prefLanguageCode) ?? ui.PlatformDispatcher.instance.locale.languageCode;
_languageCode = _resolveLanguageCode(_languageCode);
_ready = true;
}
static String _resolveLanguageCode(String code) {
final supported = AppLocalizations.supportedLocales;
if (supported.any((l) => l.languageCode == code)) {
return code;
} else {
return '';
}
}
static Future<void> setSchemeColor(int value) async {
_schemeColor = value;
final SharedPreferences prefs = await SharedPreferences.getInstance();
await prefs.setInt(_prefSchemeColor, value);
}
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 "package:flutter/material.dart";
import 'package:google_mobile_ads/google_mobile_ads.dart';
import "package:soundgenerator/l10n/app_localizations.dart";
import "package:soundgenerator/ad_banner_widget.dart";
import "package:soundgenerator/ad_manager.dart";
import "package:soundgenerator/ad_ump_status.dart";
import 'package:soundgenerator/loading_screen.dart';
import 'package:soundgenerator/theme_color.dart';
import 'package:soundgenerator/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;
//
int _schemeColor = 0;
Color _accentColor = Colors.red;
@override
void initState() {
super.initState();
_initState();
}
void _initState() async {
_adManager = AdManager();
_themeNumber = Model.themeNumber;
_languageCode = Model.languageCode;
//
_adUmp = UmpConsentController();
_refreshConsentInfo();
//
_schemeColor = Model.schemeColor;
_accentColor = _getRainbowAccentColor(_schemeColor);
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}')),
);
}
}
Color _getRainbowAccentColor(int hue) {
return HSVColor.fromAHSV(1.0, hue.toDouble(), 1.0, 1.0).toColor();
}
void _onApply() async {
await Model.setSchemeColor(_schemeColor);
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.mainBackColor,
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: SafeArea(
child: 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: [
_buildBackgroundColor(l),
_buildTheme(l),
_buildLanguage(l),
_buildCmp(l),
]),
),
),
),
),
])
),
bottomNavigationBar: AdBannerWidget(adManager: _adManager),
);
}
Widget _buildBackgroundColor(AppLocalizations l) {
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: Column(
children: [
Padding(
padding: const EdgeInsets.only(left: 16, right: 16, top: 16),
child: Row(
children: [
Text(l.colorScheme),
const Spacer(),
],
),
),
Padding(
padding: const EdgeInsets.only(left: 16, right: 16),
child: Row(
children: <Widget>[
Text(_schemeColor.toStringAsFixed(0)),
Expanded(
child: SliderTheme(
data: SliderTheme.of(context).copyWith(
activeTrackColor: _accentColor,
inactiveTrackColor: _accentColor.withValues(alpha: 0.3),
thumbColor: _accentColor,
overlayColor: _accentColor.withValues(alpha: 0.2),
valueIndicatorColor: _accentColor,
),
child: Slider(
value: _schemeColor.toDouble(),
min: 0,
max: 360,
divisions: 360,
label: _schemeColor.toString(),
onChanged: (double value) {
setState(() {
_schemeColor = value.toInt();
_accentColor = _getRainbowAccentColor(_schemeColor);
});
}
)
)
),
],
),
),
],
)
);
}
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.mainCardColor,
elevation: 0,
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 4),
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 = {
'af': 'af: Afrikaans',
'ar': 'ar: العربية',
'bg': 'bg: Български',
'bn': 'bn: বাংলা',
'bs': 'bs: Bosanski',
'ca': 'ca: Català',
'cs': 'cs: Čeština',
'da': 'da: Dansk',
'de': 'de: Deutsch',
'el': 'el: Ελληνικά',
'en': 'en: English',
'es': 'es: Español',
'et': 'et: Eesti',
'fa': 'fa: فارسی',
'fi': 'fi: Suomi',
'fil': 'fil: Filipino',
'fr': 'fr: Français',
'gu': 'gu: ગુજરાતી',
'he': 'he: עברית',
'hi': 'hi: हिन्दी',
'hr': 'hr: Hrvatski',
'hu': 'hu: Magyar',
'id': 'id: Bahasa Indonesia',
'it': 'it: Italiano',
'ja': 'ja: 日本語',
//'jv': 'jv: Basa Jawa', //flutterのサポート外
'km': 'km: ខ្មែរ',
'kn': 'kn: ಕನ್ನಡ',
'ko': 'ko: 한국어',
'lt': 'lt: Lietuvių',
'lv': 'lv: Latviešu',
'ml': 'ml: മലയാളം',
'mr': 'mr: मराठी',
'ms': 'ms: Bahasa Melayu',
'my': 'my: မြန်မာ',
'ne': 'ne: नेपाली',
'nl': 'nl: Nederlands',
'or': 'or: ଓଡ଼ିଆ',
'pa': 'pa: ਪੰਜਾਬੀ',
'pl': 'pl: Polski',
'pt': 'pt: Português',
'ro': 'ro: Română',
'ru': 'ru: Русский',
'si': 'si: සිංහල',
'sk': 'sk: Slovenčina',
'sr': 'sr: Српски',
'sv': 'sv: Svenska',
'sw': 'sw: Kiswahili',
'ta': 'ta: தமிழ்',
'te': 'te: తెలుగు',
'th': 'th: ไทย',
'tl': 'tl: Tagalog',
'tr': 'tr: Türkçe',
'uk': 'uk: Українська',
'ur': 'ur: اردو',
'uz': 'uz: Oʻzbekcha',
'vi': 'vi: Tiếng Việt',
'zh': 'zh: 中文',
'zu': 'zu: isiZulu',
};
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),
),
],
],
),
),
],
),
),
);
}
}
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(200, 200, 200, 1.0);
Color get mainDropdownColor => mainCardColor;
Color get mainButtonForeColor => _isLight ? Color.fromRGBO(255, 255, 255, 1.0) : Color.fromRGBO(34, 34, 34, 1.0);
//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;
}
}
}
import 'package:flutter/material.dart';
class WaveformPainter extends CustomPainter {
final List<double> left;
final List<double> right;
WaveformPainter({required this.left, required this.right});
@override
void paint(Canvas canvas, Size size) {
if (left.isEmpty || right.isEmpty) {
return;
}
final double h = size.height / 2;
final double w = size.width / left.length;
// 左チャンネルのペイント設定(水色)
final paintL = Paint()
..color = Colors.cyanAccent.withValues(alpha: 0.6)
..style = PaintingStyle.stroke
..strokeWidth = 2;
// 右チャンネルのペイント設定(赤色)
final paintR = Paint()
..color = Colors.redAccent.withValues(alpha: 0.6)
..style = PaintingStyle.stroke
..strokeWidth = 2;
_drawPath(canvas, left, paintL, w, h);
_drawPath(canvas, right, paintR, w, h);
}
void _drawPath(Canvas canvas, List<double> samples, Paint paint, double w, double h) {
Path path = Path();
if (samples.isEmpty) {
return;
}
path.moveTo(0, h - samples[0] * h);
for (int i = 1; i < samples.length; i++) {
path.lineTo(i * w, h - samples[i] * h);
}
canvas.drawPath(path, paint);
}
@override
bool shouldRepaint(covariant WaveformPainter oldDelegate) {
// データが更新されたら再描画する
return oldDelegate.left != left || oldDelegate.right != right;
}
}