我rust_bert用于总结文本。我需要用 设置一个模型rust_bert::pipelines::summarization::SummarizationModel::new,它从互联网上获取模型。它以异步方式执行此操作,tokio并且(我认为)我遇到的问题是我正在另一个 Tokio 运行时中运行 Tokio 运行时,如错误消息所示:
Downloading https://cdn.huggingface.co/facebook/bart-large-cnn/config.json to "/home/(censored)/.cache/.rustbert/bart-cnn/config.json"
thread 'main' panicked at 'Cannot start a runtime from within a runtime. This happens because a function (like `block_on`) attempted to block the current thread while the thread is being used to drive asynchronous tasks.', /home/(censored)/.cargo/registry/src/github.com-1ecc6299db9ec823/tokio-0.2.21/src/runtime/enter.rs:38:5
note: run with `RUST_BACKTRACE=1` environment variable to display a backtrace
Run Code Online (Sandbox Code Playgroud)
我试过与模型同步运行
tokio::task::spawn_blocking
,tokio::task::block_in_place
但它们都不适合我。block_in_place给出了同样的错误,就像是不存在的,并spawn_blocking没有真正似乎是用我的。我也尝试过summarize_text异步,但这并没有多大帮助。Github 问题
tokio-rs/tokio#2194
和 Reddit 发布
“'无法从运行时内启动运行时。' 使用 Actix-Web 和 Postgresql”
似乎很相似(相同的错误消息),但它们在找到解决方案方面没有太大帮助。
我遇到问题的代码如下:
use egg_mode::tweet;
use rust_bert::pipelines::summarization::SummarizationModel;
fn summarize_text(model: SummarizationModel, text: &str) -> String {
let output = model.summarize(&[text]);
// @TODO: output summarization
match output.is_empty() {
false => "FALSE".to_string(),
true => "TRUE".to_string(),
}
}
#[tokio::main]
async fn main() {
let model = SummarizationModel::new(Default::default()).unwrap();
let token = egg_mode::auth::Token::Bearer("obviously not my token".to_string());
let tweet_id = 1221552460768202756; // example tweet
println!("Loading tweet [{id}]", id = tweet_id);
let status = tweet::show(tweet_id, &token).await;
match status {
Err(err) => println!("Failed to fetch tweet: {}", err),
Ok(tweet) => {
println!(
"Original tweet:\n{orig}\n\nSummarized tweet:\n{sum}",
orig = tweet.text,
sum = summarize_text(model, &tweet.text)
);
}
}
}
Run Code Online (Sandbox Code Playgroud)
She*_*ter 13
这是一个简化的例子:
use tokio; // 1.0.2
#[tokio::main]
async fn inner_example() {}
#[tokio::main]
async fn main() {
inner_example();
}
Run Code Online (Sandbox Code Playgroud)
use tokio; // 1.0.2
#[tokio::main]
async fn inner_example() {}
#[tokio::main]
async fn main() {
inner_example();
}
Run Code Online (Sandbox Code Playgroud)
为避免这种情况,您需要在完全独立的线程上运行创建第二个 Tokio 运行时的代码。最简单的方法是使用std::thread::spawn:
use std::thread;
#[tokio::main]
async fn inner_example() {}
#[tokio::main]
async fn main() {
thread::spawn(|| {
inner_example();
}).join().expect("Thread panicked")
}
Run Code Online (Sandbox Code Playgroud)
为了提高性能,您可能希望使用线程池而不是每次都创建一个新线程。方便的是,Tokio 本身通过spawn_blocking以下方式提供了这样一个线程池:
#[tokio::main]
async fn inner_example() {}
#[tokio::main]
async fn main() {
tokio::task::spawn_blocking(|| {
inner_example();
}).await.expect("Task panicked")
}
Run Code Online (Sandbox Code Playgroud)
在某些情况下,您实际上不需要创建第二个 Tokio 运行时,而是可以重用父运行时。为此,您将 a 传递Handle给外部运行时。futures::executor如果您需要等待工作完成,您可以选择使用轻量级执行器来阻止结果:
use tokio::runtime::Handle; // 1.0.2
fn inner_example(handle: Handle) {
futures::executor::block_on(async {
handle
.spawn(async {
// Do work here
})
.await
.expect("Task spawned in Tokio executor panicked")
})
}
#[tokio::main]
async fn main() {
let handle = Handle::current();
tokio::task::spawn_blocking(|| {
inner_example(handle);
})
.await
.expect("Blocking task panicked")
}
Run Code Online (Sandbox Code Playgroud)
也可以看看:
更好的方法是首先避免创建嵌套的 Tokio 运行时。理想情况下,如果库使用异步执行器,它还将提供直接异步功能,因此您可以使用自己的执行器。
值得查看 API 以查看是否有非阻塞替代方案,如果没有,则在项目存储库中提出问题。
您还可以重新组织您的代码,以便 Tokio 运行时不是嵌套的而是顺序的:
struct Data;
#[tokio::main]
async fn inner_example() -> Data {
Data
}
#[tokio::main]
async fn core(_: Data) {}
fn main() {
let data = inner_example();
core(data);
}
Run Code Online (Sandbox Code Playgroud)
我在使用 QA 模型将其加载到warp( tokio 运行时)时遇到了类似的问题,顺序运行时仍然不适合我,但我在rust-bert 的 github issues中找到了解决方案。解决方案只是将初始加载调用包装在task::spawn_blocking. 这对我来说很好,因为无论如何在加载之前我都无法接受任何请求。下面的片段以防对其他人有帮助。
78 fn with_model(
79 qa: QaModel, // alias for Arc<Mutex<QuestionAnsweringModel>>
80 ) -> impl Filter<Extract = (QaModel,), Error = std::convert::Infallible> + Clone {
81 warp::any().map(move || qa.clone())
82 }
83
84 #[tokio::main]
85 async fn main() {
86 env_logger::init();
87
88 // NOTE: have to download the model before booting up
>> 89 let qa_model: QaModel = task::spawn_blocking(move || {
90 log::debug!("setting up qa model config");
91 let c = qa_model_config();
92 log::debug!("finished setting up qa model config");
93
94 log::debug!("setting up qa model");
95 let m = qa_model(c);
96 log::debug!("finished setting up qa model");
97 m
98 })
99 .await
100 .expect("got model");
101
102 let ask_handler = warp::path!("ask")
103 .and(warp::get())
104 .and(warp::query::<QaQuery>())
105 .and(with_model(qa_model))
106 .and_then(ask);
107
108 warp::serve(ask_handler).run(([127, 0, 0, 1], 3030)).await;
109 }
Run Code Online (Sandbox Code Playgroud)
| 归档时间: |
|
| 查看次数: |
3583 次 |
| 最近记录: |