
Research
2025 Report: Destructive Malware in Open Source Packages
Destructive malware is rising across open source registries, using delays and kill switches to wipe code, break builds, and disrupt CI/CD.
@wxcc-desktop/sdk
Advanced tools
WxCC Agent Desktop JS API modules set
Desktop) includes:Desktop moduleDesktop module contains sub-modules:
import { Desktop } from "@wxcc-desktop/sdk";
const {
config,
actions,
logger,
shortcutKey,
i18n,
webexMetricsInternal,
// AQM/Notifs modules
agentContact,
agentStateInfo,
dialer,
screenpop
} = Desktop;
###`Desktop config` sub-module
```Javascript
import { Desktop } from "@wxcc-desktop/sdk";
Desktop.config.init({widgetName: "widgetName", widgetProvider: "widgetProvider"});
### `Desktop.logger` sub-module
`Desktop.logger` sub-module is intended to create & maintain client-side logger's instances for third-party widgets.
```Javascript
import { Desktop } from "@wxcc-desktop/sdk";
//...
/*
Supposing Desktop.config.init() was called
*/
const logerOne = Desktop.logger.createLogger("for-service-one");
const logerTwo = Desktop.logger.createLogger("for-service-two");
logerOne.info("Info test"); // console.log => "for-service-one: Info:test"
logerTwo.warn("Warn test"); // console.log => "for-service-two: Warn:test"
logerOne.error("Error test"); // console.log => "for-service-one: Error:test"
// Start browser doanload logs as JSON for "for-service-one" prefix:
Desktop.logger.browserDownloadLogsJson("for-service-one");
// Start browser doanload logs as Test for "for-service-one" prefix:
Desktop.logger.browserDownloadLogsText("for-service-one");
// Get logs as Object's collection for "for-service-one" prefix:
Desktop.logger.getLogsCollection("for-service-one");
// Get logs as base64 encoded url ready to put into link href to initiate browser download as JSON for "for-service-one" prefix:
Desktop.logger.getLogsJsonUrl("for-service-one");
// Get logs as base64 encoded url ready to put into link href to initiate browser download as Text for "for-service-one" prefix:
Desktop.logger.getLogsTextUrl("for-service-one");
// Cleanup logs from LS for "for-service-one" prefix:
Desktop.logger.cleanupPrefixedLogs("for-service-one");
//...
Desktop.i18n sub-moduleDesktop.i18n sub-module is intended to create & maintain client-side i18n & lit-element i18nMixin instances for third-party widgets.
Desktop.i18n instantinating object is described in: https://www.i18next.com/overview/api#instance-creation
i18n instance backend configuration described in: https://github.com/i18next/i18next-http-backend
i18n instance languageDetector configuration described in: https://github.com/i18next/i18next-browser-languageDetector
i18n instance init options are described in: https://www.i18next.com/overview/configuration-options
import { Desktop } from "@wxcc-desktop/sdk";
import { customElement, LitElement } from "lit-element";
import { html } from "lit-html";
//...
/*
Desktop.i18n service MAY NOT NEED to wait for Desktop.config.init({...}) was called for proper work
*/
// All CreateOotions for i18n are optional
type CreateOptions = {
logger?:
| {
log(...args: any[]): void;
warn(...args: any[]): void;
error(...args: any[]): void;
}
| ReturnType<typof Desktop.createLogger>;
backend?: Backend // import Backend from "i18next-http-backend";
languageDetector?: LanguageDetector // import LanguageDetector from "i18next-browser-languagedetector";
};
const i18n = Desktop.i18n.createInstance(createOptions?: CreateOptions) // returns instance described in https://www.i18next.com/overview/api#instance-creation
const i18nMixin = Desktop.i18n.createMixin({ i18n /*Injecting i18n service instance into lit-element mixin */ })
console.log(Desktop.i18n.DEFAULT_INIT_OPTIONS); // => i18n.init options that are using by AgentX by default
// Init i18n with options to be able call "t" function translations
if (!i18n.isInitialized) {
const initOptions = Desktop.i18n.getMergedInitOptions(Desktop.i18n.DEFAULT_INIT_OPTIONS || {}, {
defaultNS: "my-ns",
ns: ["my-ns"],
fallbackLng: "en",
backend: {
loadPath: "/.../path-to-locales/.../{{lng}}/{{ns}}.json"
}
});
i18n.init(initOptions).catch(err => console.log(err));
}
@customElement("my-awesome-component")
export class MyAwesomeComponent extends i18nMixin(LitElement) {
render() {
return html`
<!-- i18nMixin will subscribe component tree updates on languages load & language change -->
<p>${i18n.t("my-ns:key1")}</p>
<!-- Component wrapped by i18nMixin can access t funcation via this.t(...) -->
<p>${this.t("my-ns:key2")}</p>`
}
}
Desktop.actions sub-moduleDesktop.actions sub-module is intended to make a calls into and/or get data from AgentX store.
import { Desktop } from "@wxcc-desktop/sdk";
//...
/*
Supposing Desktop.config.init() was called
*/
// AgentX General Notifications:
Desktop.actions.fireGeneralSilentNotification({...}) // => Fires silent notification in AgentX. One way
// Unlike silent notification, autodismiss and acknowledge can have controlled responses, that may reflect in status, e.g.:
const [ status, reason, mode ]: [ Notifications.ItemMeta.Status, Notifications.ItemMeta.StatusChangeEventReason, Notifications.ItemMeta.Mode ] = await Desktop.actions.fireGeneralAutoDismissNotification({...}) // => Fires autudismiss notification in AgentX. Returns notification resolved status, reason, mode. NOTE: if AgentX notifications disabled - it will be converted into silent and reflected in "mode"
const [ status, reason, mode ]: [ Notifications.ItemMeta.Status, Notifications.ItemMeta.StatusChangeEventReason, Notifications.ItemMeta.Mode ] = await Desktop.actions.fireGeneralAcknowledgeNotification({...}) // => Fires acknowledge notification in AgentX. Returns notification resolved status, reason, mode. NOTE: if AgentX notifications disabled - it will be converted into silent and reflected in "mode"
// AgentX Tasks:
Desktop.actions.addCustomTask({...}) // => Add custom task object in AgentX store
// AgentX Task Map:
const currentTaskMap = await Desktop.actions.getTaskMap() // => Get current task map from AgentX store
// AgentX Media Type Queues:
const queue = await Desktop.actions.getMediaTypeQueue("telephony" | "social" | "email" | "chat") // => Get current media queue from AgentX store
// AgentX AccessToken:
const accessToken = await Desktop.actions.getToken() // => Get current accessToken from AgentX store
// AgentX idleCodes:
const idelCodes = await Desktop.actions.getIdleCodes() // => Get current idleCodes from AgentX store
// AgentX wrapUpCodes:
const wrapUpCodes = await Desktop.actions.getWrapUpCodes() // => Get current idleCodes from AgentX store
// AgentX Maximize/Restore Dynamic Widget.
const toggle = Desktop.actions.toggleMiximizeRestore(e: Event) // => maximize/restore widgets with toggle-maximize-restore.
Desktop.shortcutKey sub-moduleDesktop.shortcutKey sub-module is intended to register and call shortcut keys actions from widgets.
import { Desktop } from "@wxcc-desktop/sdk";
//...
/*
Supposing Desktop.config.init() was called
*/
console.log(Desktop.shortcutKey.DEFAULT_SHORTCUT_KEYS); //=> logs default shortcut keys
console.log(Desktop.shortcutKey.MODIFIERS); //=> logs keys modifiers
console.log(Desktop.shortcutKey.REGISTERED_KEYS); //=> logs registered keys
console.log(Desktop.shortcutKey.getRegisteredKeys()); //=> logs service registered keys
Desktop.shortcutKey.listenKeyPress((event) => {...}); //=> listen shortcuts key press
Desktop.shortcutKey.listenKeyConflict((event) => {...}); //=> listen shortcuts key conflict
Desktop.shortcutKey.listenConflictResolved(() => {}); //=> listen to shortcut key conflict resolved status
Desktop.shortcutKey.register([ {...}, {...}, ... ]); //=> registering shortcut keys actions
Desktop.shortcutKey.unregisterKeys('widget-one-example'); //=> used to unregister on unmount, widgetElement used for register should be provided
//...
Desktop.agentContact sub-moduleDesktop.agentContact sub-module is intended to make aqm requests and listen to notifs events related to agent-contact entity.
import { Desktop } from "@wxcc-desktop/sdk";
//...
/*
Supposing Desktop.config.init() was called
*/
// List of available agent-contact aqm reqs:
await Desktop.agentContact.accept({ ... });
await Desktop.agentContact.consultAccept({ ... });
await Desktop.agentContact.buddyAgents({ ... });
await Desktop.agentContact.end({ ... });
await Desktop.agentContact.consultEnd({ ... });
await Desktop.agentContact.cancelCtq({ ... });
await Desktop.agentContact.wrapup({ ... });
await Desktop.agentContact.vteamTransfer({ ... });
await Desktop.agentContact.blindTransfer({ ... });
await Desktop.agentContact.hold({ ... });
await Desktop.agentContact.unHold({ ... });
await Desktop.agentContact.consult({ ... });
await Desktop.agentContact.decline({ ... });
await Desktop.agentContact.consultTransfer({ ... });
await Desktop.agentContact.vteamList({ ... });
await Desktop.agentContact.pauseRecording({ ... });
await Desktop.agentContact.resumeRecording({ ... });
// List of new routing API's
await Desktop.agentContact.acceptV2({ ... });
await Desktop.agentContact.cancelTaskV2({ ... });
await Desktop.agentContact.endV2({ ... });
await Desktop.agentContact.pauseRecordingV2({ ... });
await Desktop.agentContact.resumeRecordingV2({ ... });
await Desktop.agentContact.wrapupV2({ ... });
await Desktop.agentContact.consultV2({ ... });
await Desktop.agentContact.consultEndV2({ ... });
await Desktop.agentContact.consultConferenceV2({ ... });
await Desktop.agentContact.exitConference({ ... });
await Desktop.agentContact.vteamTransferV2({ ... });
await Desktop.agentContact.blindTransferV2({ ... });
await Desktop.agentContact.consultTransferV2({ ... });
await Desktop.agentContact.buddyAgentsV2({ ... });
// List of available agent-contact aqm notifs events:
Desktop.agentContact.addEventListener("eAgentContact", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentContactAssigned", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentContactEnded", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentContactWrappedUp", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentOfferContact", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentOfferContactRona", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentOfferConsult", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentWrapup", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentContactHeld", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentContactUnHeld", msg => console.log(msg));
Desktop.agentContact.addEventListener("eCallRecordingStarted", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentConsultCreated", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentConsultConferenced", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentConsultEnded", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentCtqCancelled", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentConsulting", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentConsultFailed", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentConsultEndFailed", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentCtqFailed", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentCtqCancelFailed", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentConsultConferenceEndFailed", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentMonitorStateChanged", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentMonitoringEnded", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentOfferCampaignReserved", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentAddCampaignReserved", msg => console.log(msg));
Desktop.agentContact.addEventListener("eAgentCampaignContactUpdated", msg => console.log(msg));
// Module supports removing added listeners like:
const listener = msg => console.log(msg);
Desktop.agentContact.addEventListener("eAgentContact", listener);
Desktop.agentContact.removeEventListener("eAgentContact", listener);
// Module supports one-time added listeners like:
Desktop.agentContact.addOnceEventListener("eAgentContact", listener);
Desktop.agentContact.removeOnceEventListener("eAgentContact", listener);
// Module supports removing all listeners like:
Desktop.agentContact.removeAllEventListeners();
Desktop.agentStateInfo sub-moduleDesktop.agentStateInfo sub-module is intended to listen for latest data updates for data:
type LatestInfoData = {
teamId?: string;
teamName?: string;
dn?: string;
status?: string;
subStatus?: string;
idleCodes?: Service.Aqm.Configs.Entity[];
wrapupCodes?: Service.Aqm.Configs.Entity[];
outDialRegex?: string;
isOutboundEnabledForTenant?: boolean;
isOutboundEnabledForAgent?: boolean;
};
import { Desktop } from "@wxcc-desktop/sdk";
//...
/*
Supposing Desktop.config.init() was called
*/
// latestData inludes latest data fields
const latestData: LatestInfoData = Desktop.agentStateInfo.latestData;
//...
// Cumulative update event supported
Desktop.agentStateInfo.addEventListener("updated", updatedList =>
console.log(updatedList)
/* will log (in case of "dn", "status", "subStatus" fields were updated
[
{
"name": "dn",
"value": "+12580258011",
"oldValue": ""
},
{
"name": "status",
"value": "LoggedIn",
"oldValue": "DefaultState"
},
{
"name": "subStatus",
"value": "Available",
"oldValue": ""
}
]
*/
);
// List of available agent-state aqm reqs:
await Desktop.agentStateInfo.stateChange({ ... });
await Desktop.agentStateInfo.fetchAddressBooks({ ... });
Desktop.dialer sub-moduleDesktop.dialer sub-module is intended to make aqm requests and listen to notifs events related to dialer entity.
import { Desktop } from "@wxcc-desktop/sdk";
//...
/*
Supposing Desktop.config.init() was called
*/
// List of available agent-contact aqm reqs:
await Desktop.dialer.startOutdial({ ... });
await Desktop.dialer.previewCampaignAccept({ ... });
await Desktop.dialer.previewCampaignSkip({ ... });
await Desktop.dialer.removePreviewContact({ ... });
// List of available agent-contact aqm notifs events:
Desktop.dialer.addEventListener("eOutdialFailed", msg => console.log(msg));
Desktop.dialer.addEventListener("eCampaignPreviewAcceptFailed", msg => console.log(msg));
Desktop.dialer.addEventListener("eCampaignPreviewSkipFailed", msg => console.log(msg));
Desktop.dialer.addEventListener("eCampaignPreviewRemoveFailed", msg => console.log(msg));
// Module supports removing added listeners like:
const listener = msg => console.log(msg);
Desktop.dialer.addEventListener("eOutdialFailed", listener);
Desktop.dialer.removeEventListener("eOutdialFailed", listener);
// Module supports one-time added listeners like:
Desktop.dialer.addOnceEventListener("eOutdialFailed", listener);
Desktop.dialer.removeOnceEventListener("eOutdialFailed", listener);
// Module supports removing all listeners like:
Desktop.dialer.removeAllEventListeners();
Desktop.monitoring sub-moduleDesktop.monitoring sub-module is intended to make aqm requests and listen to notifs events related to call monitoring entity.
import { Desktop } from "@wxcc-desktop/sdk";
//...
/*
Supposing Desktop.config.init() was called
*/
// Start the monitoring request to aqm:
await Desktop.monitoring.startMonitoring({ ... });
// End the monitoring request to aqm:
await Desktop.monitoring.endMonitoring({ ... });
// Pause the monitoring request to aqm:
await Desktop.monitoring.holdMonitoring({ ... });
// Resume the pause monitoring request to aqm:
await Desktop.monitoring.unHoldMonitoring({ ... });
// Start BargIn request to aqm:
await Desktop.monitoring.bargeIn({ ... });
// Module supports removing added listeners like:
const listener = msg => console.log(msg);
Desktop.monitoring.addEventListener("eMonitoringOffered", listener);
Desktop.monitoring.addEventListener("eMonitoringStarted", listener);
Desktop.monitoring.addEventListener("eMonitoringRequestCreateFailed", listener);
Desktop.monitoring.addEventListener("eMonitoringFailed", listener);
Desktop.monitoring.addEventListener("eMonitoringEnded", listener);
Desktop.monitoring.addEventListener("eMonitoringEndFailed", listener);
Desktop.monitoring.addEventListener("eMonitoringHeld", listener);
Desktop.monitoring.addEventListener("eMonitoringHoldFailed", listener);
Desktop.monitoring.addEventListener("eMonitoringUnHeld", listener);
Desktop.monitoring.addEventListener("eMonitoringUnHoldFailed", listener);
Desktop.monitoring.addEventListener("eAgentMonitorStateChanged", listener);
Desktop.monitoring.addEventListener("eAgentMonitorStateChangeFailed", listener);
Desktop.monitoring.removeEventListener("eMonitoringOffered", listener);
Desktop.monitoring.removeEventListener("eMonitoringStarted", listener);
Desktop.monitoring.removeEventListener("eMonitoringRequestCreateFailed", listener);
Desktop.monitoring.removeEventListener("eMonitoringFailed", listener);
Desktop.monitoring.removeEventListener("eMonitoringEnded", listener);
Desktop.monitoring.removeEventListener("eMonitoringEndFailed", listener);
Desktop.monitoring.removeEventListener("eMonitoringHeld", listener);
Desktop.monitoring.removeEventListener("eMonitoringHoldFailed", listener);
Desktop.monitoring.removeEventListener("eMonitoringUnHeld", listener);
Desktop.monitoring.removeEventListener("eMonitoringUnHoldFailed", listener);
Desktop.monitoring.removeEventListener("eAgentMonitorStateChanged", listener);
Desktop.monitoring.removeEventListener("eAgentMonitorStateChangeFailed", listener);
// Module supports one-time added listeners like:
Desktop.monitoring.addOnceEventListener("eMonitoringOffered", listener);
Desktop.monitoring.addOnceEventListener("eMonitoringStarted", listener);
Desktop.monitoring.addOnceEventListener("eMonitoringRequestCreateFailed", listener);
Desktop.monitoring.addOnceEventListener("eMonitoringFailed", listener);
Desktop.monitoring.addOnceEventListener("eMonitoringEnded", listener);
Desktop.monitoring.addOnceEventListener("eMonitoringEndFailed", listener);
Desktop.monitoring.addOnceEventListener("eMonitoringHeld", listener);
Desktop.monitoring.addOnceEventListener("eMonitoringHoldFailed", listener);
Desktop.monitoring.addOnceEventListener("eMonitoringUnHeld", listener);
Desktop.monitoring.addOnceEventListener("eMonitoringUnHoldFailed", listener);
Desktop.monitoring.addOnceEventListener("eAgentMonitorStateChanged", listener);
Desktop.monitoring.addOnceEventListener("eAgentMonitorStateChangeFailed", listener);
Desktop.monitoring.removeOnceEventListener("eMonitoringOffered", listener);
Desktop.monitoring.removeOnceEventListener("eMonitoringStarted", listener);
Desktop.monitoring.removeOnceEventListener("eMonitoringRequestCreateFailed", listener);
Desktop.monitoring.removeOnceEventListener("eMonitoringFailed", listener);
Desktop.monitoring.removeOnceEventListener("eMonitoringEnded", listener);
Desktop.monitoring.removeOnceEventListener("eMonitoringEndFailed", listener);
Desktop.monitoring.removeOnceEventListener("eMonitoringHeld", listener);
Desktop.monitoring.removeOnceEventListener("eMonitoringHoldFailed", listener);
Desktop.monitoring.removeOnceEventListener("eMonitoringUnHeld", listener);
Desktop.monitoring.removeOnceEventListener("eMonitoringUnHoldFailed", listener);
Desktop.monitoring.removeOnceEventListener("eAgentMonitorStateChanged", listener);
Desktop.monitoring.removeOnceEventListener("eAgentMonitorStateChangeFailed", listener);
// Module supports removing all listeners like:
Desktop.monitoring.removeAllEventListeners();
Desktop.screenpop sub-moduleDesktop.screenpop sub-module is intended to make aqm requests and listen to notifs events related to screenpop entity.
import { Desktop } from "@wxcc-desktop/sdk";
//...
/*
Supposing Desktop.config.init() was called
*/
// List of available agent-contact aqm notifs events:
Desktop.screenpop.addEventListener("eScreenPop", msg => console.log(msg));
// Module supports removing added listeners like:
const listener = msg => console.log(msg);
Desktop.screenpop.addEventListener("eScreenPop", listener);
Desktop.screenpop.removeEventListener("eScreenPop", listener);
// Module supports one-time added listeners like:
Desktop.screenpop.addOnceEventListener("eScreenPop", listener);
Desktop.screenpop.removeOnceEventListener("eScreenPop", listener);
// Module supports removing all listeners like:
Desktop.screenpop.removeAllEventListeners();
Desktop.postInteraction sub-moduleDesktop.postInteraction sub-module is intended to fetch lists of audio recordings and a specific captured audio recording for supervisors.
/*
Supposing Desktop.config.init() was called
*/
// List of recordings between startTime and endTime (in milliseconds)
await Desktop.postInteraction.fetchTasks({startTime, endTime, pageNumber});
// Specific captured audio recording (taskId can be found using above call)
await Desktop.postInteraction.fetchCapture({taskId});
Desktop.agentConfigJsApi sub-moduleDesktop.agentConfigJsApi sub-module is intended to fetch Agent configurations from contact center Backend service API's.
/*
Supposing Desktop.config.init() was called
*/
// AgentX paginated idleCodes/wrapupCodes:
const requestAuxCodes = {
workType: "IDLE_CODE" | "WRAP_UP_CODE";
page?: number;
pageSize?: number;
search?: string;
customFilter?: string;
}
const paginatedAuxCodes: await Desktop.agentConfigJsApi.fetchPaginatedAuxCodes(requestAuxCodes);
Desktop.webexMetricsInternal sub-moduleDesktop.webexMetricsInternal sub-module is intended for tracking metrics and events from widgits
/*
Supposing Desktop.config.init() was called
*/
// Module supports tracking behavioral events within widgit
Desktop.webexMetricsInternal.trackBehavioralEvent(name: string, options?: EventPayload);
Desktop.aiAssistant sub-moduleDesktop.aiAssistant sub-module is intended to listen to notifs events related to AI Assistant features
import { Desktop } from "@wxcc-desktop/sdk";
//...
/*
Supposing Desktop.config.init() was called
*/
// List of available AI Assistant aqm notifs events:
Desktop.aiAssistant.addEventListener("eSuggestedResponseAvailable", msg => console.log(msg));
Desktop.aiAssistant.addEventListener("eWellnessBreakEvent", msg => console.log(msg));
// Module supports removing added listeners like:
const listener = msg => console.log(msg);
Desktop.aiAssistant.removeEventListener("eSuggestedResponseAvailable", listener);
Desktop.aiAssistant.removeEventListener("eWellnessBreakEvent", listener);
// Module supports one-time added listeners like:
Desktop.aiAssistant.addOnceEventListener("eSuggestedResponseAvailable", listener);
Desktop.aiAssistant.removeOnceEventListener("eSuggestedResponseAvailable", listener);
// Module supports removing all listeners like:
Desktop.aiAssistant.removeAllEventListeners();
@wxcc-desktop/sdk to External npm Repository (e.g., npmjs.com)To publish the @wxcc-desktop/sdk package to an external npm repository like npmjs.com, follow these steps:
Verify Membership
Ensure you are a member of the @wxcc-desktop project on npmjs.com. If not, contact your lead to request access.
Update Version
⚠️ Important Step: Update Version
Increment the version number in thepackage.jsonfile according to semantic versioning. Ensure the version changes are merged into themainbranch before publishing. 🛠️📦
Run Publish Command
Execute the following command to publish the package:
npm run publish:external
Login to npmjs
During the process, npm will prompt you to log in to npmjs via your browser. Complete the login process.
Verify Publication
After a successful login, the new version of the package will be published to npmjs.com.
FAQs
WxCC Agent Desktop JS API modules set
The npm package @wxcc-desktop/sdk receives a total of 338 weekly downloads. As such, @wxcc-desktop/sdk popularity was classified as not popular.
We found that @wxcc-desktop/sdk demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 8 open source maintainers collaborating on the project.
Did you know?

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.

Research
Destructive malware is rising across open source registries, using delays and kill switches to wipe code, break builds, and disrupt CI/CD.

Security News
Socket CTO Ahmad Nassri shares practical AI coding techniques, tools, and team workflows, plus what still feels noisy and why shipping remains human-led.

Research
/Security News
A five-month operation turned 27 npm packages into durable hosting for browser-run lures that mimic document-sharing portals and Microsoft sign-in, targeting 25 organizations across manufacturing, industrial automation, plastics, and healthcare for credential theft.