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

@umituz/react-native-ai-grok-provider

v1.0.5

Published

Grok AI provider for React Native applications - implements IAIProvider interface for unified AI generation

Readme

@umituz/react-native-ai-grok-provider

Grok AI provider for React Native applications - implements unified AI generation interface with comprehensive text and image generation capabilities.

🚀 Features

  • Text Generation: Advanced AI-powered text generation with Grok models
  • Function Calling: Execute functions and tools with AI assistance
  • Web Search: Real-time web search and data retrieval
  • Image Generation: High-quality image generation using Grok Vision
  • Audio Processing: Speech-to-text, text-to-speech, and audio analysis
  • Streaming Support: Real-time streaming responses for better UX
  • Multimodal: Support for text, image, and audio inputs together
  • X/Twitter Integration: Real-time social media data and trends
  • Stock Data: Live stock market information
  • Weather Data: Current weather information and forecasts
  • News: Real-time news articles and analysis
  • Performance Optimization: Request batching, caching, and smart retries
  • Error Handling: Comprehensive error handling with circuit breakers
  • Telemetry: Performance tracking and analytics
  • TypeScript: Full TypeScript support with strict typing
  • React Hooks: Easy-to-use React hooks for integration
  • Example Components: Ready-to-use demo components

📦 Installation

npm install @umituz/react-native-ai-grok-provider

🔧 Setup

1. Get API Key

First, get your Grok API key from X AI Platform.

2. Initialize Provider

import { useGrok } from '@umituz/react-native-ai-grok-provider';

function MyComponent() {
  const grok = useGrok({
    config: {
      apiKey: 'your-api-key-here',
      model: 'grok-2', // Optional, defaults to 'grok-2'
    },
    autoInitialize: true,
  });

  // ... rest of your component
}

🎯 Basic Usage

Text Generation

import { useGrok } from '@umituz/react-native-ai-grok-provider';

function ChatComponent() {
  const { generateTextSimple, isLoading, error } = useGrok({
    config: { apiKey: 'your-api-key' },
    autoInitialize: true,
  });

  const handleGenerateText = async () => {
    const response = await generateTextSimple(
      'Write a short story about a robot learning to paint.'
    );
    
    if (response) {
      console.log('Generated text:', response);
    }
  };

  return (
    <View>
      <Button 
        title="Generate Text" 
        onPress={handleGenerateText}
        disabled={isLoading}
      />
      {error && <Text>Error: {error.message}</Text>}
    </View>
  );
}

Advanced Text Generation

import { useGrok, createTextMessage, buildTextGenerationRequest } from '@umituz/react-native-ai-grok-provider';

function AdvancedChatComponent() {
  const { generateText, isLoading } = useGrok({
    config: { apiKey: 'your-api-key' },
    autoInitialize: true,
  });

  const handleAdvancedGeneration = async () => {
    const messages = [
      createTextMessage('system', 'You are a helpful writing assistant.'),
      createTextMessage('user', 'Help me write a poem about nature.'),
    ];
    
    const request = buildTextGenerationRequest('grok-2', messages, {
      maxTokens: 500,
      temperature: 0.8,
      topP: 0.9,
    });
    
    const response = await generateText(request);
    
    if (response) {
      const text = response.choices[0]?.message?.content;
      console.log('Generated text:', text);
    }
  };

  return (
    <Button 
      title="Generate Advanced Text" 
      onPress={handleAdvancedGeneration}
      disabled={isLoading}
    />
  );
}

Streaming Text Generation

import { useGrok, createTextMessage, buildTextGenerationRequest } from '@umituz/react-native-ai-grok-provider';

function StreamingChatComponent() {
  const [streamedText, setStreamedText] = useState('');
  const { generateTextStream, isLoading } = useGrok({
    config: { apiKey: 'your-api-key' },
    autoInitialize: true,
  });

  const handleStreamingGeneration = async () => {
    setStreamedText('');
    
    const messages = [createTextMessage('user', 'Tell me a story.')];
    const request = buildTextGenerationRequest('grok-2', messages);
    
    await generateTextStream(request, (chunk) => {
      const content = chunk.choices[0]?.delta?.content || '';
      setStreamedText(prev => prev + content);
    });
  };

  return (
    <View>
      <Button 
        title="Generate Streaming Text" 
        onPress={handleStreamingGeneration}
        disabled={isLoading}
      />
      <Text>{streamedText}</Text>
    </View>
  );
}

Image Generation

import { useGrok } from '@umituz/react-native-ai-grok-provider';

function ImageGenerationComponent() {
  const { generateImagesSimple, isLoading } = useGrok({
    config: { apiKey: 'your-api-key' },
    autoInitialize: true,
  });

  const handleGenerateImage = async () => {
    const images = await generateImagesSimple(
      'A beautiful sunset over mountains',
      2 // Generate 2 images
    );
    
    if (images && images.length > 0) {
      console.log('Generated images:', images);
      // You can use these URLs to display images
    }
  };

  return (
    <Button 
      title="Generate Images" 
      onPress={handleGenerateImage}
      disabled={isLoading}
    />
  );
}

Multimodal (Text + Image)

import { useGrok, createImageMessage, buildTextGenerationRequest } from '@umituz/react-native-ai-grok-provider';

function MultimodalComponent() {
  const { generateText } = useGrok({
    config: { apiKey: 'your-api-key' },
    autoInitialize: true,
  });

  const handleMultimodalGeneration = async () => {
    const messages = [
      createImageMessage(
        'user',
        'What do you see in this image?',
        'https://example.com/image.jpg',
        'high'
      ),
    ];
    
    const request = buildTextGenerationRequest('grok-vision', messages);
    const response = await generateText(request);
    
    if (response) {
      const description = response.choices[0]?.message?.content;
      console.log('Image description:', description);
    }
  };

  return (
    <Button 
      title="Analyze Image" 
      onPress={handleMultimodalGeneration}
    />
  );
}

