Add Ads to your App in a Snap!

Medium Pub.dev GitHub stars

This Dart package will utilize the plugin, google_mobile_ads, so to quickly and easily implement ads into a Flutter app.

Installing

I don't always like the version number suggested in the 'Installing' page. Instead, always go up to the 'major' semantic version number when installing my library packages. This means always entering a version number trailing with two zero, '.0.0'. This allows you to take in any 'minor' versions introducing new features as well as any 'patch' versions that involves bugfixes. Semanitic version numbers are always in this format: major.minor.patch.

  1. patch - I've made bugfixes
  2. minor - I've introduced new features
  3. major - I've essentially made a new app. It's broken backwards-compatibility and has a completely new user experience. You won't get this version until you increment the major number in the pubspec.yaml file.

And so, for this version, add this to your package's pubspec.yaml file instead:

dependencies:
  ads:^3.0.0

Sign Up and Get Your ID’s

First and foremost, you have to sign up for AdMob. Please, turn to AdMob Help for further guidance on this. You’re going to have to go to your Google AdMob Dashboard and get your id’s as well. There’s the ‘app ID’ used to identify your individual app, and there’s individual unit ID’s unique to each ‘type’ of ad you decide to use. Currently, there are three types: a Banner ad, an Interstitial ad, and a Video ad. Might as well do all that now, and then come back here to learn how to display such ads in your Flutter app. GoogleAdMob

It’s A Test. Not For Real

Note, test id’s are supplied by the plugin to be used during development. Using your own id would violate ‘AdMob by Google’ policy. You can’t be clicking ads on your own app. They’ll know.

For Android, Modify AndroidManifest.xml

A common error you may encounter when trying this package out is Google complaining that the AdMob was not properly initialized. Merely follow the directions below to resolve this: androidManifest

For iOS, Update your Info.plist

Info.plist and add Info plist

Your App's Analytics in Ads

So, you created an AdMob account in order to monetize with ads in your production app. However, the kind of ads displayed will get a little help if you assign a Firebase project to your app as well. In fact, it's been suggested to be an esstential step, Missing setup steps in readme. This is yet to be confirmed however. Regardless, turn to the links below to add Firebase to your app: Add Firebase to your iOS project and Add Firebase to your Android project FirebaseToiOS FirebaseToAndroid

failed to load ad : 3

errorLoadAd03 Google simply isn't ready for you. It doesn't have any ads to give you yet. Patience is a virtue. The only errors I consistently receive from users are not of the Dart package itself, but are due to Google. Once the user has registered with Google, a common complaint is there’s still only ‘test’ ads being displayed, but that’s because it’ll take some hours if not a day to receive production ads. Wait a day, and see for yourself.

Mitigate Error 3 with Mediation

And so the error is expected if there is little or no ad available to you. It's a No Fill Error. I'm told, to help mitigate such an error, however, you can try setting up Mediation in your Admob account--to get ads to your apps from multiple sources.

Install Ads as a Package

Dart uses packages to distribute libraries like this one. You can find publicly available packages on the Pub site. The Ads package in particular. ads

There Must Only Be One!

Try instantiating more than one Ads object, and you'll be a little dissappointed if not down right confused. It'll appear the second Ads object is not working, and you'd be right.

    _ads = Ad(
      appId,
      bannerUnitId: bannerUnitId,
      screenUnitId: screenUnitId,
      keywords: <String>['ibm', 'computers'],
      contentUrl: 'http://www.ibm.com',
      childDirected: false,
      testDevices: ['Samsung_Galaxy_SII_API_26:5554'],
      listener: eventListener,
    );

    _adsTest = Ad(
      appId,
      bannerUnitId: bannerUnitId,
      screenUnitId: screenUnitId,
      keywords: <String>['ibm', 'computers'],
      contentUrl: 'http://www.ibm.com',
      childDirected: false,
      testDevices: ['Samsung_Galaxy_SII_API_26:5554'],
      listener: eventListener,
    );

The Google plugin is designed to work with one app and its set of ads. That's all. Creating another Ads object will serve no purpose for you because the Ads Dart package will be aware of the first one and work only with that one. Note, they'll be no 'error message' or notification there's more than one Ads object. The Dart package is designed not to be that disruptive in development or in production. The second object will just not do anything. It simply won't work, and will record the reason why in the log files. That's all.

