Socket
Socket
Sign inDemoInstall

@aws-sdk/client-connectcampaigns

Package Overview
Dependencies
34
Maintainers
6
Versions
240
Alerts
File Explorer

Advanced tools

Install Socket

Detect and block malicious and high-risk dependencies

Install

@aws-sdk/client-connectcampaigns


Version published
Maintainers
6
Created

Package description

What is @aws-sdk/client-connectcampaigns?

@aws-sdk/client-connectcampaigns is an AWS SDK client for Amazon Connect Campaigns, which allows you to manage outbound campaigns for Amazon Connect. This package provides functionalities to create, manage, and monitor outbound campaigns, including managing campaign configurations, agent performance, and campaign metrics.

What are @aws-sdk/client-connectcampaigns's main functionalities?

Create Campaign

This feature allows you to create a new outbound campaign in Amazon Connect. The code sample demonstrates how to use the CreateCampaignCommand to create a campaign with specific configurations.

const { ConnectCampaignsClient, CreateCampaignCommand } = require('@aws-sdk/client-connectcampaigns');

const client = new ConnectCampaignsClient({ region: 'us-west-2' });

const createCampaign = async () => {
  const params = {
    Name: 'MyCampaign',
    ConnectInstanceId: 'your-connect-instance-id',
    DialerConfig: {
      PredictiveDialerConfig: {
        BandwidthAllocation: 0.5
      }
    },
    OutboundCallConfig: {
      ConnectContactFlowId: 'your-contact-flow-id',
      ConnectQueueId: 'your-queue-id',
      AnswerMachineDetectionConfig: {
        EnableAnswerMachineDetection: true
      }
    }
  };

  try {
    const data = await client.send(new CreateCampaignCommand(params));
    console.log('Campaign created:', data);
  } catch (error) {
    console.error('Error creating campaign:', error);
  }
};

createCampaign();

List Campaigns

This feature allows you to list all the outbound campaigns in your Amazon Connect instance. The code sample demonstrates how to use the ListCampaignsCommand to retrieve and display the list of campaigns.

const { ConnectCampaignsClient, ListCampaignsCommand } = require('@aws-sdk/client-connectcampaigns');

const client = new ConnectCampaignsClient({ region: 'us-west-2' });

const listCampaigns = async () => {
  try {
    const data = await client.send(new ListCampaignsCommand({}));
    console.log('Campaigns:', data.CampaignSummaryList);
  } catch (error) {
    console.error('Error listing campaigns:', error);
  }
};

listCampaigns();

Delete Campaign

This feature allows you to delete an existing outbound campaign in Amazon Connect. The code sample demonstrates how to use the DeleteCampaignCommand to delete a campaign by its ID.

const { ConnectCampaignsClient, DeleteCampaignCommand } = require('@aws-sdk/client-connectcampaigns');

const client = new ConnectCampaignsClient({ region: 'us-west-2' });

const deleteCampaign = async (campaignId) => {
  const params = { Id: campaignId };

  try {
    const data = await client.send(new DeleteCampaignCommand(params));
    console.log('Campaign deleted:', data);
  } catch (error) {
    console.error('Error deleting campaign:', error);
  }
};

deleteCampaign('your-campaign-id');

Other packages similar to @aws-sdk/client-connectcampaigns

Changelog

Source

3.137.0 (2022-07-26)

