Используя функцию Type и передайте ее в нажатую кнопку ElevatedButton, трепещите

#flutter #flutter-layout

Вопрос:

Я новичок в Flutter Dart. В основном у меня занятия по следующему предмету. Во-первых, у меня есть класс под названием BottomForm, где у него есть функция сборки, которая возвращает проблему с кнопками, когда я вызываю переменную типа функции в onPressed, у меня проблема с тем, что: Тип аргумента «Функция» не может быть присвоен типу параметра » Функция void ()?». dartargument_type_not_assignable

 import 'formbutton.dart';

// Define a corresponding State class.
// This class holds the data related to the Form.
class _MyCustomFormState extends State<MyCustomForm> {
  // Create a text controller and use it to retrieve the current value
  // of the TextField.
  final email = TextEditingController();
  final password = TextEditingController();

  void _logIn() {
    
    print("Logged In.");
  }

  @override
  void dispose() {
    // Clean up the controller when the widget is disposed.
    email.dispose();
    password.dispose();
    super.dispose();
  }

  @override
  Widget build(BuildContext context) {
    return Scaffold(
      body: Column(
        children: [
          Padding(
            padding: const EdgeInsets.all(16.0),
            child: TextFormField(
              autocorrect: true,
              controller: email,
            ),
          ),
          ButtonForm(_logIn, "Hello"),
        ],
      ),
      floatingActionButton: FloatingActionButton(
        onPressed: () {
          showDialog(
              context: context,
              builder: (context) {
                return AlertDialog(
                  content: Text(email.text),
                );
              });
        },
        tooltip: "Show me the value",
        child: Icon(Icons.text_fields),
      ),
    );
  }
}

//Define a Custom Widget
class MyCustomForm extends StatefulWidget {
  @override
  _MyCustomFormState createState() => _MyCustomFormState();
}
 

Чем у меня проблема в основном классе для нашей кнопки . Когда я передаю функцию functionApply;

 import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart';

class ButtonForm extends StatelessWidget {
  final Function functionApply;

  final String textButton;

  ButtonForm(this.functionApply, this.textButton);

  @override
  Widget build(BuildContext context) {
    return Container(
      width: double.infinity,
      child: ElevatedButton(
        child: Text(this.textButton),
        onPressed: this.functionApply, // I have a problem here!! 
      ),
    );
  }
}
 

Ответ №1:

onPressed-это тип обратного вызова VOID

 typedef VoidCallback = void Function()
 

Поэтому вместо использования

 final Function functionApply;
 

использовать

 final VoidCallback functionApply;
 

Таким образом, ваша форма кнопки будет

 import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart';

class ButtonForm extends StatelessWidget {
  final VoidCallback functionApply;

  final String textButton;

  ButtonForm(this.functionApply, this.textButton);

  @override
  Widget build(BuildContext context) {
    return Container(
      width: double.infinity,
      child: ElevatedButton(
        child: Text(textButton),
        onPressed: functionApply, // Problem Solved!! 
      ),
    );
  }
}
 

Ответ №2:

Попробуйте это:

 ElevatedButton(
  child: Text(this.textButton),
  onPressed: () {
    functionApply();
  },
)
 

Ответ №3:

Укажите тип возвращаемого значения вашей функции. Если вы не укажете какой-либо тип возврата, то по умолчанию тип возврата будет таким dynamic . Но onPressed тип возвращаемой функции является пустым. Так что просто измените функцию замедления, и она будет работать хорошо.

 final void Function() functionApply;