Keep It Static

A means to have access to the Ads instance from 'anywhere' in our app would be to have it all contained in a static ulitity class. Below only the showBannerAd() and dispose() functions are implemented, but you'll get the idea and should able to implement any and all the functions you require:

AppAds.dart

class AppAds {
  static Ads _ads;

  static final String _appId = Platform.isAndroid
      ? 'ca-app-pub-3940256099942544~3347511713'
      : 'ca-app-pub-3940256099942544~1458002511';

  static final String _bannerUnitId = Platform.isAndroid
      ? 'ca-app-pub-3940256099942544/6300978111'
      : 'ca-app-pub-3940256099942544/2934735716';

  /// Assign a listener.
  static MobileAdListener _eventListener = (MobileAdEvent event) {
    if (event == MobileAdEvent.clicked) {
      print("_eventListener: The opened ad is clicked on.");
    }
  };

  static void showBanner(
          {String adUnitId,
          AdSize size,
          List<String> keywords,
          String contentUrl,
          bool childDirected,
          List<String> testDevices,
          bool testing,
          MobileAdListener listener,
          State state,
          double anchorOffset,
          AnchorType anchorType}) =>
      _ads?.showBannerAd(
          adUnitId: adUnitId,
          size: size,
          keywords: keywords,
          contentUrl: contentUrl,
          childDirected: childDirected,
          testDevices: testDevices,
          testing: testing,
          listener: listener,
          state: state,
          anchorOffset: anchorOffset,
          anchorType: anchorType);

  static void hideBanner() => _ads?.closeBannerAd();

  /// Call this static function in your State object's initState() function.
  static void init() => _ads ??= Ads(
        _appId,
        bannerUnitId: _bannerUnitId,
        keywords: <String>['ibm', 'computers'],
        contentUrl: 'http://www.ibm.com',
        childDirected: false,
        testDevices: ['Samsung_Galaxy_SII_API_26:5554'],
        testing: false,
        listener: _eventListener,
      );

  /// Remember to call this in the State object's dispose() function.
  static void dispose() => _ads?.dispose();
}

Simply import the Dart file, AppAds.dart, in this case to any library file you would need access to the Ads for one reason or another, and you're on your way.

There's An Article On This

There is an extensive article about this Dart package available on medium.com: Add Ads To Your App in a Snap!

admobFlutter03

How it works

appCodeSample gist: AdMobAdsExample.dart

import 'package:flutter/material.dart';
import 'dart:io' show Platform;
import 'package:firebase_admob/firebase_admob.dart';

import 'package:ads/ad.dart';

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

class MyApp extends StatefulWidget {
  const MyApp({Key key}) : super(key: key);

  @override
  _MyAppState createState() => _MyAppState();
}

class _MyAppState extends State<MyApp> {
  Ads appAds;
  int _coins = 0;

  final String appId = Platform.isAndroid
      ? 'ca-app-pub-3940256099942544~3347511713'
      : 'ca-app-pub-3940256099942544~1458002511';

  final String bannerUnitId = Platform.isAndroid
      ? 'ca-app-pub-3940256099942544/6300978111'
      : 'ca-app-pub-3940256099942544/2934735716';

  final String screenUnitId = Platform.isAndroid
      ? 'ca-app-pub-3940256099942544/1033173712'
      : 'ca-app-pub-3940256099942544/4411468910';

  final String videoUnitId = Platform.isAndroid
      ? 'ca-app-pub-3940256099942544/5224354917'
      : 'ca-app-pub-3940256099942544/1712485313';