Bug Fixes

  • smithy-client: rfc-7231 date-time value (#3814) (f52a985)

Features

  • client-appsync: Adds support for a new API to evaluate mapping templates with mock data, allowing you to remotely unit test your AppSync resolvers and functions. (9f42ace)
  • client-detective: Added the ability to get data source package information for the behavior graph. Graph administrators can now start (or stop) optional datasources on the behavior graph. (6b3a1ff)
  • client-guardduty: Amazon GuardDuty introduces a new Malware Protection feature that triggers malware scan on selected EC2 instance resources, after the service detects a potentially malicious activity. (f85fa66)
  • client-lookoutvision: This release introduces support for the automatic scaling of inference units used by Amazon Lookout for Vision models. (65ad083)
  • client-macie2: This release adds support for retrieving (revealing) sample occurrences of sensitive data that Amazon Macie detects and reports in findings. (00eeecb)
  • client-rekognition: This release introduces support for the automatic scaling of inference units used by Amazon Rekognition Custom Labels models. (34e5ab6)
  • client-transfer: AWS Transfer Family now supports Applicability Statement 2 (AS2), a network protocol used for the secure and reliable transfer of critical Business-to-Business (B2B) data over the public internet using HTTP/HTTPS as the transport mechanism. (8424fee)
  • namespaces: remove namespaces with only a log filter (#3823) (33e6822)

Readme

Source

@aws-sdk/client-connectcampaigns

NPM version NPM downloads

Description

AWS SDK for JavaScript ConnectCampaigns Client for Node.js, Browser and React Native.

Provide APIs to create and manage Amazon Connect Campaigns.

Installing

To install the this package, simply type add or install @aws-sdk/client-connectcampaigns using your favorite package manager:

  • npm install @aws-sdk/client-connectcampaigns
  • yarn add @aws-sdk/client-connectcampaigns
  • pnpm add @aws-sdk/client-connectcampaigns

Getting Started

Import

The AWS SDK is modulized by clients and commands. To send a request, you only need to import the ConnectCampaignsClient and the commands you need, for example CreateCampaignCommand:

// ES5 example
const { ConnectCampaignsClient, CreateCampaignCommand } = require("@aws-sdk/client-connectcampaigns");
// ES6+ example
import { ConnectCampaignsClient, CreateCampaignCommand } from "@aws-sdk/client-connectcampaigns";

Usage

To send a request, you:

  • Initiate client with configuration (e.g. credentials, region).
  • Initiate command with input parameters.
  • Call send operation on client with command object as input.
  • If you are using a custom http handler, you may call destroy() to close open connections.
// a client can be shared by different commands.
const client = new ConnectCampaignsClient({ region: "REGION" });

const params = {
  /** input parameters */
};
const command = new CreateCampaignCommand(params);
Async/await

We recommend using await operator to wait for the promise returned by send operation as follows:

// async/await.
try {
  const data = await client.send(command);
  // process data.
} catch (error) {
  // error handling.
} finally {
  // finally.
}

Async-await is clean, concise, intuitive, easy to debug and has better error handling as compared to using Promise chains or callbacks.

Promises

You can also use Promise chaining to execute send operation.

client.send(command).then(
  (data) => {
    // process data.
  },
  (error) => {
    // error handling.
  }
);

Promises can also be called using .catch() and .finally() as follows:

client
  .send(command)
  .then((data) => {
    // process data.
  })
  .catch((error) => {
    // error handling.
  })
  .finally(() => {
    // finally.
  });
Callbacks

We do not recommend using callbacks because of callback hell, but they are supported by the send operation.

// callbacks.
client.send(command, (err, data) => {
  // process err and data.
});
v2 compatible style

The client can also send requests using v2 compatible style. However, it results in a bigger bundle size and may be dropped in next major version. More details in the blog post on modular packages in AWS SDK for JavaScript

import * as AWS from "@aws-sdk/client-connectcampaigns";
const client = new AWS.ConnectCampaigns({ region: "REGION" });

// async/await.
try {
  const data = await client.createCampaign(params);
  // process data.
} catch (error) {
  // error handling.
}

// Promises.
client
  .createCampaign(params)
  .then((data) => {
    // process data.
  })
  .catch((error) => {
    // error handling.
  });

// callbacks.
client.createCampaign(params, (err, data) => {
  // process err and data.
});

Troubleshooting

When the service returns an exception, the error will include the exception information, as well as response metadata (e.g. request id).

try {
  const data = await client.send(command);
  // process data.
} catch (error) {
  const { requestId, cfId, extendedRequestId } = error.$metadata;
  console.log({ requestId, cfId, extendedRequestId });
  /**
   * The keys within exceptions are also parsed.
   * You can access them by specifying exception names:
   * if (error.name === 'SomeServiceException') {
   *     const value = error.specialKeyInException;
   * }
   */
}

Getting Help

Please use these community resources for getting help. We use the GitHub issues for tracking bugs and feature requests, but have limited bandwidth to address them.

To test your universal JavaScript code in Node.js, browser and react-native environments, visit our code samples repo.

Contributing

This client code is generated automatically. Any modifications will be overwritten the next time the @aws-sdk/client-connectcampaigns package is updated. To contribute to client you can check our generate clients scripts.

License

This SDK is distributed under the Apache License, Version 2.0, see LICENSE for more information.

FAQs

Last updated on 26 Jul 2022

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap

Packages

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc