JSPM

  • Created
  • Published
  • Downloads 8
  • Score
    100M100P100Q100214F
  • License MIT

Lightweight pedometer Cordova/Phonegap plugin for Android using the hardware step sensor, with notifications.

Package Exports

    This package does not declare an exports field, so the exports above have been automatically detected and optimized by JSPM instead. If any package subpath is missing, it is recommended to post an issue to the original package (@felicienfrancois/cordova-plugin-stepper) to support the "exports" field. If that is not possible, create a JSPM override to customize the exports field for this package.

    Readme

    cordova-plugin-stepper

    Lightweight pedometer Cordova/Phonegap plugin for Android using the hardware step sensor, with notifications.

    Plugin using the hardware step-sensor for minimal battery consumption. This app is designed to be kept running all the time without having any impact on your battery life! Therefore the app does not drain any additional battery. Unlike other pedometer apps, this app does not track your movement or your location so it doesn't need to turn on your GPS sensor - no impact on your battery.

    The plugin also creates a background service with a neat and nice notification (in Android platform) to continue working even after the application is closed and the device is restarted.

    Installation

    Latest published version on npm (with Cordova CLI >= 5.0.0)

    cordova plugin add @felicienfrancois/cordova-plugin-stepper

    Latest version from GitHub

    cordova plugin add https://github.com/@felicienfrancois/cordova-plugin-stepper

    Usage

    isStepCountingAvailable () => Promise

    Check if Pedometer sensor is available on the device

    stepper.isStepCountingAvailable().then((result) => {
      if(result) console.log("Available !");
      else console.log("Not available :-S");
    }).catch((err) => {
      console.error(err);
    });
    

    requestPermission () => Promise [Android only]

    Android: request for permission by anticipation IOS: return true and do nothing This can be helpful to request permission before starting the stepper. It can also prevent unexpected detachment at first start (Permission popup trigger a pause/resume cycle which can leads to service detachment)

    stepper.requestPermission().then((result) => {
      if(result) console.log("Authorized !");
      else console.log("Denied :-S");
    }).catch((err) => {
      console.error(err);
    });
    

    disableBatteryOptimizations () => Promise [Android only]

    Android: request for disabling battery optimizations IOS: return false and do nothing

    stepper.disableBatteryOptimizations().then((result) => {
      if(result) console.log("Authorized !");
      else console.log("Not available or Denied :-S");
    }).catch((err) => {
      // Should never happen as error are catched and return false in success
      console.error(err);
    });

    startStepperUpdates (options, onStepUpdate, onError)

    The onStepUpdate handler is called once during the first call and then called from the background thread whenever data is available.

    The method also creates a background service with notification (Android only).

    The options parameter may contain optional parameters. Below parameters recommended for notification localization (in Android platform):

    • goal - int - the goal (default to no goal)
    • pedometerIsCountingText - string - Set title text for notification
    • pedometerStepsToGoFormatText - string - Set description format string with text for notification
    • pedometerYourProgressFormatText - string - Set progress description format string with text for notification
    • pedometerGoalReachedFormatText - string - Set goal description format string with text for notification when the number of steps reaches the target value
    • timeZone - string - Force timezone for aggregation ticks and todays count

    Example:

    const options = { 
      pedometerIsCountingText: 'Pedometer is counting', 
      pedometerStepsToGoFormatText: '%s steps to go', // available variables: [stepsToGo, todaySteps, goal]. Insert using %1$s, %2$s, %3$s placeholders
      pedometerYourProgressFormatText: 'Your progress will be shown here soon', 
      pedometerGoalReachedFormatText: '%s steps today', // available variables: [todaySteps, goal]. Insert using %1$s, %2$s placeholders
    };
      
    stepper.startStepperUpdates(options, (result) => {
      console.log(result.steps_today);
    }, (err) => {
      console.error(err);
    });
    

    Note: When the application is suspended, the call to handlers is temporarily suspended. When the application is closed, the background service continues to work (in Android platform) but the callbacks to you app may be stopped. The background service continues after the device is restarted.

    In order to keep callbacks after restarting or resuming your app you have to reattach background service by calling startStepperUpdates

    // Reattach on reboot (required)
    document.addEventListener("deviceready", () => {  
        stepper.startStepperUpdates(options, onStepUpdate, errorHandler);
    });
    // Reattach after pause/resume (which can sometimes lead to dettachment)
    document.addEventListener("resume", () => {  
        stepper.startStepperUpdates(options, onStepUpdate, errorHandler);
    });
    

    To stop the background service, call the method stopStepperUpdates. When you open an application and call the launch method again, it joins the current background service.

    stopStepperUpdates () => Promise

    The method stops the background calls to the success handler of the startStepperUpdates method and stops the background service (in Android platform) with remove notification.

    Example:

    stepper.stopStepperUpdates()
      .then(() => {
        console.error("Stopped");
      })
      .catch((error) => {
        console.error(err);
      });

    Note: Background service can only be stopped by this method.

    destroy () => Promise

    Android Only: Stop pedometer updates and clear database

    Example:

    stepper.destroy()
      .then(() => {
        console.error("Stopped and cleared");
      })
      .catch((error) => {
        console.error(err);
      });

    Note: Background service can only be stopped by this method.

    setGoal (num) => Promise

    Set a goal (number of steps) for a pedometer. When a goal is set, a progress bar is shown in the notification.

    Example:

    var goal = 1000;
    
    stepper.setGoal(goal)
      .then(() => {
        console.error("OK");
      })
      .catch((error) => {
        console.error(err);
      });

    Note: It is recommended to call the method before calling the method startStepperUpdates, but it is allowed to change the target during operation.

    getSteps (date) => Promise

    Gets the number of steps for the specified day. date parameter must be start of day and number of milliseconds since the Unix Epoch.

    Example:

    var interval = 1000 * 60 * 60 * 24, 
      startOfDay = Math.floor(Date.now() / interval) * interval;
    
    stepper.getSteps(startOfDay)
      .then((result) => {
        console.log(result.steps);
      })
      .catch((error) => {
        console.error(err);
      });

    getStepsByPeriod (start, end) => Promise

    Gets the number of steps for the specified period.

    Example:

    // 3 days period 
    var interval = 1000 * 60 * 60 * 24, 
      start = Math.floor(Date.now() / interval) * interval - (interval * 3),
      end  = Math.floor(Date.now() / interval) * interval;
    
    stepper.getSteps(start, end)
      .then((result) => {
        console.log(result.steps);
      })
      .catch((error) => {
        console.error(err);
      });

    getLastEntries (num) => Promise

    Gets all recent records in the specified limit.

    Example:

    var limit = 10;
    
    stepper.getLastEntries(limit)
      .then((result) => {
          var entries = result.entries;
          for (var i = 0; i < entries.length; i++) {
            var entry = entries[i], data = entry.data,
              steps = entry.steps;
          }
      })
      .catch((error) => {
        console.error(err);
      });

    Platform and device support

    • Android
    • iOS

    Credits

    Icons made by authors from https://www.flaticon.com is licensed by http://creativecommons.org/licenses/by/3.0/

    License

    Copyright (c) 2021, Félicien François

    Project based on source code and includes parts of source code https://github.com/achubutkin/cordova-plugin-stepper Copyright (c) 2019, Alexandr Chubutkin

    Project based on source code and includes parts of source code https://github.com/j4velin/Pedometer Copyright (c) 2013 Thomas Hoffmann - All Rights Reserved

    Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:

    The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.

    THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.