🔧 Configuration

GrokConfig Options

interface GrokConfig {
  apiKey: string;                    // Required: Your Grok API key
  baseURL?: string;                  // Optional: Custom base URL
  timeout?: number;                  // Optional: Request timeout in ms
  maxRetries?: number;               // Optional: Maximum retry attempts
  model?: string;                    // Optional: Default model
}

Available Models

  • grok-2: Advanced AI model with enhanced reasoning capabilities
  • grok-2-mini: Lightweight version for faster responses
  • grok-vision: Specialized model for image understanding and generation

Feature-Specific Models

The provider includes optimized configurations for different use cases:

import { GROK_FEATURE_MODELS } from '@umituz/react-native-ai-grok-provider';

// Use pre-configured models
GROK_FEATURE_MODELS.TEXT_GENERATION   // Balanced text generation
GROK_FEATURE_MODELS.FAST_RESPONSE     // Fast responses for simple tasks
GROK_FEATURE_MODELS.CREATIVE_WRITING // Higher creativity
GROK_FEATURE_MODELS.CODE_GENERATION   // Optimized for code
GROK_FEATURE_MODELS.ANALYSIS         // Analytical responses
GROK_FEATURE_MODELS.IMAGE_GENERATION // Image generation

🛠️ Error Handling

The provider includes comprehensive error handling:

import { useGrok, GrokErrorType } from '@umituz/react-native-ai-grok-provider';

function ErrorHandlingComponent() {
  const { generateTextSimple, error, clearError } = useGrok({
    config: { apiKey: 'your-api-key' },
    autoInitialize: true,
    onError: (error) => {
      switch (error.type) {
        case GrokErrorType.INVALID_API_KEY:
          console.log('Invalid API key provided');
          break;
        case GrokErrorType.RATE_LIMIT:
          console.log('Rate limit exceeded. Please wait.');
          break;
        case GrokErrorType.MODEL_NOT_FOUND:
          console.log('Model not found');
          break;
        // ... other error types
      }
    },
  });

  return (
    <View>
      {error && (
        <View>
          <Text>Error: {error.message}</Text>
          <Button title="Clear Error" onPress={clearError} />
        </View>
      )}
      <Button title="Generate" onPress={() => generateTextSimple('Hello')} />
    </View>
  );
}

📊 Performance & Monitoring

Telemetry

Built-in telemetry for performance tracking:

import { grokTelemetryService } from '@umituz/react-native-ai-grok-provider';

// Get performance metrics
const avgTextGeneration = grokTelemetryService.getAveragePerformance('text_generation');
const errorSummary = grokTelemetryService.getErrorSummary();
const eventCounts = grokTelemetryService.getEventCounts();

Logging

Comprehensive logging for debugging:

import { grokLogger, LogLevel } from '@umituz/react-native-ai-grok-provider';

// Adjust log level
grokLogger.setMinLevel(LogLevel.DEBUG);

// Get recent logs
const recentLogs = grokLogger.getRecentLogs(50);
const errorLogs = grokLogger.getLogsByLevel(LogLevel.ERROR);

🎨 Advanced Usage

Custom HTTP Client

import { createGrokProvider } from '@umituz/react-native-ai-grok-provider';

const customProvider = createGrokProvider(
  customHttpClient,  // Your custom HTTP client
  customCache,       // Your custom cache
  customTelemetry,   // Your custom telemetry
  customLogger       // Your custom logger
);

Utility Functions

import {
  estimateGrokTokens,
  createTextMessage,
  createImageMessage,
  buildTextGenerationRequest,
  buildImageGenerationRequest,
  debounce,
  throttle
} from '@umituz/react-native-ai-grok-provider';

// Estimate tokens
const tokenCount = estimateGrokTokens('Your text here');

// Create messages
const textMsg = createTextMessage('user', 'Hello!');
const imageMsg = createImageMessage('user', 'What is this?', imageUrl);

// Build requests
const textRequest = buildTextGenerationRequest('grok-2', [textMsg]);
const imageRequest = buildImageGenerationRequest('Beautiful sunset');

🔒 Security Best Practices

  1. Never expose API keys in client-side code - Use environment variables
  2. Use rate limiting - Implement client-side rate limiting
  3. Validate inputs - Always validate user inputs before sending to API
  4. Handle errors gracefully - Never expose sensitive error information
  5. Use caching wisely - Cache responses but respect data privacy

📝 TypeScript Support

Full TypeScript support with comprehensive types:

import type {
  GrokConfig,
  GrokGenerationRequest,
  GrokGenerationResponse,
  GrokImageGenerationRequest,
  GrokImageGenerationResponse,
  GrokError,
  GrokErrorType,
  GrokModel
} from '@umituz/react-native-ai-grok-provider';

🤝 Contributing

  1. Follow the existing code style and patterns
  2. Ensure all functions have proper TypeScript types
  3. Add comprehensive error handling
  4. Include performance tracking where appropriate
  5. Write clear documentation for new features

📄 License

MIT License - see LICENSE file for details.

🔗 Related Packages

  • @umituz/react-native-ai-generation-content - Base AI generation interface
  • @umituz/react-native-ai-gemini-provider - Google Gemini AI provider
  • @umituz/react-native-ai-fal-provider - FAL AI provider

📞 Support

For issues and support:

  • Create an issue on GitHub
  • Check the documentation
  • Review example implementations