  @override
  void initState() {
    super.initState();

    /// Assign a listener.
    var eventListener = (MobileAdEvent event) {
      if (event == MobileAdEvent.opened) {
        print("eventListener: The opened ad is clicked on.");
      }
    };

    appAds = Ad(
      appId,
      bannerUnitId: bannerUnitId,
      screenUnitId: screenUnitId,
      keywords: <String>['ibm', 'computers'],
      contentUrl: 'http://www.ibm.com',
      childDirected: false,
      testDevices: ['Samsung_Galaxy_SII_API_26:5554'],
      testing: false,
      listener: eventListener,
    );

    appAds.setVideoAd(
      adUnitId: videoUnitId,
      keywords: ['dart', 'java'],
      contentUrl: 'http://www.publang.org',
      childDirected: true,
      testDevices: null,
      listener: (RewardedVideoAdEvent event,
          {String rewardType, int rewardAmount}) {
        print("The ad was sent a reward amount.");
        setState(() {
          _coins += rewardAmount;
        });
      },
    );

    appAds.showBannerAd();
  }

  @override
  void dispose() {
    appAds.dispose();
    super.dispose();
  }

  @override
  Widget build(BuildContext context) {
    return MaterialApp(
      home: Scaffold(
        appBar: AppBar(
          title: const Text('AdMob Ad Examples'),
        ),
        body: SingleChildScrollView(
          child: Center(
            child: Column(
              crossAxisAlignment: CrossAxisAlignment.center,
              mainAxisSize: MainAxisSize.min,
              children: <Widget>[
                RaisedButton(
                    key: ValueKey<String>('SHOW BANNER'),
                    child: const Text('SHOW BANNER'),
                    onPressed: () {
                      appAds.showBannerAd(state: this, anchorOffset: null);
                    }),
                RaisedButton(
                    key: ValueKey<String>('REMOVE BANNER'),
                    child: const Text('REMOVE BANNER'),
                    onPressed: () {
                      appAds.hideBannerAd();
                    }),
                RaisedButton(
                  key: ValueKey<String>('SHOW INTERSTITIAL'),
                  child: const Text('SHOW INTERSTITIAL'),
                  onPressed: () {
                    appAds.showFullScreenAd(state: this);
                  },
                ),
                RaisedButton(
                  key: ValueKey<String>('SHOW REWARDED VIDEO'),
                  child: const Text('SHOW REWARDED VIDEO'),
                  onPressed: () {
                    appAds.showVideoAd(state: this);
                  },
                ),
                Text(
                  "You have $_coins coins.",
                  key: ValueKey<String>('COINS'),
                ),
              ].map((Widget button) {
                return Padding(
                  padding: const EdgeInsets.symmetric(vertical: 16.0),
                  child: button,
                );
              }).toList(),
            ),
          ),
        ),
      ),
    );
  }
}

Beta You Bet!

As of this writing, firebase_admob, is still in beta. As such, Banner ads can only be positioned at the top or the bottom of the screen, animation is limited, the ads come in a infinite set of sizes. Lastly, 'native ads' (i.e. ads displayed on UI components native to the platform) are not yet supported.

And the Number of the Counting Shall Be…Three

There are three types of ads currently offered by the firebase_admob plugin. There's the traditional Banner ad, the Interstitial or full-screen ad that covers the interface of their host app when opened, and finally, there's the Video ad that also covers the screen when opened and then returns to the app when closed.

Three types of ads.

It's an Event!

The plugin, firebase_admob, watches for seven separate events when it comes to the Banner ad and the Full-screen ad. Everything from the much-called 'loaded' event to the 'impression' event---which I think fires each if the user has been looking at the ad for so long that the ad itself has refreshed itself. I'm not certain however as there's not much API documentation for this plugin at the time of this writing either.

Below is the the enumerated values currently describing the currently supported events:

Seven events are available to the Banner and Full-screen ad.

With Video ads, there are eight events made available to watch out for. Events are triggered, for example, when the video opens, when the video starts to play, and when the video has completed running. There's also an event that rewards the user for viewing the video.

Eight events associated with a Video.

Listen and Earn!

Since the plugin supplies a whole bunch of events, I've implemented no less than eleven event listeners in this library. The gist provided above lists all the possibles ways to set an event handler on all the types of ads offered by the plugin.

The Banner ad and the FullScreen ad use the same set of 'MobileAdEvent' events while the Video Ad has its own set under the event type, 'RewardedVideoAdEvent'. This means you can break up your event listeners by the type of ad if you want.

Yes, you can assign as many listeners as you want to a particular event. You or someone else can. For example, someone else on your team working on another part of your app may also need to know when an ad is opened.

The Main Event Listener

