将 redis-rs 与 actix-web 结合使用

Phi*_*tor 3 redis rust actix-web

我正在尝试将 redis 作为web::Data上下文添加到我的 actix-web rust 应用程序中:

extern crate redis;

// std imports
use std::net::SocketAddr;
// external imports
use actix_web::{App, HttpServer};
use redis::Client

#[actix_rt::main]
async fn main() -> std::io::Result<()> {
    // connect to redis
    let redis_con = Client::open("redis://127.0.0.1:6379")
        .unwrap()
        .get_connection()
        .unwrap();

    HttpServer::new(move || App::new().data(redis_con).service(api::get_healthz))
        .bind(SocketAddr::new(IpAddr::V4(Ipv4Addr::new(0, 0, 0, 0)), 8080)?
        .run()
        .await
}
Run Code Online (Sandbox Code Playgroud)

我收到以下错误: the trait bound 'redis::Connection: std::clone::Clone' is not satisfied in '[closure@src/main.rs:48:21: 48:81 redis_con:redis::Connection]'

我已经尝试将其包装为,这对于子模块深处未实现的Arc<redis::Connection>某些类型也不起作用。redis::ConnectionSync

在这种情况下我没有看到 Rust 的概念吗?这是我第一个真正的 Rust 项目之一,所以可能有一些东西我粗略地忽略了。

4_5*_*5_4 7

这个答案是 Actix 解决问题的最简单的例子。不过,可能有更短的方法来实现您想要的目标。

首先你需要导入actix箱子:

[package]
name = "test-actix-redis"
version = "0.1.0"
authors = ["Njuguna Mureithi <email@gmail.com>"]
edition = "2018"

# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html

[dependencies]
actix-web = "2.0"
actix-rt = "1.0"
redis = "0.15"
actix = "0.10.0-alpha.3"
Run Code Online (Sandbox Code Playgroud)

然后定义你的演员:

use actix_web::{web, App, HttpResponse, HttpServer, Responder};
use redis::{Client, aio::MultiplexedConnection};
use actix::prelude::*;

struct RedisActor {
    conn: MultiplexedConnection,
}

impl RedisActor {
    pub async fn new(redis_url: &'static str) -> Self {
        let client = Client::open(redis_url).unwrap();// not recommended
        let (conn, call) = client.get_multiplexed_async_connection().await.unwrap();
        actix_rt::spawn(call);
        RedisActor { conn }
    }
}

#[derive(Message, Debug)]
#[rtype(result = "Result<Option<String>, redis::RedisError>")]
struct InfoCommand;



impl Handler<InfoCommand> for RedisActor {
    type Result = ResponseFuture<Result<Option<String>, redis::RedisError>>;

    fn handle(&mut self, _msg: InfoCommand, _: &mut Self::Context) -> Self::Result {
        let mut con = self.conn.clone();
        let cmd = redis::cmd("INFO");
        let fut = async move {
            cmd
                .query_async(&mut con)
                .await
        };
        Box::pin(fut)
    }
}


impl Actor for RedisActor {
    type Context = Context<Self>;
}

async fn info(redis: web::Data<Addr<RedisActor>>) -> impl Responder {
    let res = redis.send(InfoCommand).await.unwrap().unwrap().unwrap();
    HttpResponse::Ok().body(res)
}




#[actix_rt::main]
async fn main() -> std::io::Result<()> {
    let actor = RedisActor::new("redis://127.0.0.1:6379").await;
    let addr = actor.start();
    HttpServer::new(move || {
        App::new()
            .data(addr.clone())
            .route("/", web::get().to(info))
    })
    .bind("127.0.0.1:8088")?
    .run()
    .await
}
Run Code Online (Sandbox Code Playgroud)

现在运行您的项目:

cargo run
Run Code Online (Sandbox Code Playgroud)

Go tohttp://localhost:8088/应该以字符串形式提供您的 redis 信息。

  • 一件重要的事情是,始终检查“redis”板条箱和“actix”板条箱中使用的“tokio”版本。它们需要处于同一版本。否则,您将收到有关未在 tokio 运行时中运行的内容的错误。 (3认同)