生菜指南 (Java)

将您的 Lettuce 应用程序连接到 Redis 数据库

Lettuce 是 Redis 的高级 Java 客户端 支持同步、异步和反应式连接。 如果你只需要同步连接,那么你可能会发现其他 Java 客户端 Jedis 更易于使用。

以下部分介绍了如何安装Lettuce并连接您的应用程序 添加到 Redis 数据库。

Lettuce需要正在运行的 Redis 或 Redis Stack 服务器。请参阅 Redis 安装说明入门

安装

要将 Lettuce 作为依赖项包含在应用程序中,请编辑相应的依赖项文件,如下所示。

如果您使用 Maven,请将以下依赖项添加到您的pom.xml:

<dependency>
    <groupId>io.lettuce</groupId>
    <artifactId>lettuce-core</artifactId>
    <version>6.3.2.RELEASE</version> <!-- Check for the latest version on Maven Central -->
</dependency>

If you use Gradle, include this line in your build.gradle file:

dependencies {
    compileOnly 'io.lettuce:lettuce-core:6.3.2.RELEASE'
}

If you wish to use the JAR files directly, download the latest Lettuce and, optionally, Apache Commons Pool2 JAR files from Maven Central or any other Maven repository.

To build from source, see the instructions on the Lettuce source code GitHub repo.

Connect and test

Connect to a local server using the following code. This example also stores and retrieves a simple string value to test the connection.

import io.lettuce.core.*;
import io.lettuce.core.api.StatefulRedisConnection;
import io.lettuce.core.api.sync.RedisCommands;

public class ConnectBasicTest {

    public void connectBasic() {
        RedisURI uri = RedisURI.Builder
                .redis("localhost", 6379)
                .build();

        RedisClient client = RedisClient.create(uri);
        StatefulRedisConnection<String, String> connection = client.connect();
        RedisCommands<String, String> commands = connection.sync();

        commands.set("foo", "bar");
        String result = commands.get("foo");
        System.out.println(result); // >>> bar

        connection.close();

        client.shutdown();
    }
}

More information

The Lettuce reference guide has more examples and an API reference. You may also be interested in the Project Reactor library that Lettuce uses.

See also the other pages in this section for more information and examples:

RATE THIS PAGE
Back to top ↑