npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

object-based-positioning

v1.0.1

Published

This library is presented as a concrete implementation aimed at enabling a proof of concept. The library allows for positioning users in indoor spaces using various object recognition models.

Downloads

14

Readme

Object Based Positioning Library

React Native Expo TensorFlow TypeScript

[!NOTE] Summary: Prototype mechanism for achieving user positioning in indoor spaces using object recognition and detection models. This library works exclusively with React Native and Expo. A concrete implementation using Firebase to store data is presented, although other mechanisms could be used.

🌟 Introduction

This library is presented as a concrete implementation aimed at enabling a proof of concept. The library allows for positioning users in indoor spaces using various object recognition models. To achieve positioning, there are two stages involved. In the first stage, the user needs to use their phone's camera to scan the environment, recording different objects present in the space. These "points of interest" can then be accessed in the second stage, providing contextual information or services to other users.

🔑 Key Features

🟢 Real-time object detection and classification. 📍 Indoor positioning using object recognition models. ⚙️ Easy integration with React Native and Expo. 🔧 Configurable detection settings and model options.

📚 Table of Contents

  1. 🌟 Introduction
  2. 🔑 Key Features
  3. 📖 Documentation

📖 Documentation

BaseObjectBasedPositioning class

| Method Name | Description | Parameters | Returns | |------------------------------------|-----------------------------------------------------------------------------|------------------------------------------------|--------------------------------------------------| | setCurrentModel | Set the current model. | model: MODEL | void | | addCustomModel | Add a new custom model. | model: string, component: any | void | | getCurrentModel | Get the current model. | None | MODEL | | getReactCameraComponent | Get the React component for the current model. | None | React.LazyExoticComponent<any> | | setCurrentPositioningMethod | Set the current positioning method. | method: POSITIONING_METHODS | void | | getCurrentPositioningMethod | Get the current positioning method. | None | POSITIONING_METHODS | | getCurrentPositioningMethodClass | Get the current positioning method class. | None | BasePositioning | | getCurrentPosition | Get the current position using the current positioning method. | None | Promise<CurrentPositionResponse> | | setMaxDistanceToDetectObjects | Set the maximum distance to detect objects in meters. | distance: number | void | | getMaxDistanceToDetectObjects | Get the maximum distance to detect objects in meters. | None | number | | setMaxHeadingToDetectObjects | Set the maximum heading to detect objects in degrees. | heading: number | void | | getMaxHeadingToDetectObjects | Get the maximum heading to detect objects in degrees. | None | number | | setDatabase | Set the database. | database: any | void | | getDatabase | Get the database. | None | any | | onRegisterObject | Register a new object in the database. (Abstract method, to be implemented) | object: TensorCameraResult, extra?: any | Promise<void> | | onUnregisterObject | Unregister an object from the database. (Abstract method, to be implemented)| id: string | Promise<void> | | getRegisteredObjects | Get all registered objects. (Abstract method, to be implemented) | conditions: any | Promise<any> | | getNearbyObjects | Get all nearby objects. (Abstract method, to be implemented) | None | Promise<any> |

FirebaseObjectBasedPositioning class

FirebaseObjectBasedPositioning is a class that extends the functionality of BaseObjectBasedPositioning to provide an indoor positioning mechanism based on storing and managing data in Firebase. This class allows you to register and unregister objects in a Firestore database, retrieve registered objects, and get nearby objects based on the user's current position.

| Method Name | Description | Parameters | Returns | |--------------------------|--------------------------------------------------------------------------|---------------------------------------------------------------------------------------------------------|-------------------------------------------------| | getCollectionName | Get the collection name. | None | string | | getCollection | Get the collection reference. | None | CollectionReference<FirebaseObject, DocumentData> | | onRegisterObject | Register a new object in the database. | objectData: TensorCameraResult, extraData: Record<string, any> | Promise<void> | | onUnregisterObject | Delete an object in the database by its ID. | id: string | Promise<void> | | getRegisteredObjects | Get all registered objects in Firebase based on conditions. | conditions: QueryConstraint \| QueryNonFilterConstraint | Promise<FirebaseObject[]> | | getNearbyObjects | Get all nearby objects based on the current position and configured limits.| None | Promise<FirebaseObject[]> |

Create an instance

import { Firestore } from 'firebase/firestore';
import { FirebaseObjectBasedPositioning } from './path/to/FirebaseObjectBasedPositioning';

// Initialize Firestore (make sure to replace with your own configuration)
const firestore: Firestore = ...; // Your Firestore initialization here

// Create an instance of FirebaseObjectBasedPositioning
const positioning = new FirebaseObjectBasedPositioning(firestore);

Changing default settings

// Change the default collection name
positioning.setCollectionName('new-collection-name');

// Change the current object detection model
positioning.setCurrentModel('mobilenet v2');

// Add a custom model
const CustomModelComponent = React.lazy(() => import('../components/CustomModelCamera'));
positioning.addCustomModel('custom-model', CustomModelComponent);

// Change the current positioning method
positioning.setCurrentPositioningMethod('custom-positioning-method');

// Set the maximum distance to detect objects
positioning.setMaxDistanceToDetectObjects(20); // 20 meters

// Set the maximum heading to detect objects
positioning.setMaxHeadingToDetectObjects(90); // 90 degrees

Registering new object


// Example of registering an object
const tensorCameraResult = { /* TensorCameraResult data here */ };
const extraData = { /* Any extra data here */ };

positioning.onRegisterObject(tensorCameraResult, extraData)
  .then(() => {
    console.log('Object registered successfully.');
  })
  .catch((error) => {
    console.error('Error registering object:', error);
  });

Unregistering existing object

// Example of unregistering an object
const objectId = '1234567890';

positioning.onUnregisterObject(objectId)
  .then(() => {
    console.log('Object unregistered successfully.');
  })
  .catch((error) => {
    console.error('Error unregistering object:', error);
  });

Retriving objects

// Example of getting all registered objects with some condition
const conditions = { /* Your conditions here */ };

positioning.getRegisteredObjects(conditions)
  .then((objects) => {
    console.log('Registered objects:', objects);
  })
  .catch((error) => {
    console.error('Error getting registered objects:', error);
  });

// Example of getting nearby objects
positioning.getNearbyObjects()
  .then((nearbyObjects) => {
    console.log('Nearby objects:', nearbyObjects);
  })
  .catch((error) => {
    console.error('Error getting nearby objects:', error);
  });

Get React Component

[!NOTE] More information about these Components can be found here.

The documentation presents a collection of React components available for real-time object detection and classification using pre-trained TensorFlow.js models. These components are designed to seamlessly integrate into React Native applications and leverage the device's camera capabilities to detect and classify a variety of objects. Each component provides a straightforward interface for configuring and receiving detection or classification results. They allow the phone's camera to view the environment and send images for processing by the object recognition model, making it easy to integrate into existing projects and customize according to specific application needs.


// Change the current object detection model
positioning.setCurrentModel('mobilenet v2');

// Get Camera Component for Mobilenet v2
const Component = positioning.getReactCameraComponent();

const App = () => {
  const handleNewResults = (results) => {
       console.log('New detection results:', results);
       // Your logic here
     };

  return (
    <Component
      minPrecision={25}
      numberOfFrames={150}
      onNewResults={handleNewResults}
      availableObjects={['person', 'car']}
    />
  );
}