Global Rank · of 600 Skills
flutter-interoperating-with-native-apis AI Agent Skill
View Source: flutter/skills
SafeInstallation
npx skills add flutter/skills --skill flutter-interoperating-with-native-apis 6.1K
Installs
Integrating Platform-Specific Code in Flutter
Contents
- Core Concepts & Terminology
- Binding to Native C/C++ Code (FFI)
- Implementing Platform Channels & Pigeon
- Hosting Native Platform Views
- Integrating Web Content & Wasm
- Workflows
Core Concepts & Terminology
- FFI (Foreign Function Interface): The
dart:ffilibrary used to bind Dart directly to native C/C++ APIs. - Platform Channel: The asynchronous message-passing system (
MethodChannel,BasicMessageChannel) connecting the Dart client (UI) to the host platform (Kotlin/Java, Swift/Objective-C, C++). - Pigeon: A code-generation tool that creates type-safe Platform Channels.
- Platform View: A mechanism to embed native UI components (e.g., Android
View, iOSUIView) directly into the Flutter widget tree. - JS Interop: The modern, Wasm-compatible approach to interacting with JavaScript and DOM APIs using
package:webanddart:js_interop.
Binding to Native C/C++ Code (FFI)
Use FFI to execute high-performance native code or utilize existing C/C++ libraries without the overhead of asynchronous Platform Channels.
Project Setup
- If creating a standard C/C++ integration (Recommended since Flutter 3.38): Use the
package_ffitemplate. This utilizesbuild.darthooks to compile native code, eliminating the need for OS-specific build files (CMake, build.gradle, podspec).flutter create --template=package_ffi <package_name> - If requiring access to the Flutter Plugin API or Play Services: Use the legacy
plugin_ffitemplate.flutter create --template=plugin_ffi <plugin_name>
Implementation Rules
- Symbol Visibility: Always mark C++ symbols with
extern "C"and prevent linker discarding during link-time optimization (LTO).extern "C" __attribute__((visibility("default"))) __attribute__((used)) - Dynamic Library Naming (Apple Platforms): Ensure your
build.darthook produces the exact same filename across all target architectures (e.g.,arm64vsx86_64) and SDKs (iphoneosvsiphonesimulator). Do not append architecture suffixes to the.dylibor.frameworknames. - Binding Generation: Always use
package:ffigento generate Dart bindings from your C headers (.h). Configure this inffigen.yaml.
Implementing Platform Channels & Pigeon
Use Platform Channels when you need to interact with platform-specific APIs (e.g., Battery, Bluetooth, OS-level services) using the platform's native language.
Pigeon (Type-Safe Channels)
Always prefer package:pigeon over raw MethodChannel implementations for complex or frequently used APIs.
- Define the messaging protocol in a standalone Dart file using Pigeon annotations (
@HostApi()). - Generate the host (Kotlin/Swift/C++) and client (Dart) code.
- Implement the generated interfaces on the native side.
Threading Rules
- Main Thread Requirement: Always invoke channel methods destined for Flutter on the platform's main thread (UI thread).
- Background Execution: If executing channel handlers on a background thread (Android/iOS), you must use the Task Queue API (
makeBackgroundTaskQueue()). - Isolates: To use plugins/channels from a Dart background
Isolate, ensure it is registered usingBackgroundIsolateBinaryMessenger.ensureInitialized(rootIsolateToken).
Hosting Native Platform Views
Use Platform Views to embed native UI components (e.g., Google Maps, native video players) into the Flutter widget tree.
Android Platform Views
Evaluate the trade-offs between the two rendering modes and select the appropriate one:
- If requiring perfect fidelity, accessibility, or SurfaceView support: Use Hybrid Composition (
PlatformViewLink+AndroidViewSurface). This appends the native view to the hierarchy but may reduce Flutter's rendering performance. - If prioritizing Flutter rendering performance and transformations: Use Texture Layer (
AndroidView). This renders the native view into a texture. Note: Quick scrolling may drop frames, andSurfaceViewis problematic.
iOS Platform Views
- iOS exclusively uses Hybrid Composition.
- Implement
FlutterPlatformViewFactoryandFlutterPlatformViewin Swift or Objective-C. - Use the
UiKitViewwidget on the Dart side. - Limitation:
ShaderMaskandColorFilteredwidgets cannot be applied to iOS Platform Views.
Integrating Web Content & Wasm
Flutter Web supports compiling to WebAssembly (Wasm) for improved performance and multi-threading.
Wasm Compilation
- Compile to Wasm using:
flutter build web --wasm. - Server Configuration: To enable multi-threading, configure your HTTP server to emit the following headers:
Cross-Origin-Embedder-Policy: credentialless(orrequire-corp)Cross-Origin-Opener-Policy: same-origin
- Limitation: WasmGC is not currently supported on iOS browsers (WebKit limitation). Flutter will automatically fall back to JavaScript if WasmGC is unavailable.
Web Interop
- If writing new web-specific code: Strictly use
package:webanddart:js_interop. - Do NOT use:
dart:html,dart:js, orpackage:js. These are incompatible with Wasm compilation. - Embedding HTML: Use
HtmlElementView.fromTagNameto inject arbitrary HTML elements (like<video>) into the Flutter Web DOM.
Workflows
Workflow: Creating a Native FFI Integration
Use this workflow when binding to a C/C++ library.
- Task Progress:
-
- Run
flutter create --template=package_ffi <name>.
- Run
-
- Place C/C++ source code in the
src/directory.
- Place C/C++ source code in the
-
- Ensure all exported C++ functions are wrapped in
extern "C"and visibility attributes.
- Ensure all exported C++ functions are wrapped in
-
- Configure
ffigen.yamlto point to your header files.
- Configure
-
- Run
dart run ffigento generate Dart bindings.
- Run
-
- Modify
hook/build.dartif linking against pre-compiled or system libraries.
- Modify
-
- Run validator ->
flutter test-> review errors -> fix.
- Run validator ->
-
Workflow: Implementing a Type-Safe Platform Channel (Pigeon)
Use this workflow when you need to call Kotlin/Swift APIs from Dart.
- Task Progress:
-
- Add
pigeontodev_dependencies.
- Add
-
- Create
pigeons/messages.dartand define data classes and@HostApi()abstract classes.
- Create
-
- Run the Pigeon generator script to output Dart, Kotlin, and Swift files.
-
- Android: Implement the generated interface in
MainActivity.ktor your Plugin class.
- Android: Implement the generated interface in
-
- iOS: Implement the generated protocol in
AppDelegate.swiftor your Plugin class.
- iOS: Implement the generated protocol in
-
- Dart: Import the generated Dart file and call the API methods.
-
- Run validator -> verify cross-platform compilation -> review errors -> fix.
-
Workflow: Embedding a Native Platform View
Use this workflow when embedding a native UI component (e.g., a native map or camera view).
- Task Progress:
-
- Dart: Create a widget that conditionally returns
AndroidView(orPlatformViewLink) for Android, andUiKitViewfor iOS based ondefaultTargetPlatform.
- Dart: Create a widget that conditionally returns
-
- Android: Create a class implementing
PlatformViewthat returns the native AndroidView.
- Android: Create a class implementing
-
- Android: Create a
PlatformViewFactoryand register it inconfigureFlutterEngine.
- Android: Create a
-
- iOS: Create a class implementing
FlutterPlatformViewthat returns the nativeUIView.
- iOS: Create a class implementing
-
- iOS: Create a
FlutterPlatformViewFactoryand register it inapplication:didFinishLaunchingWithOptions:.
- iOS: Create a
-
- Run validator -> test on physical Android and iOS devices -> review UI clipping/scrolling issues -> fix.
-
Installs
Security Audit
View Source
flutter/skills
More from this source
Power your AI Agents with
the best open-source models.
Drop-in OpenAI-compatible API. No data leaves Europe.
Explore Inference APIGLM
GLM 5
$1.00 / $3.20
per M tokens
Kimi
Kimi K2.5
$0.60 / $2.80
per M tokens
MiniMax
MiniMax M2.5
$0.30 / $1.20
per M tokens
Qwen
Qwen3.5 122B
$0.40 / $3.00
per M tokens
How to use this skill
Install flutter-interoperating-with-native-apis by running npx skills add flutter/skills --skill flutter-interoperating-with-native-apis in your project directory. Run the install command above in your project directory. The skill file will be downloaded from GitHub and placed in your project.
No configuration needed. Your AI agent (Claude Code, Cursor, Windsurf, etc.) automatically detects installed skills and uses them as context when generating code.
The skill enhances your agent's understanding of flutter-interoperating-with-native-apis, helping it follow established patterns, avoid common mistakes, and produce production-ready output.
What you get
Skills are plain-text instruction files — not executable code. They encode expert knowledge about frameworks, languages, or tools that your AI agent reads to improve its output. This means zero runtime overhead, no dependency conflicts, and full transparency: you can read and review every instruction before installing.
Compatibility
This skill works with any AI coding agent that supports the skills.sh format, including Claude Code (Anthropic), Cursor, Windsurf, Cline, Aider, and other tools that read project-level context files. Skills are framework-agnostic at the transport level — the content inside determines which language or framework it applies to.
Chat with 100+ AI Models in one App.
Use Claude, ChatGPT, Gemini alongside with EU-Hosted Models like Deepseek, GLM-5, Kimi K2.5 and many more.