There is a setter called, eventListener, that you can use to catch 'MobileAdEvent' events. Again, currently there is seven events defined so far and are used by the Banner ad and the Full-Screen (Interstitial) ad.

  appAds.eventListener = (MobileAdEvent event) {
    switch (event) {
      case MobileAdEvent.loaded:
        print("appAds.eventListener: An ad has loaded successfully in memory.");
        break;
      case MobileAdEvent.failedToLoad:
        print("appAds.eventListener: The ad failed to load into memory.");
        break;
      case MobileAdEvent.clicked:
        print("appAds.eventListener: The opened ad was clicked on.");
        break;
      case MobileAdEvent.impression:
        print("appAds.eventListener: The user is still looking at the ad. A new ad came up.");
        break;
      case MobileAdEvent.opened:
        print("appAds.eventListener: The Ad is now open.");
        break;
      case MobileAdEvent.leftApplication:
        print("appAds.eventListener: You've left the app after clicking the Ad.");
        break;
      case MobileAdEvent.closed:
        print("appAds.eventListener: You've closed the Ad and returned to the app.");
        break;
      default:
        print("appAds.eventListener: There's a 'new' MobileAdEvent?!");
    }
  };

Again, you can assign a listener at the init() function and at the 'set' functions---any number of listeners you like. There's functions available to remove these listeners as well of course.

The Banner Listener

The Banner ad has its own setter. You can see below it's called bannerListener.

  appAds.bannerListener = (MobileAdEvent event) {
    switch (event) {
      case MobileAdEvent.loaded:
        print("appAds.bannerListener: An ad has loaded successfully in memory.");
        break;
      case MobileAdEvent.failedToLoad:
        print("appAds.bannerListener: The ad failed to load into memory.");
        break;
      case MobileAdEvent.clicked:
        print("appAds.bannerListener: The opened ad was clicked on.");
        break;
      case MobileAdEvent.impression:
        print("appAds.bannerListener: The user is still looking at the ad. A new ad came up.");
        break;
      case MobileAdEvent.opened:
        print("appAds.bannerListener: The ad is now open.");
        break;
      case MobileAdEvent.leftApplication:
        print("appAds.bannerListener: You've left the app after clicking the Ad.");
        break;
      case MobileAdEvent.closed:
        print("appAds.bannerListener: You've closed the Ad and returned to the app.");
        break;
      default:
        print("appAds.bannerListener: There's a 'new' MobileAdEvent?!");
    }
  };

The Full-Screen Listener

The setter for the Interstitial ad is called screenListener.

  appAds.screenListener = (MobileAdEvent event) {
    switch (event) {
      case MobileAdEvent.loaded:
        print("appAds.screenListener: An ad has loaded successfully in memory.");
        break;
      case MobileAdEvent.failedToLoad:
        print("appAds.screenListener: The ad failed to load into memory.");
        break;
      case MobileAdEvent.clicked:
        print("appAds.screenListener: The opened ad was clicked on.");
        break;
      case MobileAdEvent.impression:
        print("appAds.screenListener: The user is still looking at the ad. A new ad came up.");
        break;
      case MobileAdEvent.opened:
        print("appAds.screenListener: The ad is now open.");
        break;
      case MobileAdEvent.leftApplication:
        print("appAds.screenListener: You've left the app after clicking the Ad.");
        break;
      case MobileAdEvent.closed:
        print("appAds.screenListener: You've closed the Ad and returned to the app.");
        break;
      default:
        print("appAds.screenListener: There's a 'new' MobileAdEvent?!");
    }
  };

The Video Listener

Finally, the setter for the Video ad is called videoListener.

  appAds.videoListener =
      (RewardedVideoAdEvent event, {String rewardType, int rewardAmount}) {
    switch (event) {
      case RewardedVideoAdEvent.loaded:
        print("appAds.videoListener: An ad has loaded successfully in memory.");
        break;
      case RewardedVideoAdEvent.failedToLoad:
        print("appAds.videoListener: The ad failed to load into memory.");
        break;
      case RewardedVideoAdEvent.opened:
        print("appAds.videoListener: The ad is now open.");
        break;
      case RewardedVideoAdEvent.leftApplication:
        print("appAds.videoListener: You've left the app after clicking the Ad.");
        break;
      case RewardedVideoAdEvent.closed:
        print("appAds.videoListener: You've closed the Ad and returned to the app.");
        break;
      case RewardedVideoAdEvent.rewarded:
        print("appAds.videoListener: The ad has sent a reward amount.");
        break;
      case RewardedVideoAdEvent.started:
        print("appAds.videoListener: You've just started playing the Video ad.");
        break;
      case RewardedVideoAdEvent.completed:
        print("appAds.videoListener: You've just finished playing the Video ad.");
        break;
      default:
        print("There's a 'new' RewardedVideoAdEvent?!");
    }
  };

