I'm trying to create a function where under buildKey I can input two elements, the background color and the soundNumber so that when buildKey is called I can enter say buildKey(red, 2) or buildKey(colName: red, soundNumber: 2) etc.
The soundNumber element works however no matter what I try I can't get a valid background color input to work.
Any help hugely appreciated.
class _MyHomePageState extends State<MyHomePage> {
void playSound(int noteNumber) {
AssetsAudioPlayer.newPlayer().open(
Audio("/assets/note$noteNumber.wav"),
);
}
Expanded buildKey({required MaterialColor color, required int soundNumber}) {
return Expanded(
child: TextButton(
style: TextButton.styleFrom(
backgroundColor: color,
),
onPressed: () {
playSound(soundNumber);
},
child: const Text(''),
),
);
}
@override
Widget build(BuildContext context) {
return Scaffold(
backgroundColor: Colors.black,
body: SafeArea(
child: Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
mainAxisAlignment: MainAxisAlignment.spaceEvenly,
children: [
buildKey(color: MaterialStateProperty.all(Colors.red), soundNumber: 1),
],
),
),
);
}
}
CodePudding user response:
You have to use MaterialStateProperty
class to apply color. Here is the Example:
TextButton(
child: Text('Your Text'),
style: ButtonStyle(backgroundColor: MaterialStateProperty.all(Colors.red)),
onPressed: () {},
),
CodePudding user response:
Was helped with a fix. It kept the original styleFrom on the TextButton instead of using MaterialStateProperty. I was inputing the argument incorrectly so using Color as the data type worked.
Expanded buildKey({required Color colName, required int soundNumber}) {
return Expanded(
child: TextButton(
style: TextButton.styleFrom(
backgroundColor: colName,
),
onPressed: () {
playSound(soundNumber);
},
child: const Text(''),
),
);
}
@override
Widget build(BuildContext context) {
return Scaffold(
backgroundColor: Colors.black,
body: SafeArea(
child: Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
mainAxisAlignment: MainAxisAlignment.spaceEvenly,
children: [
buildKey(colName: Colors.red, soundNumber: 1),
buildKey(colName: Colors.orange, soundNumber: 2),
buildKey(colName: Colors.yellow, soundNumber: 3),
buildKey(colName: Colors.green, soundNumber: 4),
buildKey(colName: Colors.teal, soundNumber: 5),
buildKey(colName: Colors.blue, soundNumber: 6),
buildKey(colName: Colors.purple, soundNumber: 7),
],
),
),
);
}
}