跳到内容
Tauri

插件开发

插件能够挂接到 Tauri 生命周期,公开依赖 Webview API 的 Rust 代码,使用 Rust、Kotlin 或 Swift 代码处理命令,以及更多功能。

Tauri 提供了具有 Webview 功能的窗口系统,一种在 Rust 进程和 Webview 之间发送消息的方法,以及一个事件系统和一些工具来增强开发体验。根据设计,Tauri 核心不包含所有人都需要的功能。相反,它提供了一种将外部功能添加到 Tauri 应用程序的机制,称为插件。

Tauri 插件由一个 Cargo crate 和一个可选的 NPM 包组成,该 NPM 包为其命令和事件提供 API 绑定。此外,插件项目可以包含一个 Android 库项目和一个用于 iOS 的 Swift 包。你可以在移动插件开发指南中了解更多关于 Android 和 iOS 插件开发的信息。

Tauri 插件有一个前缀,然后是插件名称。插件名称在插件配置的tauri.conf.json > plugins下指定。

默认情况下,Tauri 会给你的插件 crate 添加 tauri-plugin- 前缀。这有助于 Tauri 社区发现你的插件并与 Tauri CLI 一起使用。当初始化一个新的插件项目时,你必须提供它的名称。生成的 crate 名称将是 tauri-plugin-{plugin-name},JavaScript NPM 包名称将是 tauri-plugin-{plugin-name}-api(尽管我们建议尽可能使用 NPM scope)。NPM 包的 Tauri 命名约定是 @scope-name/plugin-{plugin-name}

要引导一个新的插件项目,运行 plugin new。如果你不需要 NPM 包,使用 --no-api CLI 标志。如果你想用 Android 和/或 iOS 支持初始化插件,使用 --android 和/或 --ios 标志。

安装完成后,你可以运行以下命令来创建一个插件项目

npx @tauri-apps/cli plugin new [name]

这将在目录 tauri-plugin-[name] 中初始化插件,并且根据使用的 CLI 标志,生成的项目将如下所示

. tauri-plugin-[name]/
├── src/ - Rust code
│ ├── commands.rs - Defines the commands the webview can use
| ├── desktop.rs - Desktop implementation
| ├── error.rs - Default error type to use in returned results
│ ├── lib.rs - Re-exports appropriate implementation, setup state...
│ ├── mobile.rs - Mobile implementation
│ └── models.rs - Shared structs
├── permissions/ - This will host (generated) permission files for commands
├── android - Android library
├── ios - Swift package
├── guest-js - Source code of the JavaScript API bindings
├── dist-js - Transpiled assets from guest-js
├── Cargo.toml - Cargo crate metadata
└── package.json - NPM package metadata

如果你有一个现有插件,并想为其添加 Android 或 iOS 功能,你可以使用 plugin android addplugin ios add 来引导移动库项目,并指导你完成所需的更改。

插件可以运行用 Kotlin(或 Java)和 Swift 编写的本地移动代码。默认插件模板包含一个使用 Kotlin 的 Android 库项目和一个 Swift 包。它包含一个示例移动命令,展示了如何从 Rust 代码触发其执行。

移动插件开发指南中阅读更多关于移动插件开发的信息。

在使用插件的 Tauri 应用程序中,插件配置在 tauri.conf.json 中指定,其中 plugin-name 是插件的名称

{
"build": { ... },
"tauri": { ... },
"plugins": {
"plugin-name": {
"timeout": 30
}
}
}

插件的配置在 Builder 上设置,并在运行时进行解析。以下是使用 Config 结构体指定插件配置的示例

src/lib.rs
use tauri::plugin::{Builder, Runtime, TauriPlugin};
use serde::Deserialize;
// Define the plugin config
#[derive(Deserialize)]
struct Config {
timeout: usize,
}
pub fn init<R: Runtime>() -> TauriPlugin<R, Config> {
// Make the plugin config optional
// by using `Builder::<R, Option<Config>>` instead
Builder::<R, Config>::new("<plugin-name>")
.setup(|app, api| {
let timeout = api.config().timeout;
Ok(())
})
.build()
}

插件可以挂接到几个生命周期事件

还有其他移动插件的生命周期事件

  • 何时:插件正在初始化
  • 为何:注册移动插件,管理状态,运行后台任务
