@graphrefly/graphrefly 0.4.0 → 0.5.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -782,12 +782,13 @@ declare const shareReplay: typeof replay;
782
782
  *
783
783
  * **New (5.2c):** fromOTel, fromSyslog, fromStatsD, fromPrometheus,
784
784
  * fromKafka/toKafka, fromRedisStream/toRedisStream, fromCSV, fromNDJSON,
785
- * fromClickHouseWatch.
785
+ * fromClickHouseWatch, fromPulsar/toPulsar, fromNATS/toNATS,
786
+ * fromRabbitMQ/toRabbitMQ.
786
787
  */
787
788
 
788
789
  /** Structured callback for sink transport failures (Kafka, Redis, etc.). */
789
790
  type SinkTransportError = {
790
- stage: "serialize" | "send";
791
+ stage: "serialize" | "send" | "routing_key";
791
792
  error: Error;
792
793
  value: unknown;
793
794
  };
@@ -1509,6 +1510,576 @@ type FromClickHouseWatchOptions = AsyncSourceOpts & {
1509
1510
  * @category extra
1510
1511
  */
1511
1512
  declare function fromClickHouseWatch(client: ClickHouseClientLike, query: string, opts?: FromClickHouseWatchOptions): Node<ClickHouseRow>;
1513
+ /** Duck-typed Pulsar consumer (compatible with pulsar-client). */
1514
+ type PulsarConsumerLike = {
1515
+ receive(): Promise<{
1516
+ getData(): Buffer;
1517
+ getMessageId(): {
1518
+ toString(): string;
1519
+ };
1520
+ getPartitionKey(): string;
1521
+ getProperties(): Record<string, string>;
1522
+ getPublishTimestamp(): number;
1523
+ getEventTimestamp(): number;
1524
+ getTopicName(): string;
1525
+ }>;
1526
+ acknowledge(msg: unknown): Promise<void>;
1527
+ close(): Promise<void>;
1528
+ };
1529
+ /** Duck-typed Pulsar producer. */
1530
+ type PulsarProducerLike = {
1531
+ send(msg: {
1532
+ data: Buffer;
1533
+ partitionKey?: string;
1534
+ properties?: Record<string, string>;
1535
+ }): Promise<void>;
1536
+ close(): Promise<void>;
1537
+ };
1538
+ /** Structured Pulsar message. */
1539
+ type PulsarMessage<T = unknown> = {
1540
+ topic: string;
1541
+ messageId: string;
1542
+ key: string;
1543
+ value: T;
1544
+ properties: Record<string, string>;
1545
+ publishTime: number;
1546
+ eventTime: number;
1547
+ timestampNs: number;
1548
+ };
1549
+ /** Options for {@link fromPulsar}. */
1550
+ type FromPulsarOptions = ExtraOpts$1 & {
1551
+ /** Deserialize message data. Default: `JSON.parse(buffer.toString())`. */
1552
+ deserialize?: (data: Buffer) => unknown;
1553
+ /** Acknowledge messages automatically. Default: `true`. */
1554
+ autoAck?: boolean;
1555
+ };
1556
+ /**
1557
+ * Apache Pulsar consumer as a reactive source (native client).
1558
+ *
1559
+ * Wraps a `pulsar-client`-compatible consumer. Each message becomes a `DATA` emission.
1560
+ * For Kafka-on-Pulsar (KoP), use {@link fromKafka} instead.
1561
+ *
1562
+ * @param consumer - Pulsar consumer instance (caller owns create/close lifecycle).
1563
+ * @param opts - Deserialization and source options.
1564
+ * @returns `Node<PulsarMessage<T>>` — one `DATA` per Pulsar message.
1565
+ *
1566
+ * @remarks
1567
+ * Teardown sets an internal flag but cannot interrupt a pending `consumer.receive()`.
1568
+ * The loop exits on the next message or when the consumer is closed externally.
1569
+ * Callers should call `consumer.close()` after unsubscribing for prompt cleanup.
1570
+ *
1571
+ * @example
1572
+ * ```ts
1573
+ * import Pulsar from "pulsar-client";
1574
+ * import { fromPulsar } from "@graphrefly/graphrefly-ts";
1575
+ *
1576
+ * const client = new Pulsar.Client({ serviceUrl: "pulsar://localhost:6650" });
1577
+ * const consumer = await client.subscribe({ topic: "events", subscription: "my-sub" });
1578
+ * const events$ = fromPulsar(consumer);
1579
+ * ```
1580
+ *
1581
+ * @category extra
1582
+ */
1583
+ declare function fromPulsar<T = unknown>(consumer: PulsarConsumerLike, opts?: FromPulsarOptions): Node<PulsarMessage<T>>;
1584
+ /** Options for {@link toPulsar}. */
1585
+ type ToPulsarOptions<T> = ExtraOpts$1 & {
1586
+ /** Serialize value for Pulsar. Default: `JSON.stringify` → Buffer. */
1587
+ serialize?: (value: T) => Buffer;
1588
+ /** Extract partition key from value. Default: none. */
1589
+ keyExtractor?: (value: T) => string | undefined;
1590
+ /** Extract properties from value. */
1591
+ propertiesExtractor?: (value: T) => Record<string, string> | undefined;
1592
+ /** Called on serialization or send failures. */
1593
+ onTransportError?: (err: SinkTransportError) => void;
1594
+ };
1595
+ /**
1596
+ * Pulsar producer sink — forwards upstream `DATA` to a Pulsar topic.
1597
+ *
1598
+ * @param source - Upstream node to forward.
1599
+ * @param pulsarProducer - Pulsar producer instance (caller owns lifecycle).
1600
+ * @param opts - Serialization options.
1601
+ * @returns Unsubscribe function.
1602
+ *
1603
+ * @category extra
1604
+ */
1605
+ declare function toPulsar<T>(source: Node<T>, pulsarProducer: PulsarProducerLike, opts?: ToPulsarOptions<T>): () => void;
1606
+ /** Duck-typed NATS subscription (compatible with nats.js). */
1607
+ type NATSSubscriptionLike = AsyncIterable<{
1608
+ subject: string;
1609
+ data: Uint8Array;
1610
+ headers?: {
1611
+ get(key: string): string;
1612
+ keys(): string[];
1613
+ };
1614
+ reply?: string;
1615
+ sid: number;
1616
+ }>;
1617
+ /** Duck-typed NATS client (compatible with nats.js). */
1618
+ type NATSClientLike = {
1619
+ subscribe(subject: string, opts?: {
1620
+ queue?: string;
1621
+ }): NATSSubscriptionLike;
1622
+ publish(subject: string, data?: Uint8Array, opts?: {
1623
+ headers?: unknown;
1624
+ reply?: string;
1625
+ }): void;
1626
+ drain(): Promise<void>;
1627
+ };
1628
+ /** Structured NATS message. */
1629
+ type NATSMessage<T = unknown> = {
1630
+ subject: string;
1631
+ data: T;
1632
+ headers: Record<string, string>;
1633
+ reply: string | undefined;
1634
+ sid: number;
1635
+ timestampNs: number;
1636
+ };
1637
+ /** Options for {@link fromNATS}. */
1638
+ type FromNATSOptions = ExtraOpts$1 & {
1639
+ /** Queue group name for load balancing. */
1640
+ queue?: string;
1641
+ /** Deserialize message data. Default: `JSON.parse(textDecoder.decode(data))`. */
1642
+ deserialize?: (data: Uint8Array) => unknown;
1643
+ };
1644
+ /**
1645
+ * NATS consumer as a reactive source.
1646
+ *
1647
+ * Wraps a `nats.js`-compatible client subscription. Each message becomes a `DATA` emission.
1648
+ *
1649
+ * @param client - NATS client instance (caller owns connect/drain lifecycle).
1650
+ * @param subject - Subject to subscribe to (supports wildcards).
1651
+ * @param opts - Queue group, deserialization, and source options.
1652
+ * @returns `Node<NATSMessage<T>>` — one `DATA` per NATS message.
1653
+ *
1654
+ * @remarks
1655
+ * Teardown sets an internal flag but cannot break the async iterator. The loop
1656
+ * exits on the next message or when the subscription is drained/unsubscribed
1657
+ * externally. Call `client.drain()` after unsubscribing for prompt cleanup.
1658
+ *
1659
+ * @example
1660
+ * ```ts
1661
+ * import { connect } from "nats";
1662
+ * import { fromNATS } from "@graphrefly/graphrefly-ts";
1663
+ *
1664
+ * const nc = await connect({ servers: "localhost:4222" });
1665
+ * const events$ = fromNATS(nc, "events.>");
1666
+ * ```
1667
+ *
1668
+ * @category extra
1669
+ */
1670
+ declare function fromNATS<T = unknown>(client: NATSClientLike, subject: string, opts?: FromNATSOptions): Node<NATSMessage<T>>;
1671
+ /** Options for {@link toNATS}. */
1672
+ type ToNATSOptions<T> = ExtraOpts$1 & {
1673
+ /** Serialize value for NATS. Default: `JSON.stringify` → Uint8Array. */
1674
+ serialize?: (value: T) => Uint8Array;
1675
+ /** Called on serialization failures. */
1676
+ onTransportError?: (err: SinkTransportError) => void;
1677
+ };
1678
+ /**
1679
+ * NATS publisher sink — forwards upstream `DATA` to a NATS subject.
1680
+ *
1681
+ * @param source - Upstream node to forward.
1682
+ * @param client - NATS client instance.
1683
+ * @param subject - Target subject.
1684
+ * @param opts - Serialization options.
1685
+ * @returns Unsubscribe function.
1686
+ *
1687
+ * @category extra
1688
+ */
1689
+ declare function toNATS<T>(source: Node<T>, client: NATSClientLike, subject: string, opts?: ToNATSOptions<T>): () => void;
1690
+ /** Duck-typed RabbitMQ channel (compatible with amqplib). */
1691
+ type RabbitMQChannelLike = {
1692
+ consume(queue: string, onMessage: (msg: {
1693
+ content: Buffer;
1694
+ fields: {
1695
+ routingKey: string;
1696
+ exchange: string;
1697
+ deliveryTag: number;
1698
+ redelivered: boolean;
1699
+ };
1700
+ properties: Record<string, unknown>;
1701
+ } | null) => void, opts?: {
1702
+ noAck?: boolean;
1703
+ }): Promise<{
1704
+ consumerTag: string;
1705
+ }>;
1706
+ cancel(consumerTag: string): Promise<void>;
1707
+ ack(msg: unknown): void;
1708
+ publish(exchange: string, routingKey: string, content: Buffer, opts?: Record<string, unknown>): boolean;
1709
+ sendToQueue(queue: string, content: Buffer, opts?: Record<string, unknown>): boolean;
1710
+ };
1711
+ /** Structured RabbitMQ message. */
1712
+ type RabbitMQMessage<T = unknown> = {
1713
+ queue: string;
1714
+ routingKey: string;
1715
+ exchange: string;
1716
+ content: T;
1717
+ properties: Record<string, unknown>;
1718
+ deliveryTag: number;
1719
+ redelivered: boolean;
1720
+ timestampNs: number;
1721
+ };
1722
+ /** Options for {@link fromRabbitMQ}. */
1723
+ type FromRabbitMQOptions = ExtraOpts$1 & {
1724
+ /** Deserialize message content. Default: `JSON.parse(buffer.toString())`. */
1725
+ deserialize?: (content: Buffer) => unknown;
1726
+ /** Auto-acknowledge messages. Default: `true`. */
1727
+ autoAck?: boolean;
1728
+ };
1729
+ /**
1730
+ * RabbitMQ consumer as a reactive source.
1731
+ *
1732
+ * Wraps an `amqplib`-compatible channel. Each message becomes a `DATA` emission.
1733
+ *
1734
+ * @param channel - AMQP channel instance (caller owns connection/channel lifecycle).
1735
+ * @param queue - Queue to consume from.
1736
+ * @param opts - Deserialization and acknowledgment options.
1737
+ * @returns `Node<RabbitMQMessage<T>>` — one `DATA` per RabbitMQ message.
1738
+ *
1739
+ * @remarks
1740
+ * When `autoAck` is `false`, the adapter opens the channel with `noAck: false`
1741
+ * (broker requires acks) but does not call `channel.ack()`. The caller must ack
1742
+ * messages externally using the `deliveryTag` from the emitted {@link RabbitMQMessage}:
1743
+ * ```ts
1744
+ * channel.ack({ fields: { deliveryTag: msg.deliveryTag } } as any);
1745
+ * ```
1746
+ *
1747
+ * @example
1748
+ * ```ts
1749
+ * import amqplib from "amqplib";
1750
+ * import { fromRabbitMQ } from "@graphrefly/graphrefly-ts";
1751
+ *
1752
+ * const conn = await amqplib.connect("amqp://localhost");
1753
+ * const ch = await conn.createChannel();
1754
+ * await ch.assertQueue("events");
1755
+ * const events$ = fromRabbitMQ(ch, "events");
1756
+ * ```
1757
+ *
1758
+ * @category extra
1759
+ */
1760
+ declare function fromRabbitMQ<T = unknown>(channel: RabbitMQChannelLike, queue: string, opts?: FromRabbitMQOptions): Node<RabbitMQMessage<T>>;
1761
+ /** Options for {@link toRabbitMQ}. */
1762
+ type ToRabbitMQOptions<T> = ExtraOpts$1 & {
1763
+ /** Serialize value for RabbitMQ. Default: `Buffer.from(JSON.stringify(value))`. */
1764
+ serialize?: (value: T) => Buffer;
1765
+ /** Extract routing key from value. Default: `""`. */
1766
+ routingKeyExtractor?: (value: T) => string;
1767
+ /** Called on serialization or send failures. */
1768
+ onTransportError?: (err: SinkTransportError) => void;
1769
+ };
1770
+ /**
1771
+ * RabbitMQ producer sink — forwards upstream `DATA` to a RabbitMQ exchange/queue.
1772
+ *
1773
+ * @param source - Upstream node to forward.
1774
+ * @param channel - AMQP channel instance.
1775
+ * @param exchange - Target exchange (use `""` for default exchange + queue routing).
1776
+ * @param opts - Serialization and routing options.
1777
+ * @returns Unsubscribe function.
1778
+ *
1779
+ * @category extra
1780
+ */
1781
+ declare function toRabbitMQ<T>(source: Node<T>, channel: RabbitMQChannelLike, exchange: string, opts?: ToRabbitMQOptions<T>): () => void;
1782
+ /** Handle returned by buffered sinks. `flush()` drains remaining buffer. */
1783
+ type BufferedSinkHandle = {
1784
+ /** Stop the sink and cancel the flush timer. */
1785
+ dispose: () => void;
1786
+ /** Manually drain the internal buffer. */
1787
+ flush: () => Promise<void>;
1788
+ };
1789
+ /** Duck-typed writable file handle (compatible with `fs.createWriteStream`). */
1790
+ type FileWriterLike = {
1791
+ write(data: string | Uint8Array): boolean | void;
1792
+ end(): void;
1793
+ };
1794
+ /** Options for {@link toFile}. */
1795
+ type ToFileOptions<T> = ExtraOpts$1 & {
1796
+ /** Serialize a value to a string line. Default: `JSON.stringify(v) + "\n"`. */
1797
+ serialize?: (value: T) => string;
1798
+ /** `"append"` (default) or `"overwrite"` — controls initial file behavior hint. */
1799
+ mode?: "append" | "overwrite";
1800
+ /** Flush interval in ms. `0` = write-through (no buffering). Default: `0`. */
1801
+ flushIntervalMs?: number;
1802
+ /** Buffer size (item count) before auto-flush. Default: `Infinity` (timer only). */
1803
+ batchSize?: number;
1804
+ onTransportError?: (err: SinkTransportError) => void;
1805
+ };
1806
+ /**
1807
+ * File sink — writes upstream `DATA` values to a file-like writable.
1808
+ *
1809
+ * When `flushIntervalMs > 0` or `batchSize` is set, values are buffered and
1810
+ * flushed in batches. Otherwise, each value is written immediately.
1811
+ *
1812
+ * @param source - Upstream node.
1813
+ * @param writer - Writable file handle (e.g. `fs.createWriteStream(path, { flags: "a" })`).
1814
+ * @param opts - Serialization, buffering, and mode options.
1815
+ * @returns `BufferedSinkHandle` with `dispose()` and `flush()`.
1816
+ *
1817
+ * @category extra
1818
+ */
1819
+ declare function toFile<T>(source: Node<T>, writer: FileWriterLike, opts?: ToFileOptions<T>): BufferedSinkHandle;
1820
+ /** Options for {@link toCSV}. */
1821
+ type ToCSVOptions<T> = ExtraOpts$1 & {
1822
+ /** Column names. Required — determines header row and field order. */
1823
+ columns: string[];
1824
+ /** Column delimiter. Default: `","`. */
1825
+ delimiter?: string;
1826
+ /** Whether to write a header row on first flush. Default: `true`. */
1827
+ writeHeader?: boolean;
1828
+ /** Extract a cell value from the row object. Default: `String(row[col] ?? "")`. */
1829
+ cellExtractor?: (row: T, column: string) => string;
1830
+ /** Flush interval in ms. Default: `0` (write-through). */
1831
+ flushIntervalMs?: number;
1832
+ /** Buffer size before auto-flush. Default: `Infinity`. */
1833
+ batchSize?: number;
1834
+ onTransportError?: (err: SinkTransportError) => void;
1835
+ };
1836
+ /**
1837
+ * CSV file sink — writes upstream `DATA` as CSV rows.
1838
+ *
1839
+ * @param source - Upstream node.
1840
+ * @param writer - Writable file handle.
1841
+ * @param opts - Column definition, delimiter, and buffering options.
1842
+ * @returns `BufferedSinkHandle`.
1843
+ *
1844
+ * @category extra
1845
+ */
1846
+ declare function toCSV<T>(source: Node<T>, writer: FileWriterLike, opts: ToCSVOptions<T>): BufferedSinkHandle;
1847
+ /** Duck-typed ClickHouse client for batch inserts. */
1848
+ type ClickHouseInsertClientLike = {
1849
+ insert(params: {
1850
+ table: string;
1851
+ values: unknown[];
1852
+ format?: string;
1853
+ }): Promise<void>;
1854
+ };
1855
+ /** Options for {@link toClickHouse}. */
1856
+ type ToClickHouseOptions<T> = ExtraOpts$1 & {
1857
+ /** Batch size before auto-flush. Default: `1000`. */
1858
+ batchSize?: number;
1859
+ /** Flush interval in ms. Default: `5000`. */
1860
+ flushIntervalMs?: number;
1861
+ /** Insert format. Default: `"JSONEachRow"`. */
1862
+ format?: string;
1863
+ /** Transform value before insert. Default: identity. */
1864
+ transform?: (value: T) => unknown;
1865
+ onTransportError?: (err: SinkTransportError) => void;
1866
+ };
1867
+ /**
1868
+ * ClickHouse buffered batch insert sink.
1869
+ *
1870
+ * Accumulates upstream `DATA` values and inserts in batches.
1871
+ *
1872
+ * @param source - Upstream node.
1873
+ * @param client - ClickHouse client with `insert()`.
1874
+ * @param table - Target table name.
1875
+ * @param opts - Batch size, flush interval, and transform options.
1876
+ * @returns `BufferedSinkHandle`.
1877
+ *
1878
+ * @category extra
1879
+ */
1880
+ declare function toClickHouse<T>(source: Node<T>, client: ClickHouseInsertClientLike, table: string, opts?: ToClickHouseOptions<T>): BufferedSinkHandle;
1881
+ /** Duck-typed S3 client (compatible with AWS SDK v3 `S3Client.send(PutObjectCommand(...))`). */
1882
+ type S3ClientLike = {
1883
+ putObject(params: {
1884
+ Bucket: string;
1885
+ Key: string;
1886
+ Body: string | Uint8Array;
1887
+ ContentType?: string;
1888
+ }): Promise<unknown>;
1889
+ };
1890
+ /** Options for {@link toS3}. */
1891
+ type ToS3Options<T> = ExtraOpts$1 & {
1892
+ /** Output format. Default: `"ndjson"`. */
1893
+ format?: "ndjson" | "json";
1894
+ /** Generate the S3 key for each batch. Receives `(seq, wallClockNs)`. Default: ISO timestamp + sequence. */
1895
+ keyGenerator?: (seq: number, timestampNs: number) => string;
1896
+ /** Batch size before auto-flush. Default: `1000`. */
1897
+ batchSize?: number;
1898
+ /** Flush interval in ms. Default: `10000`. */
1899
+ flushIntervalMs?: number;
1900
+ /** Transform value before serialization. Default: identity. */
1901
+ transform?: (value: T) => unknown;
1902
+ onTransportError?: (err: SinkTransportError) => void;
1903
+ };
1904
+ /**
1905
+ * S3 object storage sink — buffers values and uploads as NDJSON or JSON objects.
1906
+ *
1907
+ * @param source - Upstream node.
1908
+ * @param client - S3-compatible client with `putObject()`.
1909
+ * @param bucket - S3 bucket name.
1910
+ * @param opts - Format, key generation, batching options.
1911
+ * @returns `BufferedSinkHandle`.
1912
+ *
1913
+ * @category extra
1914
+ */
1915
+ declare function toS3<T>(source: Node<T>, client: S3ClientLike, bucket: string, opts?: ToS3Options<T>): BufferedSinkHandle;
1916
+ /** Duck-typed Postgres client (compatible with `pg.Client` / `pg.Pool`). */
1917
+ type PostgresClientLike = {
1918
+ query(sql: string, params?: unknown[]): Promise<unknown>;
1919
+ };
1920
+ /** Options for {@link toPostgres}. */
1921
+ type ToPostgresOptions<T> = ExtraOpts$1 & {
1922
+ /** Build the SQL + params for an insert. Default: JSON insert into `table`. */
1923
+ toSQL?: (value: T, table: string) => {
1924
+ sql: string;
1925
+ params: unknown[];
1926
+ };
1927
+ onTransportError?: (err: SinkTransportError) => void;
1928
+ };
1929
+ /**
1930
+ * PostgreSQL sink — inserts each upstream `DATA` value as a row.
1931
+ *
1932
+ * @param source - Upstream node.
1933
+ * @param client - Postgres client with `query()`.
1934
+ * @param table - Target table name.
1935
+ * @param opts - SQL builder and error options.
1936
+ * @returns Unsubscribe function.
1937
+ *
1938
+ * @category extra
1939
+ */
1940
+ declare function toPostgres<T>(source: Node<T>, client: PostgresClientLike, table: string, opts?: ToPostgresOptions<T>): () => void;
1941
+ /** Duck-typed MongoDB collection (compatible with `mongodb` driver). */
1942
+ type MongoCollectionLike = {
1943
+ insertOne(doc: unknown): Promise<unknown>;
1944
+ };
1945
+ /** Options for {@link toMongo}. */
1946
+ type ToMongoOptions<T> = ExtraOpts$1 & {
1947
+ /** Transform value to a MongoDB document. Default: identity. */
1948
+ toDocument?: (value: T) => unknown;
1949
+ onTransportError?: (err: SinkTransportError) => void;
1950
+ };
1951
+ /**
1952
+ * MongoDB sink — inserts each upstream `DATA` value as a document.
1953
+ *
1954
+ * @param source - Upstream node.
1955
+ * @param collection - MongoDB collection with `insertOne()`.
1956
+ * @param opts - Document transform and error options.
1957
+ * @returns Unsubscribe function.
1958
+ *
1959
+ * @category extra
1960
+ */
1961
+ declare function toMongo<T>(source: Node<T>, collection: MongoCollectionLike, opts?: ToMongoOptions<T>): () => void;
1962
+ /** Loki log stream entry. */
1963
+ type LokiStream = {
1964
+ stream: Record<string, string>;
1965
+ values: [string, string][];
1966
+ };
1967
+ /** Duck-typed Loki push client (HTTP push API). */
1968
+ type LokiClientLike = {
1969
+ push(streams: {
1970
+ streams: LokiStream[];
1971
+ }): Promise<unknown>;
1972
+ };
1973
+ /** Options for {@link toLoki}. */
1974
+ type ToLokiOptions<T> = ExtraOpts$1 & {
1975
+ /** Static labels applied to every log entry. */
1976
+ labels?: Record<string, string>;
1977
+ /** Extract the log line from a value. Default: `JSON.stringify(v)`. */
1978
+ toLine?: (value: T) => string;
1979
+ /** Extract additional labels from a value. Default: none. */
1980
+ toLabels?: (value: T) => Record<string, string>;
1981
+ onTransportError?: (err: SinkTransportError) => void;
1982
+ };
1983
+ /**
1984
+ * Grafana Loki sink — pushes upstream `DATA` values as log entries.
1985
+ *
1986
+ * @param source - Upstream node.
1987
+ * @param client - Loki-compatible client with `push()`.
1988
+ * @param opts - Label, serialization, and error options.
1989
+ * @returns Unsubscribe function.
1990
+ *
1991
+ * @category extra
1992
+ */
1993
+ declare function toLoki<T>(source: Node<T>, client: LokiClientLike, opts?: ToLokiOptions<T>): () => void;
1994
+ /** Duck-typed Tempo span push client (OTLP/HTTP shape). */
1995
+ type TempoClientLike = {
1996
+ push(payload: {
1997
+ resourceSpans: unknown[];
1998
+ }): Promise<unknown>;
1999
+ };
2000
+ /** Options for {@link toTempo}. */
2001
+ type ToTempoOptions<T> = ExtraOpts$1 & {
2002
+ /** Transform a value into OTLP resourceSpans entries. */
2003
+ toResourceSpans?: (value: T) => unknown[];
2004
+ onTransportError?: (err: SinkTransportError) => void;
2005
+ };
2006
+ /**
2007
+ * Grafana Tempo sink — pushes upstream `DATA` values as trace spans.
2008
+ *
2009
+ * @param source - Upstream node.
2010
+ * @param client - Tempo-compatible client with `push()`.
2011
+ * @param opts - Span transform and error options.
2012
+ * @returns Unsubscribe function.
2013
+ *
2014
+ * @category extra
2015
+ */
2016
+ declare function toTempo<T>(source: Node<T>, client: TempoClientLike, opts?: ToTempoOptions<T>): () => void;
2017
+ /** Options for {@link checkpointToS3}. */
2018
+ type CheckpointToS3Options = {
2019
+ /** S3 key prefix. Default: `"checkpoints/"`. */
2020
+ prefix?: string;
2021
+ /** Debounce ms for autoCheckpoint. Default: `500`. */
2022
+ debounceMs?: number;
2023
+ /** Full snapshot compaction interval. Default: `10`. */
2024
+ compactEvery?: number;
2025
+ onError?: (error: unknown) => void;
2026
+ };
2027
+ /**
2028
+ * Wires `graph.autoCheckpoint()` to persist snapshots to S3.
2029
+ *
2030
+ * @param graph - Graph instance to checkpoint.
2031
+ * @param client - S3-compatible client with `putObject()`.
2032
+ * @param bucket - S3 bucket name.
2033
+ * @param opts - Key prefix, debounce, and compaction options.
2034
+ * @returns Dispose handle.
2035
+ *
2036
+ * @category extra
2037
+ */
2038
+ declare function checkpointToS3(graph: {
2039
+ autoCheckpoint: (adapter: {
2040
+ save(data: unknown): void;
2041
+ }, opts?: unknown) => {
2042
+ dispose(): void;
2043
+ };
2044
+ name: string;
2045
+ }, client: S3ClientLike, bucket: string, opts?: CheckpointToS3Options): {
2046
+ dispose(): void;
2047
+ };
2048
+ /** Duck-typed Redis client for checkpoint storage. */
2049
+ type RedisCheckpointClientLike = {
2050
+ set(key: string, value: string): Promise<unknown>;
2051
+ get(key: string): Promise<string | null>;
2052
+ };
2053
+ /** Options for {@link checkpointToRedis}. */
2054
+ type CheckpointToRedisOptions = {
2055
+ /** Key prefix. Default: `"graphrefly:checkpoint:"`. */
2056
+ prefix?: string;
2057
+ /** Debounce ms for autoCheckpoint. Default: `500`. */
2058
+ debounceMs?: number;
2059
+ /** Full snapshot compaction interval. Default: `10`. */
2060
+ compactEvery?: number;
2061
+ onError?: (error: unknown) => void;
2062
+ };
2063
+ /**
2064
+ * Wires `graph.autoCheckpoint()` to persist snapshots to Redis.
2065
+ *
2066
+ * @param graph - Graph instance to checkpoint.
2067
+ * @param client - Redis client with `set()`/`get()`.
2068
+ * @param opts - Key prefix, debounce, and compaction options.
2069
+ * @returns Dispose handle.
2070
+ *
2071
+ * @category extra
2072
+ */
2073
+ declare function checkpointToRedis(graph: {
2074
+ autoCheckpoint: (adapter: {
2075
+ save(data: unknown): void;
2076
+ }, opts?: unknown) => {
2077
+ dispose(): void;
2078
+ };
2079
+ name: string;
2080
+ }, client: RedisCheckpointClientLike, opts?: CheckpointToRedisOptions): {
2081
+ dispose(): void;
2082
+ };
1512
2083
 
1513
2084
  /**
1514
2085
  * Watermark-based backpressure controller — reactive PAUSE/RESUME flow control.
@@ -3212,14 +3783,18 @@ type index_BackoffPreset = BackoffPreset;
3212
3783
  type index_BackoffStrategy = BackoffStrategy;
3213
3784
  type index_BatchMessage = BatchMessage;
3214
3785
  type index_BridgeMessage = BridgeMessage;
3786
+ type index_BufferedSinkHandle = BufferedSinkHandle;
3215
3787
  type index_CSVRow = CSVRow;
3216
3788
  type index_CheckpointAdapter = CheckpointAdapter;
3789
+ type index_CheckpointToRedisOptions = CheckpointToRedisOptions;
3790
+ type index_CheckpointToS3Options = CheckpointToS3Options;
3217
3791
  type index_CircuitBreaker = CircuitBreaker;
3218
3792
  type index_CircuitBreakerOptions = CircuitBreakerOptions;
3219
3793
  type index_CircuitOpenError = CircuitOpenError;
3220
3794
  declare const index_CircuitOpenError: typeof CircuitOpenError;
3221
3795
  type index_CircuitState = CircuitState;
3222
3796
  type index_ClickHouseClientLike = ClickHouseClientLike;
3797
+ type index_ClickHouseInsertClientLike = ClickHouseInsertClientLike;
3223
3798
  type index_ClickHouseRow = ClickHouseRow;
3224
3799
  type index_CronSchedule = CronSchedule;
3225
3800
  type index_DictCheckpointAdapter = DictCheckpointAdapter;
@@ -3234,6 +3809,7 @@ type index_FSEvent = FSEvent;
3234
3809
  type index_FSEventType = FSEventType;
3235
3810
  type index_FileCheckpointAdapter = FileCheckpointAdapter;
3236
3811
  declare const index_FileCheckpointAdapter: typeof FileCheckpointAdapter;
3812
+ type index_FileWriterLike = FileWriterLike;
3237
3813
  type index_FromCSVOptions = FromCSVOptions;
3238
3814
  type index_FromClickHouseWatchOptions = FromClickHouseWatchOptions;
3239
3815
  type index_FromCronOptions = FromCronOptions;
@@ -3242,9 +3818,12 @@ type index_FromGitHookOptions = FromGitHookOptions;
3242
3818
  type index_FromHTTPOptions = FromHTTPOptions;
3243
3819
  type index_FromKafkaOptions = FromKafkaOptions;
3244
3820
  type index_FromMCPOptions = FromMCPOptions;
3821
+ type index_FromNATSOptions = FromNATSOptions;
3245
3822
  type index_FromNDJSONOptions = FromNDJSONOptions;
3246
3823
  type index_FromOTelOptions = FromOTelOptions;
3247
3824
  type index_FromPrometheusOptions = FromPrometheusOptions;
3825
+ type index_FromPulsarOptions = FromPulsarOptions;
3826
+ type index_FromRabbitMQOptions = FromRabbitMQOptions;
3248
3827
  type index_FromRedisStreamOptions = FromRedisStreamOptions;
3249
3828
  type index_FromStatsDOptions = FromStatsDOptions;
3250
3829
  type index_FromSyslogOptions = FromSyslogOptions;
@@ -3258,10 +3837,16 @@ type index_JitterMode = JitterMode;
3258
3837
  type index_KafkaConsumerLike = KafkaConsumerLike;
3259
3838
  type index_KafkaMessage<T = unknown> = KafkaMessage<T>;
3260
3839
  type index_KafkaProducerLike = KafkaProducerLike;
3840
+ type index_LokiClientLike = LokiClientLike;
3841
+ type index_LokiStream = LokiStream;
3261
3842
  type index_MCPClientLike = MCPClientLike;
3262
3843
  type index_MemoryCheckpointAdapter = MemoryCheckpointAdapter;
3263
3844
  declare const index_MemoryCheckpointAdapter: typeof MemoryCheckpointAdapter;
3264
3845
  type index_MergeMapOptions = MergeMapOptions;
3846
+ type index_MongoCollectionLike = MongoCollectionLike;
3847
+ type index_NATSClientLike = NATSClientLike;
3848
+ type index_NATSMessage<T = unknown> = NATSMessage<T>;
3849
+ type index_NATSSubscriptionLike = NATSSubscriptionLike;
3265
3850
  declare const index_NS_PER_MS: typeof NS_PER_MS;
3266
3851
  declare const index_NS_PER_SEC: typeof NS_PER_SEC;
3267
3852
  type index_NodeInput<T> = NodeInput<T>;
@@ -3270,8 +3855,14 @@ type index_OTelLog = OTelLog;
3270
3855
  type index_OTelMetric = OTelMetric;
3271
3856
  type index_OTelRegister = OTelRegister;
3272
3857
  type index_OTelSpan = OTelSpan;
3858
+ type index_PostgresClientLike = PostgresClientLike;
3273
3859
  type index_PrometheusMetric = PrometheusMetric;
3274
3860
  type index_PubSubHub = PubSubHub;
3861
+ type index_PulsarConsumerLike = PulsarConsumerLike;
3862
+ type index_PulsarMessage<T = unknown> = PulsarMessage<T>;
3863
+ type index_PulsarProducerLike = PulsarProducerLike;
3864
+ type index_RabbitMQChannelLike = RabbitMQChannelLike;
3865
+ type index_RabbitMQMessage<T = unknown> = RabbitMQMessage<T>;
3275
3866
  type index_ReactiveIndexBundle<K, V = unknown> = ReactiveIndexBundle<K, V>;
3276
3867
  type index_ReactiveIndexOptions = ReactiveIndexOptions;
3277
3868
  type index_ReactiveIndexSnapshot<K, V = unknown> = ReactiveIndexSnapshot<K, V>;
@@ -3285,9 +3876,11 @@ type index_ReactiveMapBundle<K, V> = ReactiveMapBundle<K, V>;
3285
3876
  type index_ReactiveMapOptions = ReactiveMapOptions;
3286
3877
  type index_ReactiveMapSnapshot<K, V> = ReactiveMapSnapshot<K, V>;
3287
3878
  type index_ReadyMessage = ReadyMessage;
3879
+ type index_RedisCheckpointClientLike = RedisCheckpointClientLike;
3288
3880
  type index_RedisClientLike = RedisClientLike;
3289
3881
  type index_RedisStreamEntry<T = unknown> = RedisStreamEntry<T>;
3290
3882
  type index_RetryOptions = RetryOptions;
3883
+ type index_S3ClientLike = S3ClientLike;
3291
3884
  type index_SignalMessage = SignalMessage;
3292
3885
  type index_SinkTransportError = SinkTransportError;
3293
3886
  type index_SqliteCheckpointAdapter = SqliteCheckpointAdapter;
@@ -3298,10 +3891,22 @@ type index_StatusValue = StatusValue;
3298
3891
  type index_SyslogMessage = SyslogMessage;
3299
3892
  type index_SyslogRegister = SyslogRegister;
3300
3893
  type index_TapObserver<T> = TapObserver<T>;
3894
+ type index_TempoClientLike = TempoClientLike;
3301
3895
  type index_ThrottleOptions = ThrottleOptions;
3896
+ type index_ToCSVOptions<T> = ToCSVOptions<T>;
3897
+ type index_ToClickHouseOptions<T> = ToClickHouseOptions<T>;
3898
+ type index_ToFileOptions<T> = ToFileOptions<T>;
3302
3899
  type index_ToKafkaOptions<T> = ToKafkaOptions<T>;
3900
+ type index_ToLokiOptions<T> = ToLokiOptions<T>;
3901
+ type index_ToMongoOptions<T> = ToMongoOptions<T>;
3902
+ type index_ToNATSOptions<T> = ToNATSOptions<T>;
3903
+ type index_ToPostgresOptions<T> = ToPostgresOptions<T>;
3904
+ type index_ToPulsarOptions<T> = ToPulsarOptions<T>;
3905
+ type index_ToRabbitMQOptions<T> = ToRabbitMQOptions<T>;
3303
3906
  type index_ToRedisStreamOptions<T> = ToRedisStreamOptions<T>;
3907
+ type index_ToS3Options<T> = ToS3Options<T>;
3304
3908
  type index_ToSSEOptions = ToSSEOptions;
3909
+ type index_ToTempoOptions<T> = ToTempoOptions<T>;
3305
3910
  type index_ToWebSocketOptions<T> = ToWebSocketOptions<T>;
3306
3911
  type index_ToWebSocketTransportError = ToWebSocketTransportError;
3307
3912
  type index_TokenBucket = TokenBucket;
@@ -3329,6 +3934,8 @@ declare const index_bufferTime: typeof bufferTime;
3329
3934
  declare const index_cached: typeof cached;
3330
3935
  declare const index_catchError: typeof catchError;
3331
3936
  declare const index_checkpointNodeValue: typeof checkpointNodeValue;
3937
+ declare const index_checkpointToRedis: typeof checkpointToRedis;
3938
+ declare const index_checkpointToS3: typeof checkpointToS3;
3332
3939
  declare const index_circuitBreaker: typeof circuitBreaker;
3333
3940
  declare const index_combine: typeof combine;
3334
3941
  declare const index_combineLatest: typeof combineLatest;
@@ -3370,10 +3977,13 @@ declare const index_fromIDBTransaction: typeof fromIDBTransaction;
3370
3977
  declare const index_fromIter: typeof fromIter;
3371
3978
  declare const index_fromKafka: typeof fromKafka;
3372
3979
  declare const index_fromMCP: typeof fromMCP;
3980
+ declare const index_fromNATS: typeof fromNATS;
3373
3981
  declare const index_fromNDJSON: typeof fromNDJSON;
3374
3982
  declare const index_fromOTel: typeof fromOTel;
3375
3983
  declare const index_fromPrometheus: typeof fromPrometheus;
3376
3984
  declare const index_fromPromise: typeof fromPromise;
3985
+ declare const index_fromPulsar: typeof fromPulsar;
3986
+ declare const index_fromRabbitMQ: typeof fromRabbitMQ;
3377
3987
  declare const index_fromRedisStream: typeof fromRedisStream;
3378
3988
  declare const index_fromStatsD: typeof fromStatsD;
3379
3989
  declare const index_fromSyslog: typeof fromSyslog;
@@ -3437,11 +4047,22 @@ declare const index_throttleTime: typeof throttleTime;
3437
4047
  declare const index_throwError: typeof throwError;
3438
4048
  declare const index_timeout: typeof timeout;
3439
4049
  declare const index_toArray: typeof toArray;
4050
+ declare const index_toCSV: typeof toCSV;
4051
+ declare const index_toClickHouse: typeof toClickHouse;
4052
+ declare const index_toFile: typeof toFile;
3440
4053
  declare const index_toKafka: typeof toKafka;
4054
+ declare const index_toLoki: typeof toLoki;
3441
4055
  declare const index_toMessages$: typeof toMessages$;
4056
+ declare const index_toMongo: typeof toMongo;
4057
+ declare const index_toNATS: typeof toNATS;
3442
4058
  declare const index_toObservable: typeof toObservable;
4059
+ declare const index_toPostgres: typeof toPostgres;
4060
+ declare const index_toPulsar: typeof toPulsar;
4061
+ declare const index_toRabbitMQ: typeof toRabbitMQ;
3443
4062
  declare const index_toRedisStream: typeof toRedisStream;
4063
+ declare const index_toS3: typeof toS3;
3444
4064
  declare const index_toSSE: typeof toSSE;
4065
+ declare const index_toTempo: typeof toTempo;
3445
4066
  declare const index_toWebSocket: typeof toWebSocket;
3446
4067
  declare const index_tokenBucket: typeof tokenBucket;
3447
4068
  declare const index_tokenTracker: typeof tokenTracker;
@@ -3457,7 +4078,7 @@ declare const index_workerBridge: typeof workerBridge;
3457
4078
  declare const index_workerSelf: typeof workerSelf;
3458
4079
  declare const index_zip: typeof zip;
3459
4080
  declare namespace index {
3460
- export { type index_AdapterHandlers as AdapterHandlers, type index_AsyncSourceOpts as AsyncSourceOpts, type index_BackoffPreset as BackoffPreset, type index_BackoffStrategy as BackoffStrategy, type index_BatchMessage as BatchMessage, type index_BridgeMessage as BridgeMessage, type index_CSVRow as CSVRow, type index_CheckpointAdapter as CheckpointAdapter, type index_CircuitBreaker as CircuitBreaker, type index_CircuitBreakerOptions as CircuitBreakerOptions, index_CircuitOpenError as CircuitOpenError, type index_CircuitState as CircuitState, type index_ClickHouseClientLike as ClickHouseClientLike, type index_ClickHouseRow as ClickHouseRow, type index_CronSchedule as CronSchedule, index_DictCheckpointAdapter as DictCheckpointAdapter, type index_DistillBundle as DistillBundle, type index_DistillOptions as DistillOptions, type index_ErrorMessage as ErrorMessage, type index_EventTargetLike as EventTargetLike, type index_ExponentialBackoffOptions as ExponentialBackoffOptions, type index_Extraction as Extraction, type index_FSEvent as FSEvent, type index_FSEventType as FSEventType, index_FileCheckpointAdapter as FileCheckpointAdapter, type index_FromCSVOptions as FromCSVOptions, type index_FromClickHouseWatchOptions as FromClickHouseWatchOptions, type index_FromCronOptions as FromCronOptions, type index_FromFSWatchOptions as FromFSWatchOptions, type index_FromGitHookOptions as FromGitHookOptions, type index_FromHTTPOptions as FromHTTPOptions, type index_FromKafkaOptions as FromKafkaOptions, type index_FromMCPOptions as FromMCPOptions, type index_FromNDJSONOptions as FromNDJSONOptions, type index_FromOTelOptions as FromOTelOptions, type index_FromPrometheusOptions as FromPrometheusOptions, type index_FromRedisStreamOptions as FromRedisStreamOptions, type index_FromStatsDOptions as FromStatsDOptions, type index_FromSyslogOptions as FromSyslogOptions, type index_GitEvent as GitEvent, type index_GitHookType as GitHookType, type index_HTTPBundle as HTTPBundle, type index_IndexRow as IndexRow, type index_IndexedDbCheckpointSpec as IndexedDbCheckpointSpec, type index_InitMessage as InitMessage, type index_JitterMode as JitterMode, type index_KafkaConsumerLike as KafkaConsumerLike, type index_KafkaMessage as KafkaMessage, type index_KafkaProducerLike as KafkaProducerLike, type index_MCPClientLike as MCPClientLike, index_MemoryCheckpointAdapter as MemoryCheckpointAdapter, type index_MergeMapOptions as MergeMapOptions, index_NS_PER_MS as NS_PER_MS, index_NS_PER_SEC as NS_PER_SEC, type index_NodeInput as NodeInput, type index_OTelBundle as OTelBundle, type index_OTelLog as OTelLog, type index_OTelMetric as OTelMetric, type index_OTelRegister as OTelRegister, type index_OTelSpan as OTelSpan, type index_PrometheusMetric as PrometheusMetric, type index_PubSubHub as PubSubHub, type index_ReactiveIndexBundle as ReactiveIndexBundle, type index_ReactiveIndexOptions as ReactiveIndexOptions, type index_ReactiveIndexSnapshot as ReactiveIndexSnapshot, type index_ReactiveListBundle as ReactiveListBundle, type index_ReactiveListOptions as ReactiveListOptions, type index_ReactiveListSnapshot as ReactiveListSnapshot, index_ReactiveLogBundle as ReactiveLogBundle, index_ReactiveLogOptions as ReactiveLogOptions, index_ReactiveLogSnapshot as ReactiveLogSnapshot, type index_ReactiveMapBundle as ReactiveMapBundle, type index_ReactiveMapOptions as ReactiveMapOptions, type index_ReactiveMapSnapshot as ReactiveMapSnapshot, type index_ReadyMessage as ReadyMessage, type index_RedisClientLike as RedisClientLike, type index_RedisStreamEntry as RedisStreamEntry, type index_RetryOptions as RetryOptions, type index_SignalMessage as SignalMessage, type index_SinkTransportError as SinkTransportError, index_SqliteCheckpointAdapter as SqliteCheckpointAdapter, type index_StatsDMetric as StatsDMetric, type index_StatsDRegister as StatsDRegister, type index_StatusValue as StatusValue, type index_SyslogMessage as SyslogMessage, type index_SyslogRegister as SyslogRegister, type index_TapObserver as TapObserver, type index_ThrottleOptions as ThrottleOptions, type index_ToKafkaOptions as ToKafkaOptions, type index_ToRedisStreamOptions as ToRedisStreamOptions, type index_ToSSEOptions as ToSSEOptions, type index_ToWebSocketOptions as ToWebSocketOptions, type index_ToWebSocketTransportError as ToWebSocketTransportError, type index_TokenBucket as TokenBucket, type index_ValueMessage as ValueMessage, type index_VerifiableBundle as VerifiableBundle, type index_VerifiableOptions as VerifiableOptions, type index_VerifyValue as VerifyValue, type index_WatermarkController as WatermarkController, type index_WatermarkOptions as WatermarkOptions, type index_WebSocketLike as WebSocketLike, type index_WebSocketMessageEventLike as WebSocketMessageEventLike, type index_WebSocketRegister as WebSocketRegister, type index_WebhookRegister as WebhookRegister, type index_WithBreakerBundle as WithBreakerBundle, type index_WithStatusBundle as WithStatusBundle, type index_WorkerBridge as WorkerBridge, type index_WorkerBridgeOptions as WorkerBridgeOptions, type index_WorkerSelfHandle as WorkerSelfHandle, type index_WorkerSelfOptions as WorkerSelfOptions, type index_WorkerTransport as WorkerTransport, index_audit as audit, index_buffer as buffer, index_bufferCount as bufferCount, index_bufferTime as bufferTime, index_cached as cached, index_catchError as catchError, index_checkpointNodeValue as checkpointNodeValue, index_circuitBreaker as circuitBreaker, index_combine as combine, index_combineLatest as combineLatest, index_concat as concat, index_concatMap as concatMap, index_constant as constant, index_createTransport as createTransport, index_createWatermarkController as createWatermarkController, index_debounce as debounce, index_debounceTime as debounceTime, index_decorrelatedJitter as decorrelatedJitter, index_delay as delay, index_deserializeError as deserializeError, index_distill as distill, index_distinctUntilChanged as distinctUntilChanged, index_elementAt as elementAt, index_empty as empty, index_escapeRegexChar as escapeRegexChar, index_exhaustMap as exhaustMap, index_exponential as exponential, index_fibonacci as fibonacci, index_filter as filter, index_find as find, index_first as first, index_firstValueFrom as firstValueFrom, index_flatMap as flatMap, index_forEach as forEach, index_fromAny as fromAny, index_fromAsyncIter as fromAsyncIter, index_fromCSV as fromCSV, index_fromClickHouseWatch as fromClickHouseWatch, index_fromCron as fromCron, index_fromEvent as fromEvent, index_fromFSWatch as fromFSWatch, index_fromGitHook as fromGitHook, index_fromHTTP as fromHTTP, index_fromIDBRequest as fromIDBRequest, index_fromIDBTransaction as fromIDBTransaction, index_fromIter as fromIter, index_fromKafka as fromKafka, index_fromMCP as fromMCP, index_fromNDJSON as fromNDJSON, index_fromOTel as fromOTel, index_fromPrometheus as fromPrometheus, index_fromPromise as fromPromise, index_fromRedisStream as fromRedisStream, index_fromStatsD as fromStatsD, index_fromSyslog as fromSyslog, index_fromTimer as fromTimer, index_fromWebSocket as fromWebSocket, index_fromWebhook as fromWebhook, index_gate as gate, index_globToRegExp as globToRegExp, index_interval as interval, index_last as last, index_linear as linear, index_logSlice as logSlice, index_map as map, index_matchesAnyPattern as matchesAnyPattern, index_matchesCron as matchesCron, index_merge as merge, index_mergeMap as mergeMap, index_nameToSignal as nameToSignal, index_never as never, index_observeGraph$ as observeGraph$, index_observeNode$ as observeNode$, index_of as of, index_pairwise as pairwise, index_parseCron as parseCron, index_parsePrometheusText as parsePrometheusText, index_parseStatsD as parseStatsD, index_parseSyslog as parseSyslog, index_pausable as pausable, index_pubsub as pubsub, index_race as race, index_rateLimiter as rateLimiter, index_reactiveIndex as reactiveIndex, index_reactiveList as reactiveList, index_reactiveLog as reactiveLog, index_reactiveMap as reactiveMap, index_reduce as reduce, index_repeat as repeat, index_replay as replay, index_rescue as rescue, index_resolveBackoffPreset as resolveBackoffPreset, index_restoreGraphCheckpoint as restoreGraphCheckpoint, index_restoreGraphCheckpointIndexedDb as restoreGraphCheckpointIndexedDb, index_retry as retry, index_sample as sample, index_saveGraphCheckpoint as saveGraphCheckpoint, index_saveGraphCheckpointIndexedDb as saveGraphCheckpointIndexedDb, index_scan as scan, index_serializeError as serializeError, index_share as share, index_shareReplay as shareReplay, index_signalToName as signalToName, index_skip as skip, index_startWith as startWith, index_switchMap as switchMap, index_take as take, index_takeUntil as takeUntil, index_takeWhile as takeWhile, index_tap as tap, index_throttle as throttle, index_throttleTime as throttleTime, index_throwError as throwError, index_timeout as timeout, index_toArray as toArray, index_toKafka as toKafka, index_toMessages$ as toMessages$, index_toObservable as toObservable, index_toRedisStream as toRedisStream, index_toSSE as toSSE, index_toWebSocket as toWebSocket, index_tokenBucket as tokenBucket, index_tokenTracker as tokenTracker, index_verifiable as verifiable, index_window as window, index_windowCount as windowCount, index_windowTime as windowTime, index_withBreaker as withBreaker, index_withLatestFrom as withLatestFrom, index_withMaxAttempts as withMaxAttempts, index_withStatus as withStatus, index_workerBridge as workerBridge, index_workerSelf as workerSelf, index_zip as zip };
4081
+ export { type index_AdapterHandlers as AdapterHandlers, type index_AsyncSourceOpts as AsyncSourceOpts, type index_BackoffPreset as BackoffPreset, type index_BackoffStrategy as BackoffStrategy, type index_BatchMessage as BatchMessage, type index_BridgeMessage as BridgeMessage, type index_BufferedSinkHandle as BufferedSinkHandle, type index_CSVRow as CSVRow, type index_CheckpointAdapter as CheckpointAdapter, type index_CheckpointToRedisOptions as CheckpointToRedisOptions, type index_CheckpointToS3Options as CheckpointToS3Options, type index_CircuitBreaker as CircuitBreaker, type index_CircuitBreakerOptions as CircuitBreakerOptions, index_CircuitOpenError as CircuitOpenError, type index_CircuitState as CircuitState, type index_ClickHouseClientLike as ClickHouseClientLike, type index_ClickHouseInsertClientLike as ClickHouseInsertClientLike, type index_ClickHouseRow as ClickHouseRow, type index_CronSchedule as CronSchedule, index_DictCheckpointAdapter as DictCheckpointAdapter, type index_DistillBundle as DistillBundle, type index_DistillOptions as DistillOptions, type index_ErrorMessage as ErrorMessage, type index_EventTargetLike as EventTargetLike, type index_ExponentialBackoffOptions as ExponentialBackoffOptions, type index_Extraction as Extraction, type index_FSEvent as FSEvent, type index_FSEventType as FSEventType, index_FileCheckpointAdapter as FileCheckpointAdapter, type index_FileWriterLike as FileWriterLike, type index_FromCSVOptions as FromCSVOptions, type index_FromClickHouseWatchOptions as FromClickHouseWatchOptions, type index_FromCronOptions as FromCronOptions, type index_FromFSWatchOptions as FromFSWatchOptions, type index_FromGitHookOptions as FromGitHookOptions, type index_FromHTTPOptions as FromHTTPOptions, type index_FromKafkaOptions as FromKafkaOptions, type index_FromMCPOptions as FromMCPOptions, type index_FromNATSOptions as FromNATSOptions, type index_FromNDJSONOptions as FromNDJSONOptions, type index_FromOTelOptions as FromOTelOptions, type index_FromPrometheusOptions as FromPrometheusOptions, type index_FromPulsarOptions as FromPulsarOptions, type index_FromRabbitMQOptions as FromRabbitMQOptions, type index_FromRedisStreamOptions as FromRedisStreamOptions, type index_FromStatsDOptions as FromStatsDOptions, type index_FromSyslogOptions as FromSyslogOptions, type index_GitEvent as GitEvent, type index_GitHookType as GitHookType, type index_HTTPBundle as HTTPBundle, type index_IndexRow as IndexRow, type index_IndexedDbCheckpointSpec as IndexedDbCheckpointSpec, type index_InitMessage as InitMessage, type index_JitterMode as JitterMode, type index_KafkaConsumerLike as KafkaConsumerLike, type index_KafkaMessage as KafkaMessage, type index_KafkaProducerLike as KafkaProducerLike, type index_LokiClientLike as LokiClientLike, type index_LokiStream as LokiStream, type index_MCPClientLike as MCPClientLike, index_MemoryCheckpointAdapter as MemoryCheckpointAdapter, type index_MergeMapOptions as MergeMapOptions, type index_MongoCollectionLike as MongoCollectionLike, type index_NATSClientLike as NATSClientLike, type index_NATSMessage as NATSMessage, type index_NATSSubscriptionLike as NATSSubscriptionLike, index_NS_PER_MS as NS_PER_MS, index_NS_PER_SEC as NS_PER_SEC, type index_NodeInput as NodeInput, type index_OTelBundle as OTelBundle, type index_OTelLog as OTelLog, type index_OTelMetric as OTelMetric, type index_OTelRegister as OTelRegister, type index_OTelSpan as OTelSpan, type index_PostgresClientLike as PostgresClientLike, type index_PrometheusMetric as PrometheusMetric, type index_PubSubHub as PubSubHub, type index_PulsarConsumerLike as PulsarConsumerLike, type index_PulsarMessage as PulsarMessage, type index_PulsarProducerLike as PulsarProducerLike, type index_RabbitMQChannelLike as RabbitMQChannelLike, type index_RabbitMQMessage as RabbitMQMessage, type index_ReactiveIndexBundle as ReactiveIndexBundle, type index_ReactiveIndexOptions as ReactiveIndexOptions, type index_ReactiveIndexSnapshot as ReactiveIndexSnapshot, type index_ReactiveListBundle as ReactiveListBundle, type index_ReactiveListOptions as ReactiveListOptions, type index_ReactiveListSnapshot as ReactiveListSnapshot, index_ReactiveLogBundle as ReactiveLogBundle, index_ReactiveLogOptions as ReactiveLogOptions, index_ReactiveLogSnapshot as ReactiveLogSnapshot, type index_ReactiveMapBundle as ReactiveMapBundle, type index_ReactiveMapOptions as ReactiveMapOptions, type index_ReactiveMapSnapshot as ReactiveMapSnapshot, type index_ReadyMessage as ReadyMessage, type index_RedisCheckpointClientLike as RedisCheckpointClientLike, type index_RedisClientLike as RedisClientLike, type index_RedisStreamEntry as RedisStreamEntry, type index_RetryOptions as RetryOptions, type index_S3ClientLike as S3ClientLike, type index_SignalMessage as SignalMessage, type index_SinkTransportError as SinkTransportError, index_SqliteCheckpointAdapter as SqliteCheckpointAdapter, type index_StatsDMetric as StatsDMetric, type index_StatsDRegister as StatsDRegister, type index_StatusValue as StatusValue, type index_SyslogMessage as SyslogMessage, type index_SyslogRegister as SyslogRegister, type index_TapObserver as TapObserver, type index_TempoClientLike as TempoClientLike, type index_ThrottleOptions as ThrottleOptions, type index_ToCSVOptions as ToCSVOptions, type index_ToClickHouseOptions as ToClickHouseOptions, type index_ToFileOptions as ToFileOptions, type index_ToKafkaOptions as ToKafkaOptions, type index_ToLokiOptions as ToLokiOptions, type index_ToMongoOptions as ToMongoOptions, type index_ToNATSOptions as ToNATSOptions, type index_ToPostgresOptions as ToPostgresOptions, type index_ToPulsarOptions as ToPulsarOptions, type index_ToRabbitMQOptions as ToRabbitMQOptions, type index_ToRedisStreamOptions as ToRedisStreamOptions, type index_ToS3Options as ToS3Options, type index_ToSSEOptions as ToSSEOptions, type index_ToTempoOptions as ToTempoOptions, type index_ToWebSocketOptions as ToWebSocketOptions, type index_ToWebSocketTransportError as ToWebSocketTransportError, type index_TokenBucket as TokenBucket, type index_ValueMessage as ValueMessage, type index_VerifiableBundle as VerifiableBundle, type index_VerifiableOptions as VerifiableOptions, type index_VerifyValue as VerifyValue, type index_WatermarkController as WatermarkController, type index_WatermarkOptions as WatermarkOptions, type index_WebSocketLike as WebSocketLike, type index_WebSocketMessageEventLike as WebSocketMessageEventLike, type index_WebSocketRegister as WebSocketRegister, type index_WebhookRegister as WebhookRegister, type index_WithBreakerBundle as WithBreakerBundle, type index_WithStatusBundle as WithStatusBundle, type index_WorkerBridge as WorkerBridge, type index_WorkerBridgeOptions as WorkerBridgeOptions, type index_WorkerSelfHandle as WorkerSelfHandle, type index_WorkerSelfOptions as WorkerSelfOptions, type index_WorkerTransport as WorkerTransport, index_audit as audit, index_buffer as buffer, index_bufferCount as bufferCount, index_bufferTime as bufferTime, index_cached as cached, index_catchError as catchError, index_checkpointNodeValue as checkpointNodeValue, index_checkpointToRedis as checkpointToRedis, index_checkpointToS3 as checkpointToS3, index_circuitBreaker as circuitBreaker, index_combine as combine, index_combineLatest as combineLatest, index_concat as concat, index_concatMap as concatMap, index_constant as constant, index_createTransport as createTransport, index_createWatermarkController as createWatermarkController, index_debounce as debounce, index_debounceTime as debounceTime, index_decorrelatedJitter as decorrelatedJitter, index_delay as delay, index_deserializeError as deserializeError, index_distill as distill, index_distinctUntilChanged as distinctUntilChanged, index_elementAt as elementAt, index_empty as empty, index_escapeRegexChar as escapeRegexChar, index_exhaustMap as exhaustMap, index_exponential as exponential, index_fibonacci as fibonacci, index_filter as filter, index_find as find, index_first as first, index_firstValueFrom as firstValueFrom, index_flatMap as flatMap, index_forEach as forEach, index_fromAny as fromAny, index_fromAsyncIter as fromAsyncIter, index_fromCSV as fromCSV, index_fromClickHouseWatch as fromClickHouseWatch, index_fromCron as fromCron, index_fromEvent as fromEvent, index_fromFSWatch as fromFSWatch, index_fromGitHook as fromGitHook, index_fromHTTP as fromHTTP, index_fromIDBRequest as fromIDBRequest, index_fromIDBTransaction as fromIDBTransaction, index_fromIter as fromIter, index_fromKafka as fromKafka, index_fromMCP as fromMCP, index_fromNATS as fromNATS, index_fromNDJSON as fromNDJSON, index_fromOTel as fromOTel, index_fromPrometheus as fromPrometheus, index_fromPromise as fromPromise, index_fromPulsar as fromPulsar, index_fromRabbitMQ as fromRabbitMQ, index_fromRedisStream as fromRedisStream, index_fromStatsD as fromStatsD, index_fromSyslog as fromSyslog, index_fromTimer as fromTimer, index_fromWebSocket as fromWebSocket, index_fromWebhook as fromWebhook, index_gate as gate, index_globToRegExp as globToRegExp, index_interval as interval, index_last as last, index_linear as linear, index_logSlice as logSlice, index_map as map, index_matchesAnyPattern as matchesAnyPattern, index_matchesCron as matchesCron, index_merge as merge, index_mergeMap as mergeMap, index_nameToSignal as nameToSignal, index_never as never, index_observeGraph$ as observeGraph$, index_observeNode$ as observeNode$, index_of as of, index_pairwise as pairwise, index_parseCron as parseCron, index_parsePrometheusText as parsePrometheusText, index_parseStatsD as parseStatsD, index_parseSyslog as parseSyslog, index_pausable as pausable, index_pubsub as pubsub, index_race as race, index_rateLimiter as rateLimiter, index_reactiveIndex as reactiveIndex, index_reactiveList as reactiveList, index_reactiveLog as reactiveLog, index_reactiveMap as reactiveMap, index_reduce as reduce, index_repeat as repeat, index_replay as replay, index_rescue as rescue, index_resolveBackoffPreset as resolveBackoffPreset, index_restoreGraphCheckpoint as restoreGraphCheckpoint, index_restoreGraphCheckpointIndexedDb as restoreGraphCheckpointIndexedDb, index_retry as retry, index_sample as sample, index_saveGraphCheckpoint as saveGraphCheckpoint, index_saveGraphCheckpointIndexedDb as saveGraphCheckpointIndexedDb, index_scan as scan, index_serializeError as serializeError, index_share as share, index_shareReplay as shareReplay, index_signalToName as signalToName, index_skip as skip, index_startWith as startWith, index_switchMap as switchMap, index_take as take, index_takeUntil as takeUntil, index_takeWhile as takeWhile, index_tap as tap, index_throttle as throttle, index_throttleTime as throttleTime, index_throwError as throwError, index_timeout as timeout, index_toArray as toArray, index_toCSV as toCSV, index_toClickHouse as toClickHouse, index_toFile as toFile, index_toKafka as toKafka, index_toLoki as toLoki, index_toMessages$ as toMessages$, index_toMongo as toMongo, index_toNATS as toNATS, index_toObservable as toObservable, index_toPostgres as toPostgres, index_toPulsar as toPulsar, index_toRabbitMQ as toRabbitMQ, index_toRedisStream as toRedisStream, index_toS3 as toS3, index_toSSE as toSSE, index_toTempo as toTempo, index_toWebSocket as toWebSocket, index_tokenBucket as tokenBucket, index_tokenTracker as tokenTracker, index_verifiable as verifiable, index_window as window, index_windowCount as windowCount, index_windowTime as windowTime, index_withBreaker as withBreaker, index_withLatestFrom as withLatestFrom, index_withMaxAttempts as withMaxAttempts, index_withStatus as withStatus, index_workerBridge as workerBridge, index_workerSelf as workerSelf, index_zip as zip };
3461
4082
  }
3462
4083
 
3463
- export { MemoryCheckpointAdapter as $, type AdapterHandlers as A, type BackoffPreset as B, type CSVRow as C, type DistillBundle as D, type Extraction as E, type FSEvent as F, type FromKafkaOptions as G, type FromMCPOptions as H, type FromNDJSONOptions as I, type FromOTelOptions as J, type FromPrometheusOptions as K, type FromRedisStreamOptions as L, type FromStatsDOptions as M, type NodeInput as N, type FromSyslogOptions as O, type GitEvent as P, type GitHookType as Q, type ReactiveListSnapshot as R, type HTTPBundle as S, type IndexRow as T, type IndexedDbCheckpointSpec as U, type InitMessage as V, type JitterMode as W, type KafkaConsumerLike as X, type KafkaMessage as Y, type KafkaProducerLike as Z, type MCPClientLike as _, type ReactiveMapSnapshot as a, combineLatest as a$, type MergeMapOptions as a0, NS_PER_MS as a1, NS_PER_SEC as a2, type OTelBundle as a3, type OTelLog as a4, type OTelMetric as a5, type OTelRegister as a6, type OTelSpan as a7, type PrometheusMetric as a8, type PubSubHub as a9, type TokenBucket as aA, type ValueMessage as aB, type VerifiableBundle as aC, type VerifiableOptions as aD, type VerifyValue as aE, type WatermarkController as aF, type WatermarkOptions as aG, type WebSocketLike as aH, type WebSocketMessageEventLike as aI, type WebSocketRegister as aJ, type WebhookRegister as aK, type WithBreakerBundle as aL, type WithStatusBundle as aM, type WorkerBridge as aN, type WorkerBridgeOptions as aO, type WorkerSelfHandle as aP, type WorkerSelfOptions as aQ, type WorkerTransport as aR, audit as aS, buffer as aT, bufferCount as aU, bufferTime as aV, cached as aW, catchError as aX, checkpointNodeValue as aY, circuitBreaker as aZ, combine as a_, type ReactiveIndexBundle as aa, type ReactiveIndexOptions as ab, type ReactiveIndexSnapshot as ac, type ReactiveListBundle as ad, type ReactiveListOptions as ae, type ReactiveMapBundle as af, type ReactiveMapOptions as ag, type ReadyMessage as ah, type RedisClientLike as ai, type RedisStreamEntry as aj, type RetryOptions as ak, type SignalMessage as al, type SinkTransportError as am, SqliteCheckpointAdapter as an, type StatsDMetric as ao, type StatsDRegister as ap, type StatusValue as aq, type SyslogMessage as ar, type SyslogRegister as as, type TapObserver as at, type ThrottleOptions as au, type ToKafkaOptions as av, type ToRedisStreamOptions as aw, type ToSSEOptions as ax, type ToWebSocketOptions as ay, type ToWebSocketTransportError as az, type AsyncSourceOpts as b, parseCron as b$, concat as b0, concatMap as b1, constant as b2, createTransport as b3, createWatermarkController as b4, debounce as b5, debounceTime as b6, decorrelatedJitter as b7, delay as b8, deserializeError as b9, fromIter as bA, fromKafka as bB, fromMCP as bC, fromNDJSON as bD, fromOTel as bE, fromPrometheus as bF, fromPromise as bG, fromRedisStream as bH, fromStatsD as bI, fromSyslog as bJ, fromTimer as bK, fromWebSocket as bL, fromWebhook as bM, gate as bN, globToRegExp as bO, interval as bP, last as bQ, linear as bR, map as bS, matchesAnyPattern as bT, matchesCron as bU, merge as bV, mergeMap as bW, nameToSignal as bX, never as bY, of as bZ, pairwise as b_, distill as ba, distinctUntilChanged as bb, elementAt as bc, empty as bd, escapeRegexChar as be, exhaustMap as bf, exponential as bg, index as bh, fibonacci as bi, filter as bj, find as bk, first as bl, firstValueFrom as bm, flatMap as bn, forEach as bo, fromAny as bp, fromAsyncIter as bq, fromCSV as br, fromClickHouseWatch as bs, fromCron as bt, fromEvent as bu, fromFSWatch as bv, fromGitHook as bw, fromHTTP as bx, fromIDBRequest as by, fromIDBTransaction as bz, type BackoffStrategy as c, parsePrometheusText as c0, parseStatsD as c1, parseSyslog as c2, pausable as c3, pubsub as c4, race as c5, rateLimiter as c6, reactiveIndex as c7, reactiveList as c8, reactiveMap as c9, timeout as cA, toArray as cB, toKafka as cC, toRedisStream as cD, toSSE as cE, toWebSocket as cF, tokenBucket as cG, tokenTracker as cH, verifiable as cI, window as cJ, windowCount as cK, windowTime as cL, withBreaker as cM, withLatestFrom as cN, withMaxAttempts as cO, withStatus as cP, workerBridge as cQ, workerSelf as cR, zip as cS, reduce as ca, repeat as cb, replay as cc, rescue as cd, resolveBackoffPreset as ce, restoreGraphCheckpoint as cf, restoreGraphCheckpointIndexedDb as cg, retry as ch, sample as ci, saveGraphCheckpoint as cj, saveGraphCheckpointIndexedDb as ck, scan as cl, serializeError as cm, share as cn, shareReplay as co, signalToName as cp, skip as cq, startWith as cr, switchMap as cs, take as ct, takeUntil as cu, takeWhile as cv, tap as cw, throttle as cx, throttleTime as cy, throwError as cz, type BatchMessage as d, type BridgeMessage as e, type CheckpointAdapter as f, type CircuitBreaker as g, type CircuitBreakerOptions as h, CircuitOpenError as i, type CircuitState as j, type ClickHouseClientLike as k, type ClickHouseRow as l, type CronSchedule as m, DictCheckpointAdapter as n, type DistillOptions as o, type ErrorMessage as p, type EventTargetLike as q, type ExponentialBackoffOptions as r, type FSEventType as s, FileCheckpointAdapter as t, type FromCSVOptions as u, type FromClickHouseWatchOptions as v, type FromCronOptions as w, type FromFSWatchOptions as x, type FromGitHookOptions as y, type FromHTTPOptions as z };
4084
+ export { type IndexRow as $, type AdapterHandlers as A, type BackoffPreset as B, type CSVRow as C, type DistillBundle as D, type Extraction as E, type FSEvent as F, type FromClickHouseWatchOptions as G, type FromCronOptions as H, type FromFSWatchOptions as I, type FromGitHookOptions as J, type FromHTTPOptions as K, type FromKafkaOptions as L, type FromMCPOptions as M, type NodeInput as N, type FromNATSOptions as O, type FromNDJSONOptions as P, type FromOTelOptions as Q, type ReactiveListSnapshot as R, type FromPrometheusOptions as S, type FromPulsarOptions as T, type FromRabbitMQOptions as U, type FromRedisStreamOptions as V, type FromStatsDOptions as W, type FromSyslogOptions as X, type GitEvent as Y, type GitHookType as Z, type HTTPBundle as _, type ReactiveMapSnapshot as a, type ToRabbitMQOptions as a$, type IndexedDbCheckpointSpec as a0, type InitMessage as a1, type JitterMode as a2, type KafkaConsumerLike as a3, type KafkaMessage as a4, type KafkaProducerLike as a5, type LokiClientLike as a6, type LokiStream as a7, type MCPClientLike as a8, MemoryCheckpointAdapter as a9, type ReactiveMapOptions as aA, type ReadyMessage as aB, type RedisCheckpointClientLike as aC, type RedisClientLike as aD, type RedisStreamEntry as aE, type RetryOptions as aF, type S3ClientLike as aG, type SignalMessage as aH, type SinkTransportError as aI, SqliteCheckpointAdapter as aJ, type StatsDMetric as aK, type StatsDRegister as aL, type StatusValue as aM, type SyslogMessage as aN, type SyslogRegister as aO, type TapObserver as aP, type TempoClientLike as aQ, type ThrottleOptions as aR, type ToCSVOptions as aS, type ToClickHouseOptions as aT, type ToFileOptions as aU, type ToKafkaOptions as aV, type ToLokiOptions as aW, type ToMongoOptions as aX, type ToNATSOptions as aY, type ToPostgresOptions as aZ, type ToPulsarOptions as a_, type MergeMapOptions as aa, type MongoCollectionLike as ab, type NATSClientLike as ac, type NATSMessage as ad, type NATSSubscriptionLike as ae, NS_PER_MS as af, NS_PER_SEC as ag, type OTelBundle as ah, type OTelLog as ai, type OTelMetric as aj, type OTelRegister as ak, type OTelSpan as al, type PostgresClientLike as am, type PrometheusMetric as an, type PubSubHub as ao, type PulsarConsumerLike as ap, type PulsarMessage as aq, type PulsarProducerLike as ar, type RabbitMQChannelLike as as, type RabbitMQMessage as at, type ReactiveIndexBundle as au, type ReactiveIndexOptions as av, type ReactiveIndexSnapshot as aw, type ReactiveListBundle as ax, type ReactiveListOptions as ay, type ReactiveMapBundle as az, type AsyncSourceOpts as b, fromCSV as b$, type ToRedisStreamOptions as b0, type ToS3Options as b1, type ToSSEOptions as b2, type ToTempoOptions as b3, type ToWebSocketOptions as b4, type ToWebSocketTransportError as b5, type TokenBucket as b6, type ValueMessage as b7, type VerifiableBundle as b8, type VerifiableOptions as b9, concat as bA, concatMap as bB, constant as bC, createTransport as bD, createWatermarkController as bE, debounce as bF, debounceTime as bG, decorrelatedJitter as bH, delay as bI, deserializeError as bJ, distill as bK, distinctUntilChanged as bL, elementAt as bM, empty as bN, escapeRegexChar as bO, exhaustMap as bP, exponential as bQ, index as bR, fibonacci as bS, filter as bT, find as bU, first as bV, firstValueFrom as bW, flatMap as bX, forEach as bY, fromAny as bZ, fromAsyncIter as b_, type VerifyValue as ba, type WatermarkController as bb, type WatermarkOptions as bc, type WebSocketLike as bd, type WebSocketMessageEventLike as be, type WebSocketRegister as bf, type WebhookRegister as bg, type WithBreakerBundle as bh, type WithStatusBundle as bi, type WorkerBridge as bj, type WorkerBridgeOptions as bk, type WorkerSelfHandle as bl, type WorkerSelfOptions as bm, type WorkerTransport as bn, audit as bo, buffer as bp, bufferCount as bq, bufferTime as br, cached as bs, catchError as bt, checkpointNodeValue as bu, checkpointToRedis as bv, checkpointToS3 as bw, circuitBreaker as bx, combine as by, combineLatest as bz, type BackoffStrategy as c, shareReplay as c$, fromClickHouseWatch as c0, fromCron as c1, fromEvent as c2, fromFSWatch as c3, fromGitHook as c4, fromHTTP as c5, fromIDBRequest as c6, fromIDBTransaction as c7, fromIter as c8, fromKafka as c9, of as cA, pairwise as cB, parseCron as cC, parsePrometheusText as cD, parseStatsD as cE, parseSyslog as cF, pausable as cG, pubsub as cH, race as cI, rateLimiter as cJ, reactiveIndex as cK, reactiveList as cL, reactiveMap as cM, reduce as cN, repeat as cO, replay as cP, rescue as cQ, resolveBackoffPreset as cR, restoreGraphCheckpoint as cS, restoreGraphCheckpointIndexedDb as cT, retry as cU, sample as cV, saveGraphCheckpoint as cW, saveGraphCheckpointIndexedDb as cX, scan as cY, serializeError as cZ, share as c_, fromMCP as ca, fromNATS as cb, fromNDJSON as cc, fromOTel as cd, fromPrometheus as ce, fromPromise as cf, fromPulsar as cg, fromRabbitMQ as ch, fromRedisStream as ci, fromStatsD as cj, fromSyslog as ck, fromTimer as cl, fromWebSocket as cm, fromWebhook as cn, gate as co, globToRegExp as cp, interval as cq, last as cr, linear as cs, map as ct, matchesAnyPattern as cu, matchesCron as cv, merge as cw, mergeMap as cx, nameToSignal as cy, never as cz, type BatchMessage as d, signalToName as d0, skip as d1, startWith as d2, switchMap as d3, take as d4, takeUntil as d5, takeWhile as d6, tap as d7, throttle as d8, throttleTime as d9, withLatestFrom as dA, withMaxAttempts as dB, withStatus as dC, workerBridge as dD, workerSelf as dE, zip as dF, throwError as da, timeout as db, toArray as dc, toCSV as dd, toClickHouse as de, toFile as df, toKafka as dg, toLoki as dh, toMongo as di, toNATS as dj, toPostgres as dk, toPulsar as dl, toRabbitMQ as dm, toRedisStream as dn, toS3 as dp, toSSE as dq, toTempo as dr, toWebSocket as ds, tokenBucket as dt, tokenTracker as du, verifiable as dv, window as dw, windowCount as dx, windowTime as dy, withBreaker as dz, type BridgeMessage as e, type BufferedSinkHandle as f, type CheckpointAdapter as g, type CheckpointToRedisOptions as h, type CheckpointToS3Options as i, type CircuitBreaker as j, type CircuitBreakerOptions as k, CircuitOpenError as l, type CircuitState as m, type ClickHouseClientLike as n, type ClickHouseInsertClientLike as o, type ClickHouseRow as p, type CronSchedule as q, DictCheckpointAdapter as r, type DistillOptions as s, type ErrorMessage as t, type EventTargetLike as u, type ExponentialBackoffOptions as v, type FSEventType as w, FileCheckpointAdapter as x, type FileWriterLike as y, type FromCSVOptions as z };