Flutter URL启动插件url_launcher_android的使用

发布于 1周前 作者 ionicwang 来自 Flutter

Flutter URL启动插件url_launcher_android的使用

描述

url_launcher_androidurl_launcher 插件在Android平台上的实现。当你在项目中使用 url_launcher 时,这个包会自动包含在你的应用中,因此你不需要在 pubspec.yaml 文件中显式添加它。不过,如果你需要直接使用它的API,则应该按照常规方式将其添加到 pubspec.yaml

使用方法

添加依赖

由于它是 url_launcher 的一部分,所以只需要在 pubspec.yaml 中添加 url_launcher 即可:

dependencies:
  flutter:
    sdk: flutter
  url_launcher: ^latest_version # 替换为最新版本号

示例代码

下面是一个完整的示例,展示了如何在Flutter应用中使用 url_launcher 来打开URL、拨打电话以及配置WebView的行为(如启用/禁用JavaScript等)。

完整示例Demo

import 'dart:async';
import 'package:flutter/material.dart';
import 'package:url_launcher_platform_interface/url_launcher_platform_interface.dart';

void main() {
  runApp(const MyApp());
}

class MyApp extends StatelessWidget {
  const MyApp({super.key});

  @override
  Widget build(BuildContext context) {
    return MaterialApp(
      title: 'URL Launcher',
      theme: ThemeData(
        primarySwatch: Colors.blue,
      ),
      home: const MyHomePage(title: 'URL Launcher'),
    );
  }
}

class MyHomePage extends StatefulWidget {
  const MyHomePage({super.key, required this.title});
  final String title;

  @override
  State<MyHomePage> createState() => _MyHomePageState();
}

class _MyHomePageState extends State<MyHomePage> {
  final UrlLauncherPlatform launcher = UrlLauncherPlatform.instance;
  bool _hasCallSupport = false;
  bool _hasCustomTabSupport = false;
  Future<void>? _launched;
  String _phone = '';

  @override
  void initState() {
    super.initState();
    // 检查是否支持电话拨打
    launcher.canLaunch('tel:123').then((bool result) {
      setState(() {
        _hasCallSupport = result;
      });
    });
    // 检查是否支持自定义标签页
    launcher.supportsMode(PreferredLaunchMode.inAppBrowserView).then((bool result) {
      setState(() {
        _hasCustomTabSupport = result;
      });
    });
  }

  Future<void> _launchInBrowser(String url) async {
    if (!await launcher.launchUrl(
      url,
      const LaunchOptions(mode: PreferredLaunchMode.externalApplication),
    )) {
      throw Exception('Could not launch $url');
    }
  }

  Future<void> _launchInCustomTab(String url) async {
    if (!await launcher.launchUrl(
      url,
      const LaunchOptions(mode: PreferredLaunchMode.inAppBrowserView),
    )) {
      throw Exception('Could not launch $url');
    }
  }

  Future<void> _launchInWebView(String url) async {
    if (!await launcher.launchUrl(
      url,
      const LaunchOptions(mode: PreferredLaunchMode.inAppWebView),
    )) {
      throw Exception('Could not launch $url');
    }
  }

  Future<void> _launchInWebViewWithCustomHeaders(String url) async {
    if (!await launcher.launchUrl(
      url,
      const LaunchOptions(
          mode: PreferredLaunchMode.inAppWebView,
          webViewConfiguration: InAppWebViewConfiguration(
            headers: {'my_header_key': 'my_header_value'},
          )),
    )) {
      throw Exception('Could not launch $url');
    }
  }

  Future<void> _launchInWebViewWithoutJavaScript(String url) async {
    if (!await launcher.launchUrl(
      url,
      const LaunchOptions(
          mode: PreferredLaunchMode.inAppWebView,
          webViewConfiguration: InAppWebViewConfiguration(enableJavaScript: false)),
    )) {
      throw Exception('Could not launch $url');
    }
  }

  Future<void> _launchInWebViewWithoutDomStorage(String url) async {
    if (!await launcher.launchUrl(
      url,
      const LaunchOptions(
          mode: PreferredLaunchMode.inAppWebView,
          webViewConfiguration: InAppWebViewConfiguration(enableDomStorage: false)),
    )) {
      throw Exception('Could not launch $url');
    }
  }

  Widget _launchStatus(BuildContext context, AsyncSnapshot<void> snapshot) {
    if (snapshot.hasError) {
      return Text('Error: ${snapshot.error}');
    } else {
      return const Text('');
    }
  }

  Future<void> _makePhoneCall(String phoneNumber) async {
    final Uri launchUri = Uri(
      scheme: 'tel',
      path: phoneNumber,
    );
    await launcher.launchUrl(launchUri.toString(), const LaunchOptions());
  }