A Event Listener For Every Occasion

This last section provides yet another way to implement a specific event listeners for your ads:

  appAds.banner.loadedListener = () {
    print("appAds.banner.loadedListener: An ad has loaded successfully in memory.");
  };

  appAds.banner.failedListener = () {
    print("appAds.banner.failedListener: An ad failed to load into memory.");
  };

  appAds.banner.clickedListener = () {
    print("appAds.banner.clickedListener: The opened ad is clicked on.");
  };

  appAds.banner.impressionListener = () {
    print("appAds.banner.impressionListener: The user is still looking at the ad. A new ad came up.");
  };

  appAds.banner.openedListener = () {
    print("appAds.banner.openedListener: The ad has opened.");
  };

  appAds.banner.leftAppListener = () {
    print("appAds.banner.leftAppListener: You left the app and gone to the ad's website.");
  };

  appAds.banner.impressionListener = () {
    print("appAds.banner.impressionListener: The user is still looking at the ad. A new ad came up.");
  };

  appAds.banner.closedListener = () {
    print("appAds.banner.closedListener: You've closed an ad and returned to your app.");
  };

  appAds.screen.loadedListener = () {
    print("appAds.screen.loadedListener: An ad has loaded into memory.");
  };

  appAds.screen.failedListener = () {
    print("appAds.screen.failedListener: An ad has failed to load in memory.");
  };

  appAds.screen.clickedListener = () {
    print("appAds.screen.clickedListener: The opened ad was clicked on.");
  };

  appAds.screen.impressionListener = () {
    print("appAds.screen.impressionListener: You've clicked on a link in the open ad.");
  };

  appAds.screen.openedListener = () {
    print("appAds.screen.openedListener: The ad has opened.");
  };

  appAds.screen.leftAppListener = () {
    print("appAds.screen.leftAppListener: The user has left the app and gone to the opened ad.");
  };

  appAds.screen.closedListener = () {
    print("appAds.screen.closedListener: The ad has been closed. The user returns to the app.");
  };

  appAds.video.loadedListener = () {
    print("appAds.video.loadedListener: An ad has loaded in memory.");
  };

  appAds.video.failedListener = () {
    print("appAds.video.failedListener: An ad has failed to load in memory.");
  };

  appAds.video.clickedListener = () {
    print("appAds.video.clickedListener: An ad has been clicked on.");
  };

  appAds.video.openedListener = () {
    print("appAds.video.openedListener: An ad has been opened.");
  };

  appAds.video.leftAppListener = () {
    print("appAds.video.leftAppListener: You've left the app to view the video.");
  };

  appAds.video.closedListener = () {
    print("appAds.video.closedListener: The video has been closed.");
  };

  appAds.video.rewardedListener = (String rewardType, int rewardAmount) {
    print("appAds.video.rewardedListener: The ad was sent a reward amount.");
  };

  appAds.video.startedListener = () {
    print("appAds.video.startedListener: You've just started playing the Video ad.");
  };

  appAds.video.completedListener = () {
    print("appAds.video.completedListener: You've just finished playing the Video ad.");
  };

Add Up Ad Errors

Below is a screenshot of some sample code implementing the error handling available to you when using the Dart package, Ads. By design, any exceptions that may occur in an event listeners' code is caught in a try..catch statement. The goal is to not crash the app for any reason involving AdMob ads. However, if and when an does error occurs, the developer has the means to determine the issue by collecting such errors in the List object, eventErrors. eventError

Other Dart Packages

packages Other Dart packages from the author can also be found at Pub.dev

Libraries

ads
admob