我目前正试图建立一个新的颤音网络测试版的网页应用程序。问题是能够有一个历史记录,处理浏览器中的前进和后退按钮,并能够处理新的Navigator2.0API所需的URL中的用户输入(至少根据我的理解)。
目前只有几个可用的资源,我正在尝试构建我的Navigator。我所使用的资源:
我设法使后退和前进按钮,以及历史工作。但是,我很难处理页面切换(在Navigator()中)。在John的示例中,他管理Navigator (在routeDelegater中)的“page:”数组中的不同站点。对我来说,这似乎很奇怪,但我尝试过这样做,但它并没有真正起作用(代码更低)。
在' page:[]‘中,我首先尝试让booleans触发(比如show404),但这不是很干净,所以我的下一次尝试是按如下方式获得当前页面(在数组中):
if(_currentPage.name == 'pages[0]') pageBuilds[0]这是可行的,因为我当时能够键入段/matchit/0和正确的页面加载,但由于某种原因'/‘路线不再工作,我得到了错误
Navigator.onGenerateRoute was null, but the route named "/" was referenced 然后,我尝试使用'ongenerateRoute‘,但这只是抛出了一大堆错误。我是新来的,所以也许我做错了什么。但在我看来,这似乎不是正确的方法。这就是我目前困在这里的地方。我不知道下一步该做什么,我希望你们中的一些人能帮我。
我的路由-代理程序看起来如下(我也将在代码中包含我的评论,也许这有助于一些也希望了解Navigator 2.0的人理解正在发生的事情):
/**
 * The RouteDelegate defines application specific behavious of how the router
 * learns about changes in the application state and how it responds to them. 
 * It listens to the RouteInformation Parser and the app state and builds the Navigator with
 * the current list of pages (immutable object used to set navigator's history stack).
 */
