By PaulHalliday

The url_launcher plugin allows your Flutter application to perform actions like opening a web page in Safari or deep-linking into another application with context.
In this article, you will use url_launcher to launch a web page, a map, and a telephone number.
To complete this tutorial, you will need:
This tutorial was verified with Flutter v1.22.2, Android SDK v31.0.2, and Android Studio v4.1.
Once you have your environment set up for Flutter, you can run the following to create a new application:
- flutter create url_launcher_example
Navigate to the new project directory:
- cd url_launcher_example
Using flutter create will produce a demo application that will display the number of times a button is clicked.
url_launcher PluginNext up, we’ll need to add the url_launcher plugin within our pubspec.yaml:
dependencies:
  flutter:
    sdk: flutter
  url_launcher: ^6.0.3
We can now go ahead and run this on the iOS or Android simulator or device of your choice.
Now, open main.dart in your code editor.
Replace everything in this file with with a MaterialApp that points at a HomePage which can be found at home.dart:
import 'package:flutter/material.dart';
import 'package:url_launcher_example/home.dart';
void main() {
  runApp(MyApp());
}
class MyApp extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return MaterialApp(
      title: 'URL Launcher',
      theme: ThemeData(
        primarySwatch: Colors.deepPurple,
      ),
      home: HomePage(),
    );
  }
}
Next, create a new home.dart file and add the following lines of code:
import 'package:flutter/material.dart';
import 'package:url_launcher/url_launcher.dart';
class HomePage extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return Scaffold(
      appBar: AppBar(
        title: Text("URL Launcher"),
      ),
      body: Column(
        children: <Widget>[
          ListTile(
            title: Text("Launch Web Page"),
            onTap: () {},
          ),
        ],
      ),
    );
  }
}
Now that we’ve established a base application, we can start using url_launcher.
url_launcher supports launching web pages.
Revisit home.dart and modify the following lines of code:
import 'package:flutter/material.dart';
import 'package:url_launcher/url_launcher.dart';
class HomePage extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return Scaffold(
      appBar: AppBar(
        title: Text("URL Launcher"),
      ),
      body: Column(
        children: <Widget>[
          ListTile(
            title: Text("Launch Web Page"),
            onTap: () async {
              const url = 'https://google.com';
              if (await canLaunch(url)) {
                await launch(url, forceSafariVC: false);
              } else {
                throw 'Could not launch $url';
              }
            },
          ),
        ],
      ),
    );
  }
}
Notice how we’re checking to see if the device canLaunch a particular URL scheme prior to calling the launch function.
Then run the application with the iOS emulator, and click Launch Web Page:

In this case, we’re calling launch with forceSafariVC set to false. When unspecified, it will use “Safari View Controller”.
If we wanted both iOS and Android to open the web page inside the application (as a WebView, for example), we’d do something like this:
import 'package:flutter/material.dart';
import 'package:url_launcher/url_launcher.dart';
class HomePage extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return Scaffold(
      appBar: AppBar(
        title: Text("URL Launcher"),
      ),
      body: Column(
        children: <Widget>[
          // ...
          ListTile(
            title: Text("Launch Web Page (with Web View)"),
            onTap: () async {
              const url = 'https://google.com';
              if (await canLaunch(url)) {
                await launch(url, forceWebView: true);
              } else {
                throw 'Could not launch $url';
              }
            },
          ),
        ],
      ),
    );
  }
}
Then run the application with the iOS emulator, and click Launch Web Page (with Web View):

Now you can use url_launcher for web pages.
url_launcher supports launching maps.
Revisit home.dart and set latitude and longitude:
import 'package:flutter/material.dart';
import 'package:url_launcher/url_launcher.dart';
class HomePage extends StatelessWidget {
  final String lat = "37.3230";
  final String lng = "-122.0312";
  // ...
}
Note: If you want to do this in a real application, you may want to take advantage of geocoding and geolocator to determine the user’s current location
We can then add a new ListTile which can be used with the comgooglemaps: and https: URL schemes:
import 'package:flutter/material.dart';
import 'package:url_launcher/url_launcher.dart';
class HomePage extends StatelessWidget {
  final String lat = "37.3230";
  final String lng = "-122.0312";
  @override
  Widget build(BuildContext context) {
    return Scaffold(
      appBar: AppBar(
        title: Text("URL Launcher"),
      ),
      body: Column(
        children: <Widget>[
          // ...
          <^>ListTile(
            title: Text("Launch Maps"),
            onTap: () async {
              final String googleMapsUrl = "comgooglemaps://?center=$lat,$lng";
              final String appleMapsUrl = "https://maps.apple.com/?q=$lat,$lng";
              if (await canLaunch(googleMapsUrl)) {
                await launch(googleMapsUrl);
              }
              if (await canLaunch(appleMapsUrl)) {
                await launch(appleMapsUrl, forceSafariVC: false);
              } else {
                throw "Couldn't launch URL";
              }
            },
          ),
        ],
      ),
    );
  }
}
Then, run the application with the iOS emulator, and click Launch Maps:

Now you can use url_launcher for web pages.
url_launcher supports launching phone calls.
Revisit home.dart and set a telephone number:
Let’s add a telephoneNumber:
class HomePage extends StatelessWidget {
  final String lat = "37.3230";
  final String lng = "-122.0312";
  final String telephoneNumber = "01817658822";
  // ...
}
We can then add a new ListTile which can be used with the tel: URL scheme:
import 'package:flutter/material.dart';
import 'package:url_launcher/url_launcher.dart';
class HomePage extends StatelessWidget {
  final String lat = "37.3230";
  final String lng = "-122.0312";
  final String telephoneNumber = "01817658822";
  @override
  Widget build(BuildContext context) {
    return Scaffold(
      appBar: AppBar(
        title: Text("URL Launcher"),
      ),
      body: Column(
        children: <Widget>[
          // ...
          ListTile(
            title: Text("Launch Telephone"),
            onTap: () async {
              String telephoneUrl = "tel:$telephoneNumber";
              if (await canLaunch(telephoneUrl)) {
                await launch(telephoneUrl);
              } else {
                throw "Can't phone that number.";
              }
            },
          ),
        ],
      ),
    );
  }
}
Then, run the application with a device and click Telephone:

Note: As pointed out by the url_launcher documentation, there are limitations with tel and other URL schemes in simulators without apps that support them.
Now you can use url_launcher for telephone numbers.
In this article, you used url_launcher to launch a web page, a map, and a telephone number.
If you’d like to learn more about Flutter, check out our Flutter topic page for exercises and programming projects.
Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.
I create educational content over at YouTube and https://developer.school.
This textbox defaults to using Markdown to format your answer.
You can type !ref in this text area to quickly search our full set of tutorials, documentation & marketplace offerings and insert the link!
Get paid to write technical tutorials and select a tech-focused charity to receive a matching donation.
Full documentation for every DigitalOcean product.
The Wave has everything you need to know about building a business, from raising funding to marketing your product.
Stay up to date by signing up for DigitalOcean’s Infrastructure as a Newsletter.
New accounts only. By submitting your email you agree to our Privacy Policy
Scale up as you grow — whether you're running one virtual machine or ten thousand.
Sign up and get $200 in credit for your first 60 days with DigitalOcean.*
*This promotional offer applies to new accounts only.