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 🙏

© 2026 – Pkg Stats / Ryan Hefner

@nextsparkjs/mobile

v0.1.0-beta.132

Published

Mobile app infrastructure for NextSpark - API client, providers, and utilities for Expo apps

Readme

@nextsparkjs/mobile

Mobile app infrastructure for NextSpark. Provides API client, authentication providers, and utilities for building Expo apps that connect to your NextSpark backend.

Repository Structure

When developing the package, it's important to understand the different directories:

packages/mobile/
├── src/                    # Package source code (published to npm)
│   ├── api/                # API client and entity factory
│   ├── providers/          # AuthProvider, QueryProvider
│   ├── hooks/              # useAuth hook
│   └── lib/                # Storage, Alert utilities
├── templates/              # Scaffolding templates for `nextspark add:mobile`
│   ├── app/                # Expo Router pages
│   └── src/                # Example entities and components
└── dist/                   # Compiled output

apps/mobile/                # Monorepo development app (NOT distributed)
├── app/                    # Uses local source for development
└── src/                    # Local copies for hot reload & debugging

Key distinction:

  • packages/mobile/src/ → Published to npm as @nextsparkjs/mobile
  • packages/mobile/templates/ → Copied to user projects via nextspark add:mobile
  • apps/mobile/ → Internal dev app with local source (for package development)

The templates correctly use @nextsparkjs/mobile imports, while apps/mobile uses local paths for development convenience.

Installation

# Add mobile app to your NextSpark project
npx nextspark add:mobile

# Or install manually
npm install @nextsparkjs/mobile

Quick Start

1. Configure API URL

In app.config.ts:

export default {
  // ...
  extra: {
    apiUrl: process.env.EXPO_PUBLIC_API_URL || 'http://localhost:5173',
  },
}

2. Setup Providers

In app/_layout.tsx:

import { AuthProvider, QueryProvider } from '@nextsparkjs/mobile'

export default function RootLayout() {
  return (
    <QueryProvider>
      <AuthProvider>
        <Stack />
      </AuthProvider>
    </QueryProvider>
  )
}

3. Use Authentication

import { useAuth } from '@nextsparkjs/mobile'

function LoginScreen() {
  const { login, isLoading } = useAuth()

  const handleLogin = async () => {
    await login('[email protected]', 'password')
  }

  // ...
}

4. Create Entity APIs

import { createEntityApi } from '@nextsparkjs/mobile'
import type { Task } from './types'

export const tasksApi = createEntityApi<Task>('tasks')

// Use in queries
const { data } = await tasksApi.list()
const task = await tasksApi.get(id)
await tasksApi.create({ title: 'New Task' })

API Reference

Providers

AuthProvider

Authentication context provider. Wrap your app with this provider to enable authentication.

Props:

  • children: ReactNode - Your app components

Context Value:

  • user: User | null - Current authenticated user
  • team: Team | null - Current team
  • isAuthenticated: boolean - Whether user is logged in
  • isLoading: boolean - Whether auth is loading
  • login(email, password): Promise<void> - Login user
  • logout(): Promise<void> - Logout user
  • selectTeam(teamId): Promise<void> - Switch to different team

QueryProvider

TanStack Query provider for data fetching. Configures default options for queries and mutations.

Props:

  • children: ReactNode - Your app components

Hooks

useAuth()

Hook to access authentication context.

const { user, team, isAuthenticated, login, logout, selectTeam } = useAuth()

API Client

apiClient

Singleton HTTP client for API requests.

Methods:

  • init(): Promise<void> - Initialize client (load stored credentials)
  • get<T>(endpoint, config?): Promise<T> - GET request
  • post<T>(endpoint, data, config?): Promise<T> - POST request
  • patch<T>(endpoint, data, config?): Promise<T> - PATCH request
  • delete<T>(endpoint, config?): Promise<T> - DELETE request
  • setToken(token): Promise<void> - Set authentication token
  • setTeamId(teamId): Promise<void> - Set current team ID
  • clearAuth(): Promise<void> - Clear all authentication data

createEntityApi<T>(entity: string)

Factory function to create CRUD API for an entity.

Parameters:

  • entity: string - Entity name (e.g., 'tasks', 'users')