  @override
  Widget build(BuildContext context) {
    const String toLaunch = 'https://www.cylog.org/headers/';
    return Scaffold(
      appBar: AppBar(
        title: Text(widget.title),
      ),
      body: ListView(
        children: <Widget>[
          Column(
            mainAxisAlignment: MainAxisAlignment.center,
            children: <Widget>[
              Padding(
                padding: const EdgeInsets.all(16.0),
                child: TextField(
                  onChanged: (String text) => _phone = text,
                  decoration: const InputDecoration(hintText: 'Input the phone number to launch'),
                ),
              ),
              ElevatedButton(
                onPressed: _hasCallSupport
                    ? () => setState(() {
                          _launched = _makePhoneCall(_phone);
                        })
                    : null,
                child: _hasCallSupport
                    ? const Text('Make phone call')
                    : const Text('Calling not supported'),
              ),
              const Padding(
                padding: EdgeInsets.all(16.0),
                child: Text(toLaunch),
              ),
              ElevatedButton(
                onPressed: _hasCustomTabSupport
                    ? () => setState(() {
                          _launched = _launchInBrowser(toLaunch);
                        })
                    : null,
                child: const Text('Launch in browser'),
              ),
              const Padding(padding: EdgeInsets.all(16.0)),
              ElevatedButton(
                onPressed: () => setState(() {
                  _launched = _launchInCustomTab(toLaunch);
                }),
                child: const Text('Launch in Android Custom Tab'),
              ),
              const Padding(padding: EdgeInsets.all(16.0)),
              ElevatedButton(
                onPressed: () => setState(() {
                  _launched = _launchInWebView(toLaunch);
                }),
                child: const Text('Launch in web view'),
              ),
              ElevatedButton(
                onPressed: () => setState(() {
                  _launched = _launchInWebViewWithCustomHeaders(toLaunch);
                }),
                child: const Text('Launch in web view (Custom headers)'),
              ),
              ElevatedButton(
                onPressed: () => setState(() {
                  _launched = _launchInWebViewWithoutJavaScript(toLaunch);
                }),
                child: const Text('Launch in web view (JavaScript OFF)'),
              ),
              ElevatedButton(
                onPressed: () => setState(() {
                  _launched = _launchInWebViewWithoutDomStorage(toLaunch);
                }),
                child: const Text('Launch in web view (DOM storage OFF)'),
              ),
              const Padding(padding: EdgeInsets.all(16.0)),
              ElevatedButton(
                onPressed: () => setState(() {
                  _launched = _launchInWebView(toLaunch);
                  Timer(const Duration(seconds: 5), () {
                    launcher.closeWebView();
                  });
                }),
                child: const Text('Launch in web view + close after 5 seconds'),
              ),
              const Padding(padding: EdgeInsets.all(16.0)),
              FutureBuilder<void>(future: _launched, builder: _launchStatus),
            ],
          ),
        ],
      ),
    );
  }
}

此代码片段创建了一个简单的Flutter应用程序,其中包含了多个按钮用于演示不同的URL启动方式,包括但不限于:

  • 在浏览器中打开URL。
  • 使用Android自定义标签页打开URL。
  • 在内置WebView中打开URL,并可以配置WebView的行为(例如设置自定义头信息、禁用JavaScript或DOM存储)。
  • 拨打输入的电话号码(如果有支持)。

通过这些功能,你可以根据实际需求灵活地选择最适合的方式处理URL启动逻辑。


更多关于Flutter URL启动插件url_launcher_android的使用的实战系列教程也可以访问 https://www.itying.com/category-92-b0.html

1 回复

更多关于Flutter URL启动插件url_launcher_android的使用的实战系列教程也可以访问 https://www.itying.com/category-92-b0.html


当然,以下是如何在Flutter应用中使用url_launcher_android插件(注意:实际上,Flutter社区已经有一个更广泛使用的插件url_launcher,它同时支持iOS和Android,因此通常推荐使用url_launcher而不是单独的url_launcher_android)。不过,为了符合你的要求,我将展示如何使用url_launcher插件来启动URL,因为它包含了Android的支持。

首先,确保你的pubspec.yaml文件中包含了url_launcher依赖:

dependencies:
  flutter:
    sdk: flutter
  url_launcher: ^6.0.15  # 请检查最新版本号

然后,运行flutter pub get来获取依赖。

接下来,在你的Dart代码中,你需要导入url_launcher包,并请求权限(如果是Android设备上的HTTP或HTTPS URL,通常不需要额外权限,但如果是其他scheme,如mailto:,则可能需要)。然后,你可以使用launch函数来启动URL。

以下是一个完整的示例:

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

void main() {
  runApp(MyApp());
}

class MyApp extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return MaterialApp(
      title: 'URL Launcher Demo',
      theme: ThemeData(
        primarySwatch: Colors.blue,
      ),
      home: MyHomePage(),
    );
  }
}

class MyHomePage extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return Scaffold(
      appBar: AppBar(
        title: Text('URL Launcher Demo'),
      ),
      body: Center(
        child: ElevatedButton(
          onPressed: _launchURL,
          child: Text('Open Website'),
        ),
      ),
    );
  }

  _launchURL() async {
    const url = 'https://www.flutter.dev';
    if (await canLaunch(url)) {
      await launch(url);
    } else {
      throw 'Could not launch $url';
    }
  }
}

在这个示例中,我们创建了一个简单的Flutter应用,其中包含一个按钮。当点击按钮时,它会尝试在设备的默认浏览器中打开Flutter的官方网站。

注意

  1. canLaunch(url)函数用于检查设备是否能够处理给定的URL。这是一个好习惯,因为它可以防止尝试启动一个不支持的URL而导致的错误。
  2. launch(url)函数实际上启动URL。这是一个异步操作,因此我们使用await关键字来等待它完成。

对于Android特定的配置(尽管通常不需要额外的配置来启动HTTP或HTTPS URL),你可能需要在AndroidManifest.xml中声明某些权限,但对于url_launcher插件来说,通常这些都不是必需的,除非你要处理非标准的URL scheme。

如果你确实需要处理特定于Android的配置或权限,请查阅url_launcher的官方文档以获取更多信息。不过,对于大多数用例来说,上面的代码应该就足够了。

回到顶部