//ChangeNotifier for the listeners as they are handled there
//The popRoute is handled by 'PopNavigatorRouterDelegateMixin'
class RoutesDelegater extends RouterDelegate<RoutePath>
    with ChangeNotifier, PopNavigatorRouterDelegateMixin<RoutePath> {
  //This is the state of the navigator widget (in build method)
  GlobalKey<NavigatorState> get navigatorKey => GlobalKey<NavigatorState>();
  //RoutesDelegater()  : navigatorKey = GlobalKey<NavigatorState>();
  MyPage _currentPage;
  bool show404 = false; //checks if we show the 404 page
  List<MyPage> pages = [
    MyPage('ProjektListe'),
    MyPage('StudiListe'),
    MyPage('PRView'),
  ];
  List<Page> pageBuilds = [
    MaterialPage(key: ValueKey('Unknown'), child: UnknownScreen()),
    MaterialPage(key: ValueKey('Homepage'), child: MyFirstHomepage()),
    MaterialPage(key: ValueKey('OtherScreen'), child: OtherScreen()),
  ];
  //currentConfiguration detects changes in the route information
  //It helps complete the browser history and (IMPORTANT) makes the browser back and forward buttons work
  RoutePath get currentConfiguration {
    if (show404) {
      return RoutePath.unknown();
    }
    if (_currentPage == null) return RoutePath.home();
    //if not 404 or homepage it is some other page
    return RoutePath.details(pages.indexOf(_currentPage));
  }
  @override
  Widget build(BuildContext context) {
    return Navigator(
        key: navigatorKey,
        pages: //List.of(pageBuilds),
            [
          //pageBuilds[1],
          if (show404)
            pageBuilds[0]
          else if (_currentPage != null)
            pageBuilds[1]
        ],
        onPopPage: (route, result) {
          if (!route.didPop(result)) {
            return false;
          }
          _currentPage = null;
          show404 = false;
          //we are using Changenotifier
          notifyListeners();
          return true;
        });
  }
  void _handleTapped(MyPage page) {
    _currentPage = page;
    notifyListeners();
  }
  @override
  Future<void> setNewRoutePath(RoutePath path) async {
    //Handle the unknown path
    if (path.isUnknown) {
      show404 = true;
      _currentPage = null;
      return;
    }
    if (path.isDetailPage) {
      //Check if Path id is valid
      if (path.id.isNegative || path.id > pages.length - 1) {
        show404 = true;
        return;
      }
      _currentPage = pages[path.id];
    } else {
      //homepage will be shown
      _currentPage = null;
    }
    show404 = false;
  }
}我的RoutingInformationParser看起来是这样的:
/*
* The RouteInformationParser takes the RouteInformation from RouteInformationProvider and
* parses it into a user-defined data type.
*/
class MyRoutesInformationParser extends RouteInformationParser<RoutePath> {
  @override
  Future<RoutePath> parseRouteInformation(
      RouteInformation routeInformation) async {
    //routeInformation is an object we get from the uri
    final uri = Uri.parse(routeInformation.location);
    // Handle '/' (Home Path)
    //Path segments are the segments seperated by /, if we don't have any we are on Home
    if (uri.pathSegments.length == 0) {
      return RoutePath.home();
    }
    //We have 2, as we have matchit/...
    if (uri.pathSegments.length == 2) {
      //If there is no 'matchit' in the first path segment the path is unknown
      if (uri.pathSegments.first != 'matchit') return RoutePath.unknown();
      //If we now have the correct first segment we can now handle the rest of the segment
      final remaining = uri.pathSegments.elementAt(1);
      final id = int.tryParse(remaining);
      //if it fails we return the unknown path
      if (id == null) return RoutePath.unknown();
      return RoutePath.details(id);
    }
    //Handling the unknown Path, e.g. user just typed anything in uri
    return RoutePath.unknown();
  }
  //THIS IS IMPORTANT: Here we restore the web history
  @override
  RouteInformation restoreRouteInformation(RoutePath path) {
    //Here we set the routeInformation which is used above, e.g. /404 for unknown page
    if (path.isUnknown) {
      return RouteInformation(location: '/404');
    }
    if (path.isHomePage) {
      return RouteInformation(location: '/');
    }
    //Any other page is handled here via /matchit/... <= the id of the path
    if (path.isDetailPage) {
      return RouteInformation(location: '/matchit/${path.id}');
    }
    //If none of the paths are hit
    return null;
  }
}然后,我们还有路由信息的数据类型:
class RoutePath{
  final int id;
  final bool isUnknown;
  RoutePath.home()
      : id = null,
        isUnknown = false;
  //Details means here that it is any other side than Home or unknown
  RoutePath.details(this.id) : isUnknown = false;
  RoutePath.unknown()
      : id = null,
        isUnknown = true;
  //check if is on HomePage or other page, then either == null or != null
  //not needed for isInknown, as when unknown then = true as set above
  bool get isHomePage => id == null;
  bool get isDetailPage => id != null;
}最后是我的主页(),其中初始化了InformationParser和Delegater:
class Homepage extends StatefulWidget {
  @override
  State<StatefulWidget> createState() => _HomepageState();
}
class _HomepageState extends State<Homepage> {
  //initialize the RouteDelegater and Information Parser to be unsed further down
  RoutesDelegater _routesDelegater = RoutesDelegater();
  MyRoutesInformationParser _myRoutesInformationParser =
      MyRoutesInformationParser();
/*
 * Relevant routing information for this build method:
 * We need to use the MaterialApp.router else we can't use routerDelegate and routeInformationParser.
 * Then we define the delegate and Information Parser (they are initiated above)
 */
  @override
  Widget build(BuildContext context) {
    return MaterialApp.router(
        title: 'MatchIT',
        routerDelegate: _routesDelegater,
        routeInformationParser: _myRoutesInformationParser,
        theme: ThemeData(primarySwatch: Colors.blue),
        debugShowCheckedModeBanner: false);
  }
}提前谢谢你!
发布于 2020-12-04 14:12:04
实际上,我通过在RouteDelegator中pages[]下添加另一个在Navigator()中调用的函数来解决这个问题:
 @override
  Widget build(BuildContext context) {
    return Navigator(
        key: navigatorKey,
        pages: [
          pageBuilds[1],
          if (show404)
            pageBuilds[0]
          else if (_currentPage != null)
            _getMyPage(_currentPage)
        ],
        onPopPage: (route, result) {
          if (!route.didPop(result)) {
            return false;
          }
          _currentPage = null;
          show404 = false;
          //we are using Changenotifier
          notifyListeners();
          return true;
        });
  }
  /*
   * This is where every other site than homepage and 404 is handled
   * to add another site to this application add the name to [List<MyPage> pages]
   * and then add the MaterialPage here
   */
  MaterialPage _getMyPage(MyPage currentPage) {
    if (currentPage.name == 'Login')
      return MaterialPage(key: ValueKey('LoginScreen'), child: OtherScreen());
    else
      return MaterialPage(
          key: ValueKey('ProfileScreen'), child: ResultScreen());
  }我还更改了上面列表中的名称(只是为了让你们能够理解代码):
List<MyPage> pages = [
    MyPage('Login'),
    MyPage('Profile'),
  ];
  List<Page> pageBuilds = [
    MaterialPage(key: ValueKey('Unknown'), child: UnknownScreen()),
    MaterialPage(key: ValueKey('Homepage'), child: MyFirstHomepage()),
    MaterialPage(key: ValueKey('LoginScreen'), child: OtherScreen()),
    MaterialPage(key: ValueKey('ProfileScreen'), child: ResultScreen()),
  ];https://stackoverflow.com/questions/65142566
复制相似问题