Returns: EntityApi<T> with methods:

  • list(params?): Promise<PaginatedResponse<T>> - List entities
  • get(id): Promise<T> - Get single entity
  • create(data): Promise<T> - Create entity
  • update(id, data): Promise<T> - Update entity
  • delete(id): Promise<void> - Delete entity

Example:

import { createEntityApi } from '@nextsparkjs/mobile'

interface Task {
  id: string
  title: string
  status: 'pending' | 'completed'
}

export const tasksApi = createEntityApi<Task>('tasks')

// Usage
const tasks = await tasksApi.list({ page: 1, limit: 10 })
const task = await tasksApi.get('task-id')
await tasksApi.create({ title: 'New Task', status: 'pending' })

Utilities

Storage

Secure storage wrapper using Expo SecureStore.

Methods:

  • Storage.getItem(key): Promise<string | null> - Get item
  • Storage.setItem(key, value): Promise<void> - Set item
  • Storage.removeItem(key): Promise<void> - Remove item

alert(title, message?)

Show alert dialog.

import { alert } from '@nextsparkjs/mobile'

alert('Success', 'Task created successfully')

confirm(title, message?)

Show confirmation dialog.

import { confirm } from '@nextsparkjs/mobile'

const confirmed = await confirm('Delete Task', 'Are you sure?')
if (confirmed) {
  // Delete task
}

confirmDestructive(title, message?)

Show destructive confirmation dialog (red action).

import { confirmDestructive } from '@nextsparkjs/mobile'

const confirmed = await confirmDestructive('Delete All', 'This cannot be undone')

Core Services

Pre-built API services for common entities:

authApi

  • login(email, password): Promise<LoginResponse>
  • logout(): Promise<void>
  • getSession(): Promise<SessionResponse>

teamsApi

  • getTeams(): Promise<PaginatedResponse<Team>>
  • switchTeam(teamId): Promise<void>

usersApi

  • getCurrentUser(): Promise<User>
  • updateProfile(data): Promise<User>

TypeScript Support

Full TypeScript support with generated type definitions.

import type {
  User,
  Team,
  Session,
  PaginatedResponse,
  EntityQueryParams
} from '@nextsparkjs/mobile'

Environment Configuration

The API URL is resolved in this order:

  1. app.config.ts extra.apiUrl
  2. Environment variable EXPO_PUBLIC_API_URL
  3. Auto-detect from Expo dev server
  4. Fallback to http://localhost:5173

Development:

# .env
EXPO_PUBLIC_API_URL=http://localhost:5173

Production (EAS Build):

// eas.json
{
  "build": {
    "production": {
      "env": {
        "EXPO_PUBLIC_API_URL": "https://api.yourapp.com"
      }
    }
  }
}

Examples

Complete Login Flow

import { useAuth } from '@nextsparkjs/mobile'
import { useState } from 'react'

export default function LoginScreen() {
  const { login, isLoading } = useAuth()
  const [email, setEmail] = useState('')
  const [password, setPassword] = useState('')

  const handleLogin = async () => {
    try {
      await login(email, password)
      // Navigation handled by AuthProvider
    } catch (error) {
      alert('Login Failed', error.message)
    }
  }

  return (
    // Your UI
  )
}

Using Entity API with React Query

import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query'
import { tasksApi } from './entities/tasks/api'

export function useTasks() {
  return useQuery({
    queryKey: ['tasks'],
    queryFn: () => tasksApi.list(),
  })
}

export function useCreateTask() {
  const queryClient = useQueryClient()

  return useMutation({
    mutationFn: tasksApi.create,
    onSuccess: () => {
      queryClient.invalidateQueries({ queryKey: ['tasks'] })
    },
  })
}

Troubleshooting

Cannot connect to API

  1. Check API URL configuration in app.config.ts
  2. Verify backend is running
  3. Check network connectivity
  4. On iOS simulator, use http://localhost:5173
  5. On Android emulator, use http://10.0.2.2:5173

Authentication not persisting

The package uses Expo SecureStore which requires:

  • expo-secure-store installed
  • Plugin configured in app.config.ts
export default {
  plugins: ['expo-secure-store'],
}

Documentation

Full documentation: https://nextspark.dev/docs/mobile

License

MIT