Research
Security News
Threat Actor Exposes Playbook for Exploiting npm to Build Blockchain-Powered Botnets
A threat actor's playbook for exploiting the npm ecosystem was exposed on the dark web, detailing how to build a blockchain-powered botnet.
@olaisaac/event-dispatcher-sdk
Advanced tools
isaac oficial SDK to send client-side user analytics events
O Event Dispatcher é disponibilizado como um pacote NPM.
yarn add @olaisaac/event-dispatcher-sdk
💡 É altamente recomendo que você comece lendo a RFC do projeto
Comece configurando o contexto React exposto pela lib:
// src/contexts/EventDispatcher/index.tsx
import { ReactNode, useEffect } from 'react'
import { EventDispatcherProvider as OlaIsaacEventDispatcherProvider } from '@olaisaac/event-dispatcher-sdk'
type ComponentProps = { children: ReactNode }
export const EventDispatcherProvider = ({ children }: ComponentProps) => {
return (
<OlaIsaacEventDispatcherProvider
options={{
mixpanelDebugMode: '<MIXPANEL_DEBUG_MODE>',
mixpanelProjectToken: '<MIXPANEL_PROJECT_TOKEN>',
portalEventsHost: '<PORTAL_EVENTS_HOST>',
}}
unleashProxyUrl="YOUR_UNLEASH_PROXY_URL"
unleashClientKey="YOUR_UNLEASH_CLIENT_KEY"
// isMixpanelEnabled={true}
// isPortalEventsEnabled={false}
>
{children}
</OlaIsaacEventDispatcherProvider>
)
}
Esse arquivo, por enquanto, retorna apenas o contexto que foi importado da lib. Ele será responsável por inicializar a ferramenta e, para isso, é necessário fornecer as variáveis ambientes necessárias através da propriedade options
.
false
(ver mais)O Event Dispatcher tem a capacidade de utilizar múltiplos providers simultaneamente, a ativação dessas ferramentas é determinada por feature-flags gerenciadas pelo Unleash (ver mais).
Providers: Ferramentas para emissão de eventos. Ex: Mixpanel e Portal Events
Para que a lib consiga acessar as feature-flags é necessário fornecer as propriedades unleashProxyUrl
e unleashClientKey
.
É possível sobrescrever os valores definidos pelas feature-flags através das propriedades isMixpanelEnabled e isPortalEventsEnabled:
// src/contexts/EventDispatcher/index.tsx
import { ReactNode, useEffect } from 'react'
import {
EventDispatcherProvider as OlaIsaacEventDispatcherProvider,
useEventDispatcher, // Importe o hook para consumir o SDK
} from '@olaisaac/event-dispatcher-sdk'
type ComponentProps = { children: ReactNode }
// Crie um componente para definir algumas configurações iniciais
const EntryComponent = ({ children }: EntryComponentProps) => {
const { eventDispatcherClient, isInitialized } = useEventDispatcher()
useEffect(() => {
const initEventDispatcher = async () => {
if (isInitialized) {
const response = await eventDispatcherClient.setGlobalProperties({
application: '<NOME_DA_APLICAÇÃO>',
environment: '<AMBIENTE_DA_APLICAÇÃO>',
realm: '<REALM>',
customProperties: {
// Eventuais propriedades customizadas
$example: 'example-global-property',
},
})
console.log({ response })
}
}
initEventDispatcher().catch(() => {})
}, [eventDispatcherClient, isInitialized])
return <>{children}</>
}
export const EventDispatcherProvider = ({ children }: ComponentProps) => {
return (
<OlaIsaacEventDispatcherProvider
options={{
mixpanelDebugMode: '<MIXPANEL_DEBUG_MODE>',
mixpanelProjectToken: '<MIXPANEL_PROJECT_TOKEN>',
portalEventsHost: '<PORTAL_EVENTS_HOST>',
}}
unleashProxyUrl="YOUR_UNLEASH_PROXY_URL"
unleashClientKey="YOUR_UNLEASH_CLIENT_KEY"
// isMixpanelEnabled={true}
// isPortalEventsEnabled={false}
>
<EntryComponent>{children}</EntryComponent>
</OlaIsaacEventDispatcherProvider>
)
}
No código acima foi adicionado um componente que realiza uma chamada utilizando o hook do Event Dispatcher. Essa chamada serve para definir as propriedades globais dos eventos. Essa função suporta os seguintes parâmetros:
// src/contexts/EventDispatcher/index.tsx
import { ReactNode, useEffect } from 'react'
import {
EventDispatcherProvider as OlaIsaacEventDispatcherProvider,
useEventDispatcher, // Importe o hook para consumir o SDK
} from '@olaisaac/event-dispatcher-sdk'
type ComponentProps = { children: ReactNode }
// Crie um componente para definir algumas configurações iniciais
const EntryComponent = ({ children }: EntryComponentProps) => {
const { eventDispatcherClient, isInitialized } = useEventDispatcher()
useEffect(() => {
const initEventDispatcher = async () => {
if (isInitialized) {
const identifyUser = eventDispatcherClient.identifyUser({
userId: 'example_id',
})
const setGlobalProperties = eventDispatcherClient.setGlobalProperties({
application: '<NOME_DA_APLICAÇÃO>',
environment: '<AMBIENTE_DA_APLICAÇÃO>',
realm: '<REALM>',
customProperties: {
// Eventuais propriedades customizadas
$example: 'example-global-property',
},
})
const responses = await Promise.all([identifyUser, setGlobalProperties])
console.log({ responses })
}
}
initEventDispatcher().catch(() => {})
}, [eventDispatcherClient, isInitialized])
return <>{children}</>
}
export const EventDispatcherProvider = ({ children }: ComponentProps) => {
return (
<OlaIsaacEventDispatcherProvider
options={{
mixpanelDebugMode: '<MIXPANEL_DEBUG_MODE>',
mixpanelProjectToken: '<MIXPANEL_PROJECT_TOKEN>',
portalEventsHost: '<PORTAL_EVENTS_HOST>',
}}
unleashProxyUrl="YOUR_UNLEASH_PROXY_URL"
unleashClientKey="YOUR_UNLEASH_CLIENT_KEY"
// isMixpanelEnabled={true}
// isPortalEventsEnabled={false}
>
<EntryComponent>{children}</EntryComponent>
</OlaIsaacEventDispatcherProvider>
)
}
Agora o componente EntryComponent
realiza mais uma chamada utilizando o SDK. Essa chamada identifica um usuário por um ID, esse ID deve ser o mesmo ID do usuário do IAM para que seja possível identificar o usuário caso necessário.
Feita a identificação do usuário, todos os eventos emitidos a partir desse momento serão associados a ele.
Para emitir os eventos basta chamar a função sendEvent
disponibilizado pelo client. Mas antes você deve criar enums para definir os nomes e escopos dos eventos:
// src/shared/models/enums/EventDispatcherEvents.enum.ts
export enum EventDispatcherEvents {
NOME_DO_EVENTO = 'NOME_DO_EVENTO',
}
// src/shared/models/enums/EventDispatcherEventScopes.enum.ts
export enum EventDispatcherEventScopes {
ESCOPO_DO_EVENTO = 'ESCOPO_DO_EVENTO',
}
Tendo os enums criados, basta realizar a chamada da função como no exemplo abaixo:
// [...]
const { isInitialized, eventDispatcherClient } = useEventDispatcher()
// [...]
isInitialized &&
eventDispatcherClient.sendEvent({
scope: EventDispatcherEventScopes.ENROLLMENT_REPORT,
name: EventDispatcherEvents.ENROLLMENT_PAYOUT_DATE_CHANGE,
action: 'click',
entity: 'event-entity',
customProperties: {
// Eventuais propriedades customizadas
$example: 'example-custom-property',
},
// portalEventsProperties: {
// $category: '',
// $group: '',
// $type: '',
// $userId: '',
// },
})
Para enviar um evento é necessário fornecer as seguintes informações:
Trata-se de um script auxiliar para remover de forma rápida propriedades dos perfis do Mixpanel.
Ticket | Descrição |
---|---|
PAYOUT-1954 | Desenvolvimento de testes unitários |
BRPS-439 | Automatizar changelog |
BRPS-411 | Descontinuar o Portal Events |
BRPS-412 | Adicionar status de erros |
BRPS-414 | Construir uma aplicação React para testar o SDK |
BRPS-413 | Ferramenta de log |
FAQs
isaac oficial SDK to send client-side user analytics events
The npm package @olaisaac/event-dispatcher-sdk receives a total of 0 weekly downloads. As such, @olaisaac/event-dispatcher-sdk popularity was classified as not popular.
We found that @olaisaac/event-dispatcher-sdk demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 11 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
Security News
A threat actor's playbook for exploiting the npm ecosystem was exposed on the dark web, detailing how to build a blockchain-powered botnet.
Security News
NVD’s backlog surpasses 20,000 CVEs as analysis slows and NIST announces new system updates to address ongoing delays.
Security News
Research
A malicious npm package disguised as a WhatsApp client is exploiting authentication flows with a remote kill switch to exfiltrate data and destroy files.