The documentation you are viewing is for Dapr v1.15 which is an older version of Dapr. For up-to-date documentation, see the latest version.
客户端
介绍
Dapr 客户端使您能够与 Dapr sidecar 进行通信,并访问其面向客户端的功能,如发布事件、调用输出绑定、状态管理、密钥管理等。
前置条件
- 已安装 Dapr CLI
- 已初始化 Dapr 环境
- 最新的 LTS 版本的 Node.js 或更高版本
安装和导入 Dapr 的 JS SDK
- 使用 npm安装 SDK:
npm i @dapr/dapr --save
- 导入库:
import { DaprClient, DaprServer, HttpMethod, CommunicationProtocolEnum } from "@dapr/dapr";
const daprHost = "127.0.0.1"; // Dapr sidecar 主机
const daprPort = "3500"; // 示例服务器的 Dapr sidecar 端口
const serverHost = "127.0.0.1"; // 示例服务器的应用主机
const serverPort = "50051"; // 示例服务器的应用端口
// HTTP 示例
const client = new DaprClient({ daprHost, daprPort });
// GRPC 示例
const client = new DaprClient({ daprHost, daprPort, communicationProtocol: CommunicationProtocolEnum.GRPC });
运行
要运行示例,您可以使用两种不同的协议与 Dapr sidecar 交互:HTTP(默认)或 gRPC。
使用 HTTP(默认)
import { DaprClient } from "@dapr/dapr";
const client = new DaprClient({ daprHost, daprPort });
# 使用 dapr run
dapr run --app-id example-sdk --app-protocol http -- npm run start
# 或者,使用 npm 脚本
npm run start:dapr-http
使用 gRPC
由于 HTTP 是默认协议,您需要调整通信协议以使用 gRPC。您可以通过向客户端或服务器构造函数传递一个额外的参数来实现这一点。
import { DaprClient, CommunicationProtocol } from "@dapr/dapr";
const client = new DaprClient({ daprHost, daprPort, communicationProtocol: CommunicationProtocol.GRPC });
# 使用 dapr run
dapr run --app-id example-sdk --app-protocol grpc -- npm run start
# 或者,使用 npm 脚本
npm run start:dapr-grpc
环境变量
Dapr sidecar 端点
您可以使用 DAPR_HTTP_ENDPOINT 和 DAPR_GRPC_ENDPOINT 环境变量分别设置 Dapr sidecar 的 HTTP 和 gRPC 端点。当这些变量被设置时,daprHost 和 daprPort 不需要在构造函数的选项参数中设置,客户端将自动从提供的端点中解析它们。
import { DaprClient, CommunicationProtocol } from "@dapr/dapr";
// 使用 HTTP,当 DAPR_HTTP_ENDPOINT 被设置时
const client = new DaprClient();
// 使用 gRPC,当 DAPR_GRPC_ENDPOINT 被设置时
const client = new DaprClient({ communicationProtocol: CommunicationProtocol.GRPC });
如果环境变量被设置,但 daprHost 和 daprPort 值被传递给构造函数,后者将优先于环境变量。
Dapr API 令牌
您可以使用 DAPR_API_TOKEN 环境变量设置 Dapr API 令牌。当此变量被设置时,daprApiToken 不需要在构造函数的选项参数中设置,客户端将自动获取它。
通用
增加主体大小
您可以通过使用 DaprClient 的选项增加应用程序与 sidecar 通信时使用的主体大小。
import { DaprClient, CommunicationProtocol } from "@dapr/dapr";
// 允许使用 10Mb 的主体大小
// 默认是 4Mb
const client = new DaprClient({
  daprHost,
  daprPort,
  communicationProtocol: CommunicationProtocol.HTTP,
  maxBodySizeMb: 10,
});
代理请求
通过代理请求,我们可以利用 Dapr 的 sidecar 架构带来的独特功能,如服务发现、日志记录等,使我们能够立即“升级”我们的 gRPC 服务。在 社区电话 41 中演示了 gRPC 代理的这一特性。
创建代理
要执行 gRPC 代理,只需通过调用 client.proxy.create() 方法创建一个代理:
// 一如既往,创建一个到我们 Dapr sidecar 的客户端
// 这个客户端负责确保 sidecar 已启动,我们可以通信,...
const clientSidecar = new DaprClient({ daprHost, daprPort, communicationProtocol: CommunicationProtocol.GRPC });
// 创建一个允许我们使用 gRPC 代码的代理
const clientProxy = await clientSidecar.proxy.create<GreeterClient>(GreeterClient);
我们现在可以调用在我们的 GreeterClient 接口中定义的方法(在这种情况下是来自 Hello World 示例)
技术细节