src/lib.rs
use tauri::{Manager, plugin::Builder};
use std::{collections::HashMap, sync::Mutex, time::Duration};
struct DummyStore(Mutex<HashMap<String, String>>);
Builder::new("<plugin-name>")
.setup(|app, api| {
app.manage(DummyStore(Default::default()));
let app_ = app.clone();
std::thread::spawn(move || {
loop {
app_.emit("tick", ());
std::thread::sleep(Duration::from_secs(1));
}
});
Ok(())
})
  • 何时:Web 视图尝试执行导航
  • 为何:验证导航或跟踪 URL 更改

返回 false 将取消导航。

src/lib.rs
use tauri::plugin::Builder;
Builder::new("<plugin-name>")
.on_navigation(|window, url| {
println!("window {} is navigating to {}", window.label(), url);
// Cancels the navigation if forbidden
url.scheme() != "forbidden"
})
  • 何时:新窗口已创建
  • 为何:为每个窗口执行初始化脚本
src/lib.rs
use tauri::plugin::Builder;
Builder::new("<plugin-name>")
.on_webview_ready(|window| {
window.listen("content-loaded", |event| {
println!("webview content has been loaded");
});
})
  • 何时:事件循环事件
  • 为何:处理核心事件,例如窗口事件、菜单事件和应用程序退出请求

通过此生命周期钩子,你可以收到任何事件循环事件的通知。

src/lib.rs
use std::{collections::HashMap, fs::write, sync::Mutex};
use tauri::{plugin::Builder, Manager, RunEvent};
struct DummyStore(Mutex<HashMap<String, String>>);
Builder::new("<plugin-name>")
.setup(|app, _api| {
app.manage(DummyStore(Default::default()));
Ok(())
})
.on_event(|app, event| {
match event {
RunEvent::ExitRequested { api, .. } => {
// user requested a window to be closed and there's no windows left
// we can prevent the app from exiting:
api.prevent_exit();
}
RunEvent::Exit => {
// app is going to exit, you can cleanup here
let store = app.state::<DummyStore>();
write(
app.path().app_local_data_dir().unwrap().join("store.json"),
serde_json::to_string(&*store.0.lock().unwrap()).unwrap(),
)
.unwrap();
}
_ => {}
}
})
  • 何时:插件正在解构
  • 为何:在插件被销毁时执行代码

有关更多信息,请参阅Drop

src/lib.rs
use tauri::plugin::Builder;
Builder::new("<plugin-name>")
.on_drop(|app| {
// plugin has been destroyed...
})

项目中 desktop.rsmobile.rs 中定义的插件 API 作为与插件同名的结构体(帕斯卡命名法)导出给用户。当插件设置好后,将创建并管理此结构体的一个实例作为状态,以便用户可以随时通过插件中定义的扩展 trait,使用 Manager 实例(如 AppHandleAppWindow)检索它。

例如,global-shortcut plugin 定义了一个 GlobalShortcut 结构体,可以使用 GlobalShortcutExt trait 的 global_shortcut 方法读取

src-tauri/src/lib.rs
use tauri_plugin_global_shortcut::GlobalShortcutExt;
tauri::Builder::default()
.plugin(tauri_plugin_global_shortcut::init())
.setup(|app| {
app.global_shortcut().register(...);
Ok(())
})

命令在 commands.rs 文件中定义。它们是常规的 Tauri 应用程序命令。它们可以直接访问 AppHandle 和 Window 实例,访问状态,并以与应用程序命令相同的方式接收输入。有关 Tauri 命令的更多详细信息,请阅读命令指南

