Loading...
Loading...
Develop custom WebF native plugins based on Flutter packages. Create reusable plugins that wrap Flutter/platform capabilities as JavaScript APIs. Use when building plugins for native features like camera, payments, sensors, file access, or wrapping existing Flutter packages.
npx skill4agent add openwebf/webf webf-native-plugin-dev| Feature | Native Plugins | Native UI |
|---|---|---|
| Purpose | Functional capabilities | Visual components |
| Examples | Share, Camera, Payment | Button, TextField, DatePicker |
| Extends | | |
| Registration | | |
| Invocation | | DOM APIs (properties, methods, events) |
| Rendering | No visual output | Renders Flutter widgets |
| Use Case | Platform features, data processing | Native-looking UI components |
fetch()localStoragewebf-native-pluginswebf-native-ui-devwebf-native-plugins┌─────────────────────────────────────────┐
│ JavaScript/TypeScript │ ← Generated by CLI
│ @openwebf/webf-my-plugin │
│ import { MyPlugin } from '...' │
├─────────────────────────────────────────┤
│ TypeScript Definitions (.d.ts) │ ← You write this
│ interface MyPlugin { ... } │
├─────────────────────────────────────────┤
│ Dart (Flutter) │ ← You write this
│ class MyPluginModule extends ... │
│ webf_my_plugin package │
└─────────────────────────────────────────┘# 1. Create Flutter package with Module class
# 2. Write TypeScript definition file
# 3. Generate npm package with WebF CLI
# 4. Test and publish
webf module-codegen my-plugin-npm --flutter-package-src=./flutter_package# Create Flutter package
flutter create --template=package webf_my_plugin
cd webf_my_pluginwebf_my_plugin/
├── lib/
│ ├── webf_my_plugin.dart # Main export file
│ └── src/
│ ├── my_plugin_module.dart # Module implementation
│ └── my_plugin.module.d.ts # TypeScript definitions
├── pubspec.yaml
└── README.mdname: webf_my_plugin
description: WebF plugin for [describe functionality]
version: 1.0.0
homepage: https://github.com/yourusername/webf_my_plugin
environment:
sdk: ^3.6.0
flutter: ">=3.0.0"
dependencies:
flutter:
sdk: flutter
webf: ^0.24.0
# Add the Flutter package you're wrapping
some_flutter_package: ^1.0.0import 'dart:async';
import 'package:webf/bridge.dart';
import 'package:webf/module.dart';
import 'package:some_flutter_package/some_flutter_package.dart';
import 'my_plugin_module_bindings_generated.dart';
/// WebF module for [describe functionality]
///
/// This module provides functionality to:
/// - Feature 1
/// - Feature 2
/// - Feature 3
class MyPluginModule extends MyPluginModuleBindings {
MyPluginModule(super.moduleManager);
void dispose() {
// Clean up resources when module is disposed
// Close streams, cancel timers, release native resources
}
// Implement methods from TypeScript interface
Future<String> myAsyncMethod(String input) async {
try {
// Call the underlying Flutter package
final result = await SomeFlutterPackage.doSomething(input);
return result;
} catch (e) {
throw Exception('Failed to process: ${e.toString()}');
}
}
String mySyncMethod(String input) {
// Synchronous operations
return 'Processed: $input';
}
Future<MyResultType> complexMethod(MyOptionsType options) async {
// Handle complex types
final value = options.someField ?? 'default';
final timeout = options.timeout ?? 5000;
try {
// Do the work
final result = await SomeFlutterPackage.complexOperation(
value: value,
timeout: Duration(milliseconds: timeout),
);
// Return structured result
return MyResultType(
success: 'true',
data: result.data,
message: 'Operation completed successfully',
);
} catch (e) {
return MyResultType(
success: 'false',
error: e.toString(),
message: 'Operation failed',
);
}
}
// Helper methods (not exposed to JavaScript)
Future<void> _internalHelper() async {
// Internal implementation details
}
}.d.ts/**
* Type-safe JavaScript API for the WebF MyPlugin module.
*
* This interface is used by the WebF CLI (`webf module-codegen`) to generate:
* - An npm package wrapper that forwards calls to `webf.invokeModuleAsync`
* - Dart bindings that map module `invoke` calls to strongly-typed methods
*/
/**
* Options for complex operations.
*/
interface MyOptionsType {
/** The value to process. */
someField?: string;
/** Timeout in milliseconds. */
timeout?: number;
/** Enable verbose logging. */
verbose?: boolean;
}
/**
* Result returned from complex operations.
*/
interface MyResultType {
/** "true" on success, "false" on failure. */
success: string;
/** Data returned from the operation. */
data?: any;
/** Human-readable message. */
message: string;
/** Error message if operation failed. */
error?: string;
}
/**
* Public WebF MyPlugin module interface.
*
* Methods here map 1:1 to the Dart `MyPluginModule` methods.
*
* Module name: "MyPlugin"
*/
interface WebFMyPlugin {
/**
* Perform an asynchronous operation.
*
* @param input Input string to process.
* @returns Promise with processed result.
*/
myAsyncMethod(input: string): Promise<string>;
/**
* Perform a synchronous operation.
*
* @param input Input string to process.
* @returns Processed result.
*/
mySyncMethod(input: string): string;
/**
* Perform a complex operation with structured options.
*
* @param options Configuration options.
* @returns Promise with operation result.
*/
complexMethod(options: MyOptionsType): Promise<MyResultType>;
}WebF{ModuleName}?Promise<T>string/// WebF MyPlugin module for [describe functionality]
///
/// This module provides functionality to:
/// - Feature 1
/// - Feature 2
/// - Feature 3
///
/// Example usage:
/// ```dart
/// // Register module globally (in main function)
/// WebF.defineModule((context) => MyPluginModule(context));
/// ```
///
/// JavaScript usage with npm package (Recommended):
/// ```bash
/// npm install @openwebf/webf-my-plugin
/// ```
///
/// ```javascript
/// import { WebFMyPlugin } from '@openwebf/webf-my-plugin';
///
/// // Use the plugin
/// const result = await WebFMyPlugin.myAsyncMethod('input');
/// console.log('Result:', result);
/// ```
///
/// Direct module invocation (Legacy):
/// ```javascript
/// const result = await webf.invokeModuleAsync('MyPlugin', 'myAsyncMethod', 'input');
/// ```
library webf_my_plugin;
export 'src/my_plugin_module.dart';# Install WebF CLI globally (if not already installed)
npm install -g @openwebf/webf-cli
# Generate npm package
webf module-codegen webf-my-plugin-npm \
--flutter-package-src=./webf_my_plugin \
--module-name=MyPlugin.d.ts*_bindings_generated.dartwebf.invokeModuleAsyncpackage.jsonnpm run buildwebf-my-plugin-npm/
├── src/
│ ├── index.ts # Main export
│ └── my-plugin.ts # Plugin wrapper
├── dist/ # Built files (after npm run build)
├── package.json
├── tsconfig.json
└── README.mdimport 'package:webf/webf.dart';
import 'package:webf_my_plugin/webf_my_plugin.dart';
void main() {
WebFControllerManager.instance.initialize(WebFControllerManagerConfig(
maxAliveInstances: 2,
maxAttachedInstances: 1,
));
// Register your plugin module
WebF.defineModule((context) => MyPluginModule(context));
runApp(MyApp());
}npm install @openwebf/webf-my-pluginimport { WebFMyPlugin } from '@openwebf/webf-my-plugin';
async function testPlugin() {
try {
// Test async method
const result = await WebFMyPlugin.myAsyncMethod('test input');
console.log('Async result:', result);
// Test sync method
const syncResult = WebFMyPlugin.mySyncMethod('test');
console.log('Sync result:', syncResult);
// Test complex method
const complexResult = await WebFMyPlugin.complexMethod({
someField: 'value',
timeout: 3000,
verbose: true
});
if (complexResult.success === 'true') {
console.log('Success:', complexResult.message);
} else {
console.error('Error:', complexResult.error);
}
} catch (error) {
console.error('Plugin error:', error);
}
}
testPlugin();# In Flutter package directory
flutter pub publish
# Or for private packages
flutter pub publish --server=https://your-private-registry.com# Automatic publishing with CLI
webf module-codegen webf-my-plugin-npm \
--flutter-package-src=./webf_my_plugin \
--module-name=MyPlugin \
--publish-to-npm
# Or manual publishing
cd webf-my-plugin-npm
npm publishwebf module-codegen webf-my-plugin-npm \
--flutter-package-src=./webf_my_plugin \
--module-name=MyPlugin \
--publish-to-npm \
--npm-registry=https://registry.your-company.com/pubspec.yamldependencies:
flutter:
sdk: flutter
webf: ^0.24.0
# Add your custom plugin
webf_my_plugin: ^1.0.0 # From pub.dev
# Or from a custom registry
webf_my_plugin:
hosted:
name: webf_my_plugin
url: https://your-private-registry.com
version: ^1.0.0
# Or from a local path during development
webf_my_plugin:
path: ../webf_my_pluginflutter pub getmain.dartimport 'package:flutter/material.dart';
import 'package:webf/webf.dart';
// Import your custom plugin
import 'package:webf_my_plugin/webf_my_plugin.dart';
void main() {
// Initialize WebFControllerManager
WebFControllerManager.instance.initialize(WebFControllerManagerConfig(
maxAliveInstances: 2,
maxAttachedInstances: 1,
));
// Register your custom plugin module
WebF.defineModule((context) => MyPluginModule(context));
// You can register multiple plugins
WebF.defineModule((context) => AnotherPluginModule(context));
runApp(MyApp());
}
class MyApp extends StatelessWidget {
Widget build(BuildContext context) {
return MaterialApp(
home: Scaffold(
body: WebF(
initialUrl: 'http://192.168.1.100:3000', // Your dev server
),
),
);
}
}# Install your custom plugin
npm install @openwebf/webf-my-plugin
# Or from a custom registry
npm install @mycompany/webf-my-plugin --registry=https://registry.company.com
# Or from a local path during development
npm install ../webf-my-plugin-npmimport { WebFMyPlugin } from '@openwebf/webf-my-plugin';
async function useMyPlugin() {
try {
// Call async methods
const result = await WebFMyPlugin.myAsyncMethod('input');
console.log('Result:', result);
// Call sync methods
const syncResult = WebFMyPlugin.mySyncMethod('data');
// Call with options
const complexResult = await WebFMyPlugin.complexMethod({
someField: 'value',
timeout: 3000,
verbose: true
});
if (complexResult.success === 'true') {
console.log('Success:', complexResult.message);
console.log('Data:', complexResult.data);
} else {
console.error('Error:', complexResult.error);
}
} catch (error) {
console.error('Plugin error:', error);
}
}import React, { useState, useEffect } from 'react';
import { WebFMyPlugin } from '@openwebf/webf-my-plugin';
function MyComponent() {
const [result, setResult] = useState<string | null>(null);
const handleButtonClick = async () => {
try {
const data = await WebFMyPlugin.myAsyncMethod('test');
setResult(data);
} catch (error) {
console.error('Failed:', error);
}
};
return (
<div>
<button onClick={handleButtonClick}>
Use My Plugin
</button>
{result && <p>Result: {result}</p>}
</div>
);
}<template>
<div>
<button @click="usePlugin">Use My Plugin</button>
<p v-if="result">Result: {{ result }}</p>
</div>
</template>
<script setup>
import { ref } from 'vue';
import { WebFMyPlugin } from '@openwebf/webf-my-plugin';
const result = ref(null);
const usePlugin = async () => {
try {
result.value = await WebFMyPlugin.myAsyncMethod('test');
} catch (error) {
console.error('Failed:', error);
}
};
</script>// Direct invocation (not type-safe)
const result = await webf.invokeModuleAsync(
'MyPlugin', // Module name (must match what you registered)
'myAsyncMethod', // Method name
'input' // Arguments
);
// With multiple arguments
const complexResult = await webf.invokeModuleAsync(
'MyPlugin',
'complexMethod',
{
someField: 'value',
timeout: 3000,
verbose: true
}
);
// Sync method invocation
const syncResult = webf.invokeModuleSync(
'MyPlugin',
'mySyncMethod',
'data'
);// Check if plugin exists
if (typeof WebFMyPlugin !== 'undefined') {
// Plugin is available
await WebFMyPlugin.myAsyncMethod('test');
} else {
// Plugin not registered or npm package not installed
console.warn('MyPlugin is not available');
// Provide fallback behavior
}async function safePluginCall() {
// Check availability
if (typeof WebFMyPlugin === 'undefined') {
throw new Error('MyPlugin is not installed');
}
try {
const result = await WebFMyPlugin.complexMethod({
someField: 'value'
});
// Check result status
if (result.success === 'true') {
return result.data;
} else {
throw new Error(result.error || 'Unknown error');
}
} catch (error) {
console.error('Plugin call failed:', error);
throw error;
}
}# Terminal 1: Flutter app
cd my-flutter-app
# Use local path in pubspec.yaml
flutter run
# Terminal 2: Web project
cd my-web-project
# Install local npm package
npm install ../webf-my-plugin-npm
npm run dev# Update to published versions
cd my-flutter-app
# Update pubspec.yaml to use pub.dev version
flutter pub get
flutter run
cd my-web-project
# Install from npm
npm install @openwebf/webf-my-plugin
npm run devwebf_my_plugin: ^1.0.0npm install @openwebf/webf-my-plugin# Install from private registry
dependencies:
webf_my_plugin:
hosted:
name: webf_my_plugin
url: https://your-company-flutter-registry.com
version: ^1.0.0
# Or from Git repository
dependencies:
webf_my_plugin:
git:
url: https://github.com/yourcompany/webf_my_plugin.git
ref: v1.0.0# Install from private registry
npm install @yourcompany/webf-my-plugin --registry=https://registry.company.com
# Or configure .npmrc
echo "@yourcompany:registry=https://registry.company.com" >> .npmrc
npm install @yourcompany/webf-my-plugindependencies:
webf_my_plugin:
path: ../webf_my_plugin # Relative pathnpm install ../webf-my-plugin-npm
# Or use npm link
cd ../webf-my-plugin-npm
npm link
cd my-web-project
npm link @openwebf/webf-my-pluginimport 'package:webf/webf.dart';
import 'package:webf_camera/webf_camera.dart'; // Your plugin
void main() {
WebFControllerManager.instance.initialize(WebFControllerManagerConfig(
maxAliveInstances: 2,
maxAttachedInstances: 1,
));
// Register your camera plugin
WebF.defineModule((context) => CameraModule(context));
runApp(MyApp());
}import { WebFCamera } from '@openwebf/webf-camera';
function CameraApp() {
const [cameras, setCameras] = useState([]);
useEffect(() => {
async function loadCameras() {
// Check if plugin is available
if (typeof WebFCamera === 'undefined') {
console.error('Camera plugin not installed');
return;
}
try {
const result = await WebFCamera.getCameras();
if (result.success === 'true') {
setCameras(JSON.parse(result.cameras));
}
} catch (error) {
console.error('Failed to load cameras:', error);
}
}
loadCameras();
}, []);
const capturePhoto = async () => {
try {
const photoPath = await WebFCamera.capturePhoto(cameras[0].id);
console.log('Photo saved to:', photoPath);
} catch (error) {
console.error('Failed to capture:', error);
}
};
return (
<div>
<h1>Camera App</h1>
<button onClick={capturePhoto}>Capture Photo</button>
<ul>
{cameras.map(cam => (
<li key={cam.id}>{cam.name}</li>
))}
</ul>
</div>
);
}import 'package:camera/camera.dart';
class CameraPluginModule extends CameraPluginModuleBindings {
CameraPluginModule(super.moduleManager);
List<CameraDescription>? _cameras;
Future<CameraListResult> getCameras() async {
try {
_cameras = await availableCameras();
final cameraList = _cameras!.map((cam) => {
'id': cam.name,
'name': cam.name,
'facing': cam.lensDirection.toString(),
}).toList();
return CameraListResult(
success: 'true',
cameras: jsonEncode(cameraList),
);
} catch (e) {
return CameraListResult(
success: 'false',
error: e.toString(),
);
}
}
Future<String> capturePhoto(String cameraId) async {
// Implementation for capturing photos
// Return file path or base64 data
}
}
Future<bool> processImageData(NativeByteData imageData) async {
try {
// Access raw bytes
final bytes = imageData.bytes;
// Process the data
await SomeFlutterPackage.processImage(bytes);
return true;
} catch (e) {
return false;
}
}interface WebFMyPlugin {
processImageData(imageData: ArrayBuffer | Uint8Array): Promise<boolean>;
}class SensorPluginModule extends SensorPluginModuleBindings {
StreamSubscription? _subscription;
Future<void> startListening(String sensorType) async {
_subscription = SensorPackage.stream.listen((data) {
// Send events to JavaScript
moduleManager.emitModuleEvent(
'SensorPlugin',
'data',
{'value': data.value, 'timestamp': data.timestamp.toString()},
);
});
}
Future<void> stopListening() async {
await _subscription?.cancel();
_subscription = null;
}
void dispose() {
_subscription?.cancel();
super.dispose();
}
}// Listen for events
webf.on('SensorPlugin:data', (event) => {
console.log('Sensor data:', event.detail);
});
await WebFSensorPlugin.startListening('accelerometer');import 'package:permission_handler/permission_handler.dart';
class PermissionPluginModule extends PermissionPluginModuleBindings {
Future<PermissionResult> requestPermission(String permissionType) async {
Permission permission;
switch (permissionType) {
case 'camera':
permission = Permission.camera;
break;
case 'microphone':
permission = Permission.microphone;
break;
default:
return PermissionResult(
granted: 'false',
message: 'Unknown permission type',
);
}
final status = await permission.request();
return PermissionResult(
granted: status.isGranted ? 'true' : 'false',
status: status.toString(),
message: _getPermissionMessage(status),
);
}
String _getPermissionMessage(PermissionStatus status) {
switch (status) {
case PermissionStatus.granted:
return 'Permission granted';
case PermissionStatus.denied:
return 'Permission denied';
case PermissionStatus.permanentlyDenied:
return 'Permission permanently denied. Please enable in settings.';
default:
return 'Unknown permission status';
}
}
}import 'dart:io';
class PlatformPluginModule extends PlatformPluginModuleBindings {
Future<PlatformInfoResult> getPlatformInfo() async {
String platformName;
String platformVersion;
if (Platform.isAndroid) {
platformName = 'Android';
// Get Android version
} else if (Platform.isIOS) {
platformName = 'iOS';
// Get iOS version
} else if (Platform.isMacOS) {
platformName = 'macOS';
} else {
platformName = 'Unknown';
}
return PlatformInfoResult(
platform: platformName,
version: platformVersion,
isAndroid: Platform.isAndroid,
isIOS: Platform.isIOS,
);
}
}
Future<OperationResult> performOperation(OperationOptions options) async {
// Validate input
if (options.value == null || options.value!.isEmpty) {
return OperationResult(
success: 'false',
error: 'InvalidInput',
message: 'Value cannot be empty',
);
}
if (options.timeout != null && options.timeout! < 0) {
return OperationResult(
success: 'false',
error: 'InvalidTimeout',
message: 'Timeout must be positive',
);
}
try {
// Perform operation with timeout
final result = await Future.timeout(
_doOperation(options.value!),
Duration(milliseconds: options.timeout ?? 5000),
onTimeout: () => throw TimeoutException('Operation timed out'),
);
return OperationResult(
success: 'true',
data: result,
message: 'Operation completed',
);
} on TimeoutException catch (e) {
return OperationResult(
success: 'false',
error: 'Timeout',
message: e.message ?? 'Operation timed out',
);
} catch (e) {
return OperationResult(
success: 'false',
error: 'UnknownError',
message: e.toString(),
);
}
}class ResourcePluginModule extends ResourcePluginModuleBindings {
final Map<String, Resource> _activeResources = {};
Future<String> createResource(ResourceOptions options) async {
final id = DateTime.now().millisecondsSinceEpoch.toString();
final resource = Resource(options);
await resource.initialize();
_activeResources[id] = resource;
return id;
}
Future<void> releaseResource(String resourceId) async {
final resource = _activeResources.remove(resourceId);
await resource?.dispose();
}
void dispose() {
// Clean up all resources
for (final resource in _activeResources.values) {
resource.dispose();
}
_activeResources.clear();
super.dispose();
}
}
Future<BatchResult> batchProcess(String itemsJson) async {
final List<dynamic> items = jsonDecode(itemsJson);
final results = <String, dynamic>{};
final errors = <String, String>{};
await Future.wait(
items.asMap().entries.map((entry) async {
final index = entry.key;
final item = entry.value;
try {
final result = await _processItem(item);
results[index.toString()] = result;
} catch (e) {
errors[index.toString()] = e.toString();
}
}),
);
return BatchResult(
success: errors.isEmpty ? 'true' : 'false',
results: jsonEncode(results),
errors: errors.isEmpty ? null : jsonEncode(errors),
processedCount: results.length,
totalCount: items.length,
);
}# Generate npm package for a module
webf module-codegen output-dir \
--flutter-package-src=./my_package \
--module-name=MyModule
# Specify custom package name
webf module-codegen output-dir \
--flutter-package-src=./my_package \
--module-name=MyModule \
--package-name=@mycompany/my-plugin# Publish to npm after generation
webf module-codegen output-dir \
--flutter-package-src=./my_package \
--module-name=MyModule \
--publish-to-npm
# Publish to custom registry
webf module-codegen output-dir \
--flutter-package-src=./my_package \
--module-name=MyModule \
--publish-to-npm \
--npm-registry=https://registry.company.com/webf_{feature}webf_sharewebf_camera{Feature}ModuleShareModuleCameraModule@openwebf/webf-{feature}@yourscope/webf-{feature}// Always return structured error information
return ResultType(
success: 'false',
error: 'ErrorCode', // Machine-readable error code
message: 'Human-readable error message',
);
// Never throw exceptions to JavaScript
// Catch and convert to result objects/// Brief one-line description.
///
/// Detailed explanation of what this method does.
///
/// Parameters:
/// - [param1]: Description of first parameter
/// - [param2]: Description of second parameter
///
/// Returns a [ResultType] with:
/// - `success`: "true" on success, "false" on failure
/// - `data`: The actual result data
/// - `error`: Error message if failed
///
/// Throws:
/// - Never throws to JavaScript. Returns error in result object.
///
/// Example:
/// ```dart
/// final result = await module.myMethod('input');
/// if (result.success == 'true') {
/// print('Success: ${result.data}');
/// }
/// ```
Future<ResultType> myMethod(String param1, int? param2) async {
// Implementation
}// Use interfaces for complex types
interface MyOptions {
value: string;
timeout?: number;
retries?: number;
}
// Use specific result types
interface MyResult {
success: string;
data?: any;
error?: string;
}
// Avoid 'any' when possible
// Use union types for enums
type Platform = 'ios' | 'android' | 'macos' | 'windows' | 'linux';// Create tests for your module
import 'package:flutter_test/flutter_test.dart';
import 'package:webf_my_plugin/webf_my_plugin.dart';
void main() {
group('MyPluginModule', () {
late MyPluginModule module;
setUp(() {
module = MyPluginModule(mockModuleManager);
});
tearDown(() {
module.dispose();
});
test('myAsyncMethod returns correct result', () async {
final result = await module.myAsyncMethod('test');
expect(result, 'Processed: test');
});
test('handles errors gracefully', () async {
final result = await module.complexMethod(MyOptionsType(
someField: 'invalid',
));
expect(result.success, 'false');
expect(result.error, isNotNull);
});
});
}Error: Could not find 'my_plugin_module_bindings_generated.dart'.module.d.tsWebF{ModuleName}webf module-codegenModule 'MyPlugin' not foundpubspec.yamlWebF.defineModule()flutter pub get# Regenerate with CLI
webf module-codegen output-dir \
--flutter-package-src=./my_package \
--module-name=MyModule
# Check package.json exports
cd output-dir
cat package.json
# Should have "types": "./dist/index.d.ts"share_module.dartshare.module.d.tswebf-native-pluginswebf-native-ui-devwebf module-codegenpubspec.yamlflutter pub getWebF.defineModule()npm install @openwebf/webf-my-pluginimport { WebFMyPlugin } from '@openwebf/webf-my-plugin'if (typeof WebFMyPlugin !== 'undefined')native_plugins/share