Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Passing a function as parameter in flutter with null safety

After upgrading to Flutter 1.25.0-8.1.pre null safety is enabled by default and I started to modify the code of my project. Everything is working fine except functions passed as parameters like in the following example:

class AppBarIcon extends StatelessWidget {
  final IconData icon;
  final Function onPressed;
  const AppBarIcon({Key? key, required this.icon, required this.onPressed}) : super(key: key);

  @override
  Widget build(BuildContext context) {
    return CupertinoButton(
      child: Icon(icon, size: 28, color: Colors.white),
      onPressed: onPressed,
    );
  }
}

onPressed is a required parameter so it cannot be null but nevertheless I get an error when trying to pass the function to the CupertinoButton:

The argument type 'Function' can't be assigned to the parameter type 'void Function()?'.

I am already searching quite long for an answer and a possible solution but I haven't found one yet. Any help would be much appreciated.

like image 513
Felix Mittermeier Avatar asked Dec 19 '20 20:12

Felix Mittermeier


People also ask

How do you pass a null function in Flutter?

You are passing a Function() value to a void Function() parameter like it says. Change your declaration to final void Function() onPressed; so that the typing is a closer match and can't possibly return a null or take args. Save this answer.


2 Answers

You are passing a Function() value to a void Function() parameter like it says. Change your declaration to final void Function() onPressed; so that the typing is a closer match and can't possibly return a null or take args.

like image 148
Randal Schwartz Avatar answered Nov 15 '22 11:11

Randal Schwartz


You could have just added the parenthesis to the function declaration like so, Function() the updated code is below.

class AppBarIcon extends StatelessWidget {
  final IconData icon;
  final Function() onPressed;
  const AppBarIcon({Key? key, required this.icon, required this.onPressed}) : super(key: key);

  @override
  Widget build(BuildContext context) {
    return CupertinoButton(
      child: Icon(icon, size: 28, color: Colors.white),
      onPressed: onPressed,
    );
  }
}
like image 30
IBRAHIM ALI MUSAH Avatar answered Nov 15 '22 10:11

IBRAHIM ALI MUSAH