- gRPC 服务在 Dapr 中启动。我们通过 --app-port告诉 Dapr 这个 gRPC 服务器运行在哪个端口,并通过--app-id <APP_ID_HERE>给它一个唯一的 Dapr 应用 ID
- 我们现在可以通过一个将连接到 sidecar 的客户端调用 Dapr sidecar
- 在调用 Dapr sidecar 时,我们提供一个名为 dapr-app-id的元数据键,其值为在 Dapr 中启动的 gRPC 服务器(例如,在我们的示例中为server)
- Dapr 现在将调用转发到配置的 gRPC 服务器
构建块
JavaScript 客户端 SDK 允许您与所有 Dapr 构建块 进行接口交互,重点是客户端到 sidecar 的功能。
调用 API
调用服务
import { DaprClient, HttpMethod } from "@dapr/dapr";
const daprHost = "127.0.0.1";
const daprPort = "3500";
async function start() {
  const client = new DaprClient({ daprHost, daprPort });
  const serviceAppId = "my-app-id";
  const serviceMethod = "say-hello";
  // POST 请求
  const response = await client.invoker.invoke(serviceAppId, serviceMethod, HttpMethod.POST, { hello: "world" });
  // 带有头部的 POST 请求
  const response = await client.invoker.invoke(
    serviceAppId,
    serviceMethod,
    HttpMethod.POST,
    { hello: "world" },
    { headers: { "X-User-ID": "123" } },
  );
  // GET 请求
  const response = await client.invoker.invoke(serviceAppId, serviceMethod, HttpMethod.GET);
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
有关服务调用的完整指南,请访问 如何:调用服务。
状态管理 API
保存、获取和删除应用状态
import { DaprClient } from "@dapr/dapr";
const daprHost = "127.0.0.1";
const daprPort = "3500";
async function start() {
  const client = new DaprClient({ daprHost, daprPort });
  const serviceStoreName = "my-state-store-name";
  // 保存状态
  const response = await client.state.save(
    serviceStoreName,
    [
      {
        key: "first-key-name",
        value: "hello",
        metadata: {
          foo: "bar",
        },
      },
      {
        key: "second-key-name",
        value: "world",
      },
    ],
    {
      metadata: {
        ttlInSeconds: "3", // 这应该覆盖状态项中的 ttl
      },
    },
  );
  // 获取状态
  const response = await client.state.get(serviceStoreName, "first-key-name");
  // 获取批量状态
  const response = await client.state.getBulk(serviceStoreName, ["first-key-name", "second-key-name"]);
  // 状态事务
  await client.state.transaction(serviceStoreName, [
    {
      operation: "upsert",
      request: {
        key: "first-key-name",
        value: "new-data",
      },
    },
    {
      operation: "delete",
      request: {
        key: "second-key-name",
      },
    },
  ]);
  // 删除状态
  const response = await client.state.delete(serviceStoreName, "first-key-name");
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
有关状态操作的完整列表,请访问 如何:获取和保存状态。
查询状态 API
import { DaprClient } from "@dapr/dapr";
async function start() {
  const client = new DaprClient({ daprHost, daprPort });
  const res = await client.state.query("state-mongodb", {
    filter: {
      OR: [
        {
          EQ: { "person.org": "Dev Ops" },
        },
        {
          AND: [
            {
              EQ: { "person.org": "Finance" },
            },
            {
              IN: { state: ["CA", "WA"] },
            },
          ],
        },
      ],
    },
    sort: [
      {
        key: "state",
        order: "DESC",
      },
    ],
    page: {
      limit: 10,
    },
  });
  console.log(res);
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
PubSub API
发布消息
import { DaprClient } from "@dapr/dapr";
const daprHost = "127.0.0.1";
const daprPort = "3500";
async function start() {
  const client = new DaprClient({ daprHost, daprPort });
  const pubSubName = "my-pubsub-name";
  const topic = "topic-a";
  // 以 text/plain 格式发布消息到主题
  // 注意,内容类型是从消息类型推断的,除非明确指定
  const response = await client.pubsub.publish(pubSubName, topic, "hello, world!");
  // 如果发布失败,响应包含错误
  console.log(response);
  // 以 application/json 格式发布消息到主题
  await client.pubsub.publish(pubSubName, topic, { hello: "world" });
  // 将 JSON 消息作为纯文本发布
  const options = { contentType: "text/plain" };
  await client.pubsub.publish(pubSubName, topic, { hello: "world" }, options);
  // 以 application/cloudevents+json 格式发布消息到主题
  // 您还可以使用 cloudevent SDK 创建云事件 https://github.com/cloudevents/sdk-javascript
  const cloudEvent = {
    specversion: "1.0",
    source: "/some/source",
    type: "example",
    id: "1234",
  };
  await client.pubsub.publish(pubSubName, topic, cloudEvent);
  // 将 cloudevent 作为原始负载发布
  const options = { metadata: { rawPayload: true } };
  await client.pubsub.publish(pubSubName, topic, "hello, world!", options);
  // 以 text/plain 格式批量发布多个消息到主题
  await client.pubsub.publishBulk(pubSubName, topic, ["message 1", "message 2", "message 3"]);
  // 以 application/json 格式批量发布多个消息到主题
  await client.pubsub.publishBulk(pubSubName, topic, [
    { hello: "message 1" },
    { hello: "message 2" },
    { hello: "message 3" },
  ]);
  // 使用显式批量发布消息批量发布多个消息
  const bulkPublishMessages = [
    {
      entryID: "entry-1",
      contentType: "application/json",
      event: { hello: "foo message 1" },
    },
    {
      entryID: "entry-2",
      contentType: "application/cloudevents+json",
      event: { ...cloudEvent, data: "foo message 2", datacontenttype: "text/plain" },
    },
    {
      entryID: "entry-3",
      contentType: "text/plain",
      event: "foo message 3",
    },
  ];
  await client.pubsub.publishBulk(pubSubName, topic, bulkPublishMessages);
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
Bindings API
调用输出绑定
输出绑定
import { DaprClient } from "@dapr/dapr";
const daprHost = "127.0.0.1";
const daprPort = "3500";
async function start() {
  const client = new DaprClient({ daprHost, daprPort });
  const bindingName = "my-binding-name";
  const bindingOperation = "create";
  const message = { hello: "world" };
  const response = await client.binding.send(bindingName, bindingOperation, message);
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
有关输出绑定的完整指南,请访问 如何:使用绑定。
Secret API
检索 secrets
import { DaprClient } from "@dapr/dapr";
const daprHost = "127.0.0.1";
const daprPort = "3500";
async function start() {
  const client = new DaprClient({ daprHost, daprPort });
  const secretStoreName = "my-secret-store";
  const secretKey = "secret-key";
  // 从 secret 存储中检索单个 secret
  const response = await client.secret.get(secretStoreName, secretKey);
  // 从 secret 存储中检索所有 secrets
  const response = await client.secret.getBulk(secretStoreName);
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
有关 secrets 的完整指南,请访问 如何:检索 secrets。
Configuration API
获取配置键
import { DaprClient } from "@dapr/dapr";
const daprHost = "127.0.0.1";
async function start() {
  const client = new DaprClient({
    daprHost,
    daprPort: process.env.DAPR_GRPC_PORT,
    communicationProtocol: CommunicationProtocolEnum.GRPC,
  });
  const config = await client.configuration.get("config-store", ["key1", "key2"]);
  console.log(config);
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
示例输出:
{
   items: {
     key1: { key: 'key1', value: 'foo', version: '', metadata: {} },
     key2: { key: 'key2', value: 'bar2', version: '', metadata: {} }
   }
}
订阅配置更新
import { DaprClient } from "@dapr/dapr";
const daprHost = "127.0.0.1";
async function start() {
  const client = new DaprClient({
    daprHost,
    daprPort: process.env.DAPR_GRPC_PORT,
    communicationProtocol: CommunicationProtocolEnum.GRPC,
  });
  // 订阅配置存储更改的键 "key1" 和 "key2"
  const stream = await client.configuration.subscribeWithKeys("config-store", ["key1", "key2"], async (data) => {
    console.log("订阅接收到来自配置存储的更新:", data);
  });
  // 等待 60 秒并取消订阅。
  await new Promise((resolve) => setTimeout(resolve, 60000));
  stream.stop();
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
示例输出:
订阅接收到来自配置存储的更新: {
  items: { key2: { key: 'key2', value: 'bar', version: '', metadata: {} } }
}
订阅接收到来自配置存储的更新: {
  items: { key1: { key: 'key1', value: 'foobar', version: '', metadata: {} } }
}
Cryptography API
JavaScript SDK 中的 gRPC 客户端仅支持 cryptography API。
import { createReadStream, createWriteStream } from "node:fs";
import { readFile, writeFile } from "node:fs/promises";
import { pipeline } from "node:stream/promises";
import { DaprClient, CommunicationProtocolEnum } from "@dapr/dapr";
const daprHost = "127.0.0.1";
const daprPort = "50050"; // 示例服务器的 Dapr sidecar 端口
async function start() {
  const client = new DaprClient({
    daprHost,
    daprPort,
    communicationProtocol: CommunicationProtocolEnum.GRPC,
  });
  // 使用流加密和解密消息
  await encryptDecryptStream(client);
  // 从缓冲区加密和解密消息
  await encryptDecryptBuffer(client);
}
async function encryptDecryptStream(client: DaprClient) {
  // 首先,加密消息
  console.log("== 使用流加密消息");
  console.log("将 plaintext.txt 加密为 ciphertext.out");
  await pipeline(
    createReadStream("plaintext.txt"),
    await client.crypto.encrypt({
      componentName: "crypto-local",
      keyName: "symmetric256",
      keyWrapAlgorithm: "A256KW",
    }),
    createWriteStream("ciphertext.out"),
  );
  // 解密消息
  console.log("== 使用流解密消息");
  console.log("将 ciphertext.out 解密为 plaintext.out");
  await pipeline(
    createReadStream("ciphertext.out"),
    await client.crypto.decrypt({
      componentName: "crypto-local",
    }),
    createWriteStream("plaintext.out"),
  );
}
async function encryptDecryptBuffer(client: DaprClient) {
  // 读取 "plaintext.txt" 以便我们有一些内容
  const plaintext = await readFile("plaintext.txt");
  // 首先,加密消息
  console.log("== 使用缓冲区加密消息");
  const ciphertext = await client.crypto.encrypt(plaintext, {
    componentName: "crypto-local",
    keyName: "my-rsa-key",
    keyWrapAlgorithm: "RSA",
  });
  await writeFile("test.out", ciphertext);
  // 解密消息
  console.log("== 使用缓冲区解密消息");
  const decrypted = await client.crypto.decrypt(ciphertext, {
    componentName: "crypto-local",
  });
  // 内容应该相等
  if (plaintext.compare(decrypted) !== 0) {
    throw new Error("解密的消息与原始消息不匹配");
  }
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
有关 cryptography 的完整指南,请访问 如何:Cryptography。
分布式锁 API
尝试锁定和解锁 API
import { CommunicationProtocolEnum, DaprClient } from "@dapr/dapr";
import { LockStatus } from "@dapr/dapr/types/lock/UnlockResponse";
const daprHost = "127.0.0.1";
const daprPortDefault = "3500";
async function start() {
  const client = new DaprClient({ daprHost, daprPort });
  const storeName = "redislock";
  const resourceId = "resourceId";
  const lockOwner = "owner1";
  let expiryInSeconds = 1000;
  console.log(`在 ${storeName}, ${resourceId} 上以所有者:${lockOwner} 获取锁`);
  const lockResponse = await client.lock.lock(storeName, resourceId, lockOwner, expiryInSeconds);
  console.log(lockResponse);
  console.log(`在 ${storeName}, ${resourceId} 上以所有者:${lockOwner} 解锁`);
  const unlockResponse = await client.lock.unlock(storeName, resourceId, lockOwner);
  console.log("解锁 API 响应:" + getResponseStatus(unlockResponse.status));
}
function getResponseStatus(status: LockStatus) {
  switch (status) {
    case LockStatus.Success:
      return "成功";
    case LockStatus.LockDoesNotExist:
      return "锁不存在";
    case LockStatus.LockBelongsToOthers:
      return "锁属于他人";
    default:
      return "内部错误";
  }
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
有关分布式锁的完整指南,请访问 如何:使用分布式锁。
Workflow API
Workflow 管理
import { DaprClient } from "@dapr/dapr";
async function start() {
  const client = new DaprClient();
  // 启动一个新的 workflow 实例
  const instanceId = await client.workflow.start("OrderProcessingWorkflow", {
    Name: "Paperclips",
    TotalCost: 99.95,
    Quantity: 4,
  });
  console.log(`启动了 workflow 实例 ${instanceId}`);
  // 获取一个 workflow 实例
  const workflow = await client.workflow.get(instanceId);
  console.log(
    `Workflow ${workflow.workflowName}, 创建于 ${workflow.createdAt.toUTCString()}, 状态为 ${
      workflow.runtimeStatus
    }`,
  );
  console.log(`附加属性:${JSON.stringify(workflow.properties)}`);
  // 暂停一个 workflow 实例
  await client.workflow.pause(instanceId);
  console.log(`暂停了 workflow 实例 ${instanceId}`);
  // 恢复一个 workflow 实例
  await client.workflow.resume(instanceId);
  console.log(`恢复了 workflow 实例 ${instanceId}`);
  // 终止一个 workflow 实例
  await client.workflow.terminate(instanceId);
  console.log(`终止了 workflow 实例 ${instanceId}`);
  // 清除一个 workflow 实例
  await client.workflow.purge(instanceId);
  console.log(`清除了 workflow 实例 ${instanceId}`);
}
start().catch((e) => {
  console.error(e);
  process.exit(1);
});
相关链接
Feedback
Was this page helpful?
Glad to hear it! Please tell us how we can improve.
Sorry to hear that. Please tell us how we can improve.