此命令演示了如何通过依赖注入访问 AppHandleWindow 实例,并接受两个输入参数(on_progressurl

src/commands.rs
use tauri::{command, ipc::Channel, AppHandle, Runtime, Window};
#[command]
async fn upload<R: Runtime>(app: AppHandle<R>, window: Window<R>, on_progress: Channel, url: String) {
// implement command logic here
on_progress.send(100).unwrap();
}

要将命令公开给 webview,你必须挂接到 lib.rs 中的 invoke_handler() 调用

src/lib.rs
Builder::new("<plugin-name>")
.invoke_handler(tauri::generate_handler![commands::upload])

webview-src/index.ts 中定义一个绑定函数,以便插件用户可以轻松地在 JavaScript 中调用该命令

import { invoke, Channel } from '@tauri-apps/api/core'
export async function upload(url: string, onProgressHandler: (progress: number) => void): Promise<void> {
const onProgress = new Channel<number>()
onProgress.onmessage = onProgressHandler
await invoke('plugin:<plugin-name>|upload', { url, onProgress })
}

务必在测试之前构建 TypeScript 代码。

默认情况下,你的命令无法由前端访问。如果你尝试执行其中一个命令,将收到拒绝错误。要实际公开命令,你还需要定义允许每个命令的权限。

权限在 permissions 目录下的 JSON 或 TOML 文件中定义。每个文件都可以定义权限列表、权限集列表和插件的默认权限。

权限描述了你插件命令的特权。它可以允许或拒绝一组命令,并关联命令特定和全局范围。

permissions/start-server.toml
"$schema" = "schemas/schema.json"
[[permission]]
identifier = "allow-start-server"
description = "Enables the start_server command."
commands.allow = ["start_server"]
[[permission]]
identifier = "deny-start-server"
description = "Denies the start_server command."
commands.deny = ["start_server"]

作用域允许你的插件对单个命令定义更深层次的限制。每个权限可以定义一个作用域对象列表,这些对象定义了允许或拒绝某个内容,可以是特定于命令的,也可以是全局于插件的。

让我们定义一个示例结构体,它将保存一个 shell 插件允许生成的二进制文件列表的作用域数据

src/scope.rs
#[derive(Debug, schemars::JsonSchema)]
pub struct Entry {
pub binary: String,
}

你的插件消费者可以在其能力文件中为特定命令定义一个作用域(参见文档)。你可以使用 tauri::ipc::CommandScope 结构体读取命令特定的作用域

src/commands.rs
use tauri::ipc::CommandScope;
use crate::scope::Entry;
async fn spawn<R: tauri::Runtime>(app: tauri::AppHandle<R>, command_scope: CommandScope<'_, Entry>) -> Result<()> {
let allowed = command_scope.allows();
let denied = command_scope.denies();
todo!()
}

当权限未定义任何允许或拒绝的命令时,它被视为作用域权限,并且它应该只为你的插件定义一个全局作用域

permissions/spawn-node.toml
[[permission]]
identifier = "allow-spawn-node"
description = "This scope permits spawning the `node` binary."
[[permission.scope.allow]]
binary = "node"

你可以使用 tauri::ipc::GlobalScope 结构体读取全局作用域

src/commands.rs
use tauri::ipc::GlobalScope;
use crate::scope::Entry;
async fn spawn<R: tauri::Runtime>(app: tauri::AppHandle<R>, scope: GlobalScope<'_, Entry>) -> Result<()> {
let allowed = scope.allows();
let denied = scope.denies();
todo!()
}

作用域条目需要 schemars 依赖项来生成 JSON schema,以便插件消费者了解作用域的格式并在其 IDE 中获得自动完成功能。

要定义 schema,首先将依赖项添加到你的 Cargo.toml 文件中

# we need to add schemars to both dependencies and build-dependencies because the scope.rs module is shared between the app code and build script
[dependencies]
schemars = "0.8"
[build-dependencies]
schemars = "0.8"

在你的构建脚本中,添加以下代码

build.rs
#[path = "src/scope.rs"]
mod scope;
const COMMANDS: &[&str] = &[];
fn main() {
tauri_plugin::Builder::new(COMMANDS)
.global_scope_schema(schemars::schema_for!(scope::Entry))
.build();
}

权限集是单个权限的组,可帮助用户以更高级别的抽象管理你的插件。例如,如果单个 API 使用多个命令,或者命令集合之间存在逻辑连接,则应定义一个包含它们的集

permissions/websocket.toml
"$schema" = "schemas/schema.json"
[[set]]
identifier = "allow-websocket"
description = "Allows connecting and sending messages through a WebSocket"
permissions = ["allow-connect", "allow-send"]

默认权限是一个特殊的权限集,其标识符为 default。建议你默认启用所需命令。例如,http 插件在没有 request 命令允许的情况下是无用的

permissions/default.toml
"$schema" = "schemas/schema.json"
[default]
description = "Allows making HTTP requests"
permissions = ["allow-request"]

为每个命令定义权限最简单的方法是使用插件构建脚本(build.rs 文件中定义)中的自动生成选项。在 COMMANDS 常量中,定义以 snake_case 命名的命令列表(应与命令函数名称匹配),Tauri 将自动生成 allow-$commandnamedeny-$commandname 权限。

以下示例生成 allow-uploaddeny-upload 权限

src/commands.rs
const COMMANDS: &[&str] = &["upload"];
fn main() {
tauri_plugin::Builder::new(COMMANDS).build();
}

更多信息请参阅权限概述文档。

插件可以像 Tauri 应用程序一样管理状态。有关更多信息,请阅读状态管理指南


© 2025 Tauri 贡献者。CC-BY / MIT