@cohostvip/cohost-node 0.1.13 → 0.1.15

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.
package/dist/index.d.mts CHANGED
@@ -492,24 +492,401 @@ interface Ticket extends Omit<Offering, "hidden" | "constraints" | "type"> {
492
492
  refId?: string;
493
493
  }
494
494
  /**
495
- * Person interface
496
- */
495
+ * Represents a physical address with comprehensive localization support.
496
+ *
497
+ * @interface Address
498
+ * @example
499
+ * ```typescript
500
+ * // Basic US address
501
+ * const usAddress: Address = {
502
+ * address_1: "123 Main Street",
503
+ * address_2: "Apt 4B",
504
+ * city: "New York",
505
+ * country: "US",
506
+ * postal_code: "10001",
507
+ * region: "NY"
508
+ * };
509
+ *
510
+ * // US address with premise
511
+ * const businessAddress: Address = {
512
+ * address_1: "1600 Pennsylvania Avenue NW",
513
+ * city: "Washington",
514
+ * country: "US",
515
+ * premise: "West Wing",
516
+ * postal_code: "20500",
517
+ * region: "DC"
518
+ * };
519
+ *
520
+ * // US address with formatting
521
+ * const formattedAddress: Address = {
522
+ * address_1: "350 Fifth Avenue",
523
+ * city: "New York",
524
+ * country: "US",
525
+ * postal_code: "10118",
526
+ * region: "NY",
527
+ * formattedAddress: "350 Fifth Avenue, New York, NY 10118, US",
528
+ * localized_multi_line_address_display: [
529
+ * "350 Fifth Avenue",
530
+ * "New York, NY 10118"
531
+ * ]
532
+ * };
533
+ * ```
534
+ */
535
+ interface Address {
536
+ /**
537
+ * Primary street address line.
538
+ *
539
+ * @example "123 Main Street"
540
+ * @example "1600 Pennsylvania Avenue NW"
541
+ */
542
+ address_1: string;
543
+ /**
544
+ * Secondary address line for apartment, suite, or unit numbers.
545
+ *
546
+ * @example "Apt 4B"
547
+ * @example "Suite 100"
548
+ * @example "Unit 12"
549
+ */
550
+ address_2?: string;
551
+ /**
552
+ * City or locality name.
553
+ *
554
+ * @example "New York"
555
+ * @example "San Francisco"
556
+ * @example "Chicago"
557
+ */
558
+ city: string;
559
+ /**
560
+ * ISO 3166-1 alpha-2 country code.
561
+ *
562
+ * @example "US" // United States
563
+ */
564
+ country: string;
565
+ /**
566
+ * Building or premise identifier (building name, floor, etc.).
567
+ *
568
+ * @example "Building A"
569
+ * @example "3rd Floor"
570
+ * @example "West Wing"
571
+ */
572
+ premise?: string;
573
+ /**
574
+ * Complete formatted address as a single string.
575
+ * Useful for display purposes or geocoding services.
576
+ *
577
+ * @example "123 Main Street, Apt 4B, New York, NY 10001, US"
578
+ * @example "1600 Pennsylvania Avenue NW, Washington, DC 20500, US"
579
+ */
580
+ formattedAddress?: string;
581
+ /**
582
+ * Localized version of the complete address.
583
+ * For US addresses, typically the same as the standard format.
584
+ *
585
+ * @example "123 Main Street, New York, NY 10001"
586
+ */
587
+ localized_address_display?: string;
588
+ /**
589
+ * Localized area/region display combining city and state.
590
+ *
591
+ * @example "Brooklyn, NY"
592
+ * @example "Los Angeles, CA"
593
+ * @example "Miami, FL"
594
+ */
595
+ localized_area_display?: string;
596
+ /**
597
+ * Multi-line address display as an array of strings.
598
+ * Each element represents a line for proper address formatting on labels or forms.
599
+ *
600
+ * @example
601
+ * [
602
+ * "123 Main Street",
603
+ * "Apt 4B",
604
+ * "New York, NY 10001"
605
+ * ]
606
+ *
607
+ * @example
608
+ * [
609
+ * "350 Fifth Avenue",
610
+ * "New York, NY 10118"
611
+ * ]
612
+ */
613
+ localized_multi_line_address_display?: string[];
614
+ /**
615
+ * US ZIP code or ZIP+4 format.
616
+ *
617
+ * @example "10001" // Standard ZIP
618
+ * @example "10001-1234" // ZIP+4 format
619
+ * @example "90210" // Beverly Hills ZIP
620
+ */
621
+ postal_code: string;
622
+ /**
623
+ * US state or territory 2-letter abbreviation.
624
+ *
625
+ * @example "NY" // New York
626
+ * @example "CA" // California
627
+ * @example "TX" // Texas
628
+ * @example "DC" // District of Columbia
629
+ */
630
+ region: string;
631
+ }
632
+ /**
633
+ * Represents a person with basic identity information.
634
+ *
635
+ * @interface Person
636
+ * @example
637
+ * ```typescript
638
+ * const person: Person = {
639
+ * name: "John Michael Smith",
640
+ * displayName: "John Smith",
641
+ * first: "John",
642
+ * last: "Smith",
643
+ * gender: "male",
644
+ * birthdate: "1990-05-15",
645
+ * age: 33,
646
+ * photoURL: "https://example.com/photos/john-smith.jpg"
647
+ * };
648
+ * ```
649
+ */
497
650
  interface Person {
651
+ /**
652
+ * Full name of the person.
653
+ *
654
+ * @example "John Michael Smith"
655
+ * @example "Sarah Johnson"
656
+ */
498
657
  name: string;
658
+ /**
659
+ * URL to the person's profile photo or avatar.
660
+ * Can be null if no photo is available.
661
+ *
662
+ * @example "https://example.com/photos/john-smith.jpg"
663
+ * @example "https://cdn.example.com/avatars/user123.png"
664
+ * @example null
665
+ */
499
666
  photoURL?: string | null;
667
+ /**
668
+ * Preferred display name for the person.
669
+ * Often a shortened or preferred version of their full name.
670
+ *
671
+ * @example "John Smith"
672
+ * @example "Mike"
673
+ * @example "Dr. Johnson"
674
+ */
500
675
  displayName: string;
676
+ /**
677
+ * First name or given name.
678
+ *
679
+ * @example "John"
680
+ * @example "Sarah"
681
+ * @example "Michael"
682
+ */
501
683
  first: string;
684
+ /**
685
+ * Last name or family name.
686
+ *
687
+ * @example "Smith"
688
+ * @example "Johnson"
689
+ * @example "Williams"
690
+ */
502
691
  last: string;
692
+ /**
693
+ * Gender identity of the person.
694
+ * Can be null if not specified or prefer not to answer.
695
+ *
696
+ * @example "male"
697
+ * @example "female"
698
+ * @example "other"
699
+ * @example null
700
+ */
503
701
  gender: null | string | "male" | "female" | "other";
702
+ /**
703
+ * Date of birth in ISO 8601 format (YYYY-MM-DD).
704
+ * Can be null if not provided.
705
+ *
706
+ * @example "1990-05-15"
707
+ * @example "1985-12-25"
708
+ * @example null
709
+ */
504
710
  birthdate?: string | null;
711
+ /**
712
+ * Current age in years.
713
+ * Typically calculated from birthdate.
714
+ *
715
+ * @example 33
716
+ * @example 28
717
+ * @example 45
718
+ */
505
719
  age?: number;
506
720
  }
721
+ /**
722
+ * Contact information for a person.
723
+ *
724
+ * @interface PersonContact
725
+ * @example
726
+ * ```typescript
727
+ * const contact: PersonContact = {
728
+ * email: "john.smith@example.com",
729
+ * phone: "+1-555-123-4567"
730
+ * };
731
+ *
732
+ * // Minimal contact with only email
733
+ * const emailOnly: PersonContact = {
734
+ * email: "sarah@example.com",
735
+ * phone: null
736
+ * };
737
+ * ```
738
+ */
507
739
  interface PersonContact {
740
+ /**
741
+ * Primary email address.
742
+ * Can be null if no email is provided.
743
+ *
744
+ * @example "john.smith@example.com"
745
+ * @example "user123@gmail.com"
746
+ * @example null
747
+ */
508
748
  email: string | null;
749
+ /**
750
+ * Primary phone number.
751
+ * Can be null if no phone number is provided.
752
+ * Format may vary (with/without country code, formatting).
753
+ *
754
+ * @example "+1-555-123-4567"
755
+ * @example "(555) 123-4567"
756
+ * @example "5551234567"
757
+ * @example null
758
+ */
509
759
  phone: string | null;
510
760
  }
761
+ /**
762
+ * Address information with associated person's name.
763
+ * Extends the base Address interface with first and last name fields.
764
+ * Useful for shipping/billing addresses where the recipient name may differ from the customer.
765
+ *
766
+ * @interface PersonAddress
767
+ * @extends Address
768
+ * @example
769
+ * ```typescript
770
+ * const shippingAddress: PersonAddress = {
771
+ * first: "John",
772
+ * last: "Smith",
773
+ * address_1: "123 Main Street",
774
+ * address_2: "Apt 4B",
775
+ * city: "New York",
776
+ * country: "US",
777
+ * postal_code: "10001",
778
+ * region: "NY"
779
+ * };
780
+ *
781
+ * // Gift shipping to different recipient
782
+ * const giftAddress: PersonAddress = {
783
+ * first: "Jane",
784
+ * last: "Doe",
785
+ * address_1: "456 Oak Avenue",
786
+ * city: "Los Angeles",
787
+ * country: "US",
788
+ * postal_code: "90210",
789
+ * region: "CA"
790
+ * };
791
+ * ```
792
+ */
793
+ interface PersonAddress extends Address {
794
+ /**
795
+ * First name of the person at this address.
796
+ * May differ from the customer's name for gift deliveries.
797
+ *
798
+ * @example "John"
799
+ * @example "Jane"
800
+ */
801
+ first: string;
802
+ /**
803
+ * Last name of the person at this address.
804
+ * May differ from the customer's name for gift deliveries.
805
+ *
806
+ * @example "Smith"
807
+ * @example "Doe"
808
+ */
809
+ last: string;
810
+ }
811
+ /**
812
+ * Complete customer information combining personal details, contact info, and addresses.
813
+ * Represents a customer in an e-commerce or service system.
814
+ *
815
+ * @type Customer
816
+ * @example
817
+ * ```typescript
818
+ * const customer: Customer = {
819
+ * uid: "user_abc123",
820
+ * name: "John Michael Smith",
821
+ * displayName: "John Smith",
822
+ * first: "John",
823
+ * last: "Smith",
824
+ * gender: "male",
825
+ * birthdate: "1990-05-15",
826
+ * age: 33,
827
+ * email: "john.smith@example.com",
828
+ * phone: "+1-555-123-4567",
829
+ * billingAddress: {
830
+ * first: "John",
831
+ * last: "Smith",
832
+ * address_1: "123 Main Street",
833
+ * city: "New York",
834
+ * country: "US",
835
+ * postal_code: "10001",
836
+ * region: "NY"
837
+ * },
838
+ * shippingAddress: {
839
+ * first: "John",
840
+ * last: "Smith",
841
+ * address_1: "456 Work Plaza",
842
+ * address_2: "Suite 100",
843
+ * city: "New York",
844
+ * country: "US",
845
+ * postal_code: "10005",
846
+ * region: "NY"
847
+ * }
848
+ * };
849
+ *
850
+ * // Guest customer (no account)
851
+ * const guestCustomer: Customer = {
852
+ * uid: null,
853
+ * name: "Jane Doe",
854
+ * displayName: "Jane Doe",
855
+ * first: "Jane",
856
+ * last: "Doe",
857
+ * gender: null,
858
+ * email: "jane@example.com",
859
+ * phone: null
860
+ * };
861
+ * ```
862
+ */
511
863
  type Customer = Person & PersonContact & {
864
+ /**
865
+ * Unique identifier for the customer account.
866
+ * Can be null for guest customers who haven't created an account.
867
+ *
868
+ * @example "user_abc123"
869
+ * @example "cust_def456"
870
+ * @example null // Guest customer
871
+ */
512
872
  uid: string | null;
873
+ /**
874
+ * Billing address for payment and invoicing.
875
+ * Can be null if not yet provided.
876
+ *
877
+ * @example PersonAddress object with billing details
878
+ * @example null
879
+ */
880
+ billingAddress?: PersonAddress | null;
881
+ /**
882
+ * Shipping address for order delivery.
883
+ * Can be null for digital products or if not yet provided.
884
+ * May differ from billing address.
885
+ *
886
+ * @example PersonAddress object with shipping details
887
+ * @example null
888
+ */
889
+ shippingAddress?: PersonAddress | null;
513
890
  };
514
891
  type AttendeeStatus = "attending" | "checkedIn" | "cancelled" | "refunded" | "noShow" | "unknown" | string;
515
892
  interface Attendee extends DataRecord {
@@ -557,19 +934,6 @@ interface EventFeature {
557
934
  meta?: any;
558
935
  data: any;
559
936
  }
560
- interface Address {
561
- address_1: string;
562
- address_2?: string;
563
- city: string;
564
- country: string;
565
- premise?: string;
566
- formattedAddress?: string;
567
- localized_address_display?: string;
568
- localized_area_display?: string;
569
- localized_multi_line_address_display?: string[];
570
- postal_code: string;
571
- region: string;
572
- }
573
937
  /**
574
938
  * A simple point geometry consisting of latitude and longitude.
575
939
  *
@@ -1235,7 +1599,7 @@ type CartSessionItem = Pick<OrderItem, "id" | "details" | "offeringId" | "quanti
1235
1599
  *
1236
1600
  * @export
1237
1601
  */
1238
- interface CartSession extends DataRecord, Pick<Order, "currency" | "contextId" | "version" | "coupons" | "companyId" | "organizerId" | "meta"> {
1602
+ interface CartSession extends DataRecord, Pick<Order, "currency" | "contextId" | "version" | "coupons" | "companyId" | "organizerId"> {
1239
1603
  orderId?: string;
1240
1604
  /**
1241
1605
  * Authenticated user ID, if available.
@@ -1290,8 +1654,36 @@ interface CartSession extends DataRecord, Pick<Order, "currency" | "contextId" |
1290
1654
  * Customer answers
1291
1655
  */
1292
1656
  customerAnswers?: any;
1293
- status: "started" | "completed" | "abandoned" | "cancelled";
1657
+ status: "started" | "completed" | "stale" | "abandoned" | "cancelled";
1658
+ meta: CartSessionMeta;
1294
1659
  }
1660
+ type StaleMeta = {
1661
+ /**
1662
+ * Hard stale time in milliseconds.
1663
+ * After this time, the cart is considered abandoned.
1664
+ */
1665
+ hard: number;
1666
+ /**
1667
+ * Soft stale time in milliseconds.
1668
+ * After this time, the cart is considered abandoned.
1669
+ * This is the last change+idle, no later than hard time.
1670
+ */
1671
+ soft: number;
1672
+ /**
1673
+ * Idle time in milliseconds.s
1674
+ */
1675
+ idle: number;
1676
+ };
1677
+ type CartSessionMeta = Partial<Pick<Order, "meta">> & {
1678
+ paymentIntent?: any;
1679
+ /** policy for cart to become abandon */
1680
+ stale: StaleMeta;
1681
+ /**
1682
+ * Any additional internal system flags, A/B test conditions, or
1683
+ * non-critical partner payloads.
1684
+ */
1685
+ [key: string]: any;
1686
+ };
1295
1687
  type UpdatableCartSession = Pick<CartSession, "customer" | "items" | "customerAnswers" | "forwarded">;
1296
1688
 
1297
1689
  /**
@@ -1616,4 +2008,4 @@ declare class CohostClient {
1616
2008
  */
1617
2009
  declare function createCohostClient(options: CohostClientOptions): CohostClient;
1618
2010
 
1619
- export { type ActiveOfferingStatus, type Address, type ApiVersion, type Attendee, type AttendeeStatus, type BuzzBuilder, type CalculatedCostComponent, type CartSession, type CartSessionItem, type CartSessionItemOffering, CohostClient, type CohostClientSettings, type ContextId, type CostBase, type CostBucket, type CostComponent, type CostComponentCap, type CostComponentRule, type CostComponentRuleCondition, type CostOp, type Coupon, type CouponSummary, type CurrencyAmount, type Customer, type DataRecord, type EqualOperator, type EventBase, type EventFeature, type EventProfile, type EventStatus, type GeometryPoint, type Location, type LocationGeometry, type MultipartText, type Offering, type OfferingCosts, type OfferingOption, type OfferingOptionsGroup, type OfferingStatus, type OfferingType, type Order, type OrderContext, type OrderCosts, type OrderItem, type OrderItemCosts, type OrderItemOffering, type OrderStatus, type PackageInclude, type PaginatedRequest, type PaginatedResponse, type Pagination$1 as Pagination, type PaginationResponse, type Person, type PersonContact, type Photo, type PriceCategory, type ResolvedCartContext, type ResolvedCartContextOffering, type Schedule, type StartCartSessionInput, type StructuredCost, type StructuredDate, type Ticket, type TimeOrOffset, type UpdatableCartSession, type VCDataRecord, type Venue, type VenueBase, type VersionedDataRecord, createCohostClient };
2011
+ export { type ActiveOfferingStatus, type Address, type ApiVersion, type Attendee, type AttendeeStatus, type BuzzBuilder, type CalculatedCostComponent, type CartSession, type CartSessionItem, type CartSessionItemOffering, type CartSessionMeta, CohostClient, type CohostClientSettings, type ContextId, type CostBase, type CostBucket, type CostComponent, type CostComponentCap, type CostComponentRule, type CostComponentRuleCondition, type CostOp, type Coupon, type CouponSummary, type CurrencyAmount, type Customer, type DataRecord, type EqualOperator, type EventBase, type EventFeature, type EventProfile, type EventStatus, type GeometryPoint, type Location, type LocationGeometry, type MultipartText, type Offering, type OfferingCosts, type OfferingOption, type OfferingOptionsGroup, type OfferingStatus, type OfferingType, type Order, type OrderContext, type OrderCosts, type OrderItem, type OrderItemCosts, type OrderItemOffering, type OrderStatus, type PackageInclude, type PaginatedRequest, type PaginatedResponse, type Pagination$1 as Pagination, type PaginationResponse, type Person, type PersonAddress, type PersonContact, type Photo, type PriceCategory, type ResolvedCartContext, type ResolvedCartContextOffering, type Schedule, type StaleMeta, type StartCartSessionInput, type StructuredCost, type StructuredDate, type Ticket, type TimeOrOffset, type UpdatableCartSession, type VCDataRecord, type Venue, type VenueBase, type VersionedDataRecord, createCohostClient };
package/dist/index.d.ts CHANGED
@@ -492,24 +492,401 @@ interface Ticket extends Omit<Offering, "hidden" | "constraints" | "type"> {
492
492
  refId?: string;
493
493
  }
494
494
  /**
495
- * Person interface
496
- */
495
+ * Represents a physical address with comprehensive localization support.
496
+ *
497
+ * @interface Address
498
+ * @example
499
+ * ```typescript
500
+ * // Basic US address
501
+ * const usAddress: Address = {
502
+ * address_1: "123 Main Street",
503
+ * address_2: "Apt 4B",
504
+ * city: "New York",
505
+ * country: "US",
506
+ * postal_code: "10001",
507
+ * region: "NY"
508
+ * };
509
+ *
510
+ * // US address with premise
511
+ * const businessAddress: Address = {
512
+ * address_1: "1600 Pennsylvania Avenue NW",
513
+ * city: "Washington",
514
+ * country: "US",
515
+ * premise: "West Wing",
516
+ * postal_code: "20500",
517
+ * region: "DC"
518
+ * };
519
+ *
520
+ * // US address with formatting
521
+ * const formattedAddress: Address = {
522
+ * address_1: "350 Fifth Avenue",
523
+ * city: "New York",
524
+ * country: "US",
525
+ * postal_code: "10118",
526
+ * region: "NY",
527
+ * formattedAddress: "350 Fifth Avenue, New York, NY 10118, US",
528
+ * localized_multi_line_address_display: [
529
+ * "350 Fifth Avenue",
530
+ * "New York, NY 10118"
531
+ * ]
532
+ * };
533
+ * ```
534
+ */
535
+ interface Address {
536
+ /**
537
+ * Primary street address line.
538
+ *
539
+ * @example "123 Main Street"
540
+ * @example "1600 Pennsylvania Avenue NW"
541
+ */
542
+ address_1: string;
543
+ /**
544
+ * Secondary address line for apartment, suite, or unit numbers.
545
+ *
546
+ * @example "Apt 4B"
547
+ * @example "Suite 100"
548
+ * @example "Unit 12"
549
+ */
550
+ address_2?: string;
551
+ /**
552
+ * City or locality name.
553
+ *
554
+ * @example "New York"
555
+ * @example "San Francisco"
556
+ * @example "Chicago"
557
+ */
558
+ city: string;
559
+ /**
560
+ * ISO 3166-1 alpha-2 country code.
561
+ *
562
+ * @example "US" // United States
563
+ */
564
+ country: string;
565
+ /**
566
+ * Building or premise identifier (building name, floor, etc.).
567
+ *
568
+ * @example "Building A"
569
+ * @example "3rd Floor"
570
+ * @example "West Wing"
571
+ */
572
+ premise?: string;
573
+ /**
574
+ * Complete formatted address as a single string.
575
+ * Useful for display purposes or geocoding services.
576
+ *
577
+ * @example "123 Main Street, Apt 4B, New York, NY 10001, US"
578
+ * @example "1600 Pennsylvania Avenue NW, Washington, DC 20500, US"
579
+ */
580
+ formattedAddress?: string;
581
+ /**
582
+ * Localized version of the complete address.
583
+ * For US addresses, typically the same as the standard format.
584
+ *
585
+ * @example "123 Main Street, New York, NY 10001"
586
+ */
587
+ localized_address_display?: string;
588
+ /**
589
+ * Localized area/region display combining city and state.
590
+ *
591
+ * @example "Brooklyn, NY"
592
+ * @example "Los Angeles, CA"
593
+ * @example "Miami, FL"
594
+ */
595
+ localized_area_display?: string;
596
+ /**
597
+ * Multi-line address display as an array of strings.
598
+ * Each element represents a line for proper address formatting on labels or forms.
599
+ *
600
+ * @example
601
+ * [
602
+ * "123 Main Street",
603
+ * "Apt 4B",
604
+ * "New York, NY 10001"
605
+ * ]
606
+ *
607
+ * @example
608
+ * [
609
+ * "350 Fifth Avenue",
610
+ * "New York, NY 10118"
611
+ * ]
612
+ */
613
+ localized_multi_line_address_display?: string[];
614
+ /**
615
+ * US ZIP code or ZIP+4 format.
616
+ *
617
+ * @example "10001" // Standard ZIP
618
+ * @example "10001-1234" // ZIP+4 format
619
+ * @example "90210" // Beverly Hills ZIP
620
+ */
621
+ postal_code: string;
622
+ /**
623
+ * US state or territory 2-letter abbreviation.
624
+ *
625
+ * @example "NY" // New York
626
+ * @example "CA" // California
627
+ * @example "TX" // Texas
628
+ * @example "DC" // District of Columbia
629
+ */
630
+ region: string;
631
+ }
632
+ /**
633
+ * Represents a person with basic identity information.
634
+ *
635
+ * @interface Person
636
+ * @example
637
+ * ```typescript
638
+ * const person: Person = {
639
+ * name: "John Michael Smith",
640
+ * displayName: "John Smith",
641
+ * first: "John",
642
+ * last: "Smith",
643
+ * gender: "male",
644
+ * birthdate: "1990-05-15",
645
+ * age: 33,
646
+ * photoURL: "https://example.com/photos/john-smith.jpg"
647
+ * };
648
+ * ```
649
+ */
497
650
  interface Person {
651
+ /**
652
+ * Full name of the person.
653
+ *
654
+ * @example "John Michael Smith"
655
+ * @example "Sarah Johnson"
656
+ */
498
657
  name: string;
658
+ /**
659
+ * URL to the person's profile photo or avatar.
660
+ * Can be null if no photo is available.
661
+ *
662
+ * @example "https://example.com/photos/john-smith.jpg"
663
+ * @example "https://cdn.example.com/avatars/user123.png"
664
+ * @example null
665
+ */
499
666
  photoURL?: string | null;
667
+ /**
668
+ * Preferred display name for the person.
669
+ * Often a shortened or preferred version of their full name.
670
+ *
671
+ * @example "John Smith"
672
+ * @example "Mike"
673
+ * @example "Dr. Johnson"
674
+ */
500
675
  displayName: string;
676
+ /**
677
+ * First name or given name.
678
+ *
679
+ * @example "John"
680
+ * @example "Sarah"
681
+ * @example "Michael"
682
+ */
501
683
  first: string;
684
+ /**
685
+ * Last name or family name.
686
+ *
687
+ * @example "Smith"
688
+ * @example "Johnson"
689
+ * @example "Williams"
690
+ */
502
691
  last: string;
692
+ /**
693
+ * Gender identity of the person.
694
+ * Can be null if not specified or prefer not to answer.
695
+ *
696
+ * @example "male"
697
+ * @example "female"
698
+ * @example "other"
699
+ * @example null
700
+ */
503
701
  gender: null | string | "male" | "female" | "other";
702
+ /**
703
+ * Date of birth in ISO 8601 format (YYYY-MM-DD).
704
+ * Can be null if not provided.
705
+ *
706
+ * @example "1990-05-15"
707
+ * @example "1985-12-25"
708
+ * @example null
709
+ */
504
710
  birthdate?: string | null;
711
+ /**
712
+ * Current age in years.
713
+ * Typically calculated from birthdate.
714
+ *
715
+ * @example 33
716
+ * @example 28
717
+ * @example 45
718
+ */
505
719
  age?: number;
506
720
  }
721
+ /**
722
+ * Contact information for a person.
723
+ *
724
+ * @interface PersonContact
725
+ * @example
726
+ * ```typescript
727
+ * const contact: PersonContact = {
728
+ * email: "john.smith@example.com",
729
+ * phone: "+1-555-123-4567"
730
+ * };
731
+ *
732
+ * // Minimal contact with only email
733
+ * const emailOnly: PersonContact = {
734
+ * email: "sarah@example.com",
735
+ * phone: null
736
+ * };
737
+ * ```
738
+ */
507
739
  interface PersonContact {
740
+ /**
741
+ * Primary email address.
742
+ * Can be null if no email is provided.
743
+ *
744
+ * @example "john.smith@example.com"
745
+ * @example "user123@gmail.com"
746
+ * @example null
747
+ */
508
748
  email: string | null;
749
+ /**
750
+ * Primary phone number.
751
+ * Can be null if no phone number is provided.
752
+ * Format may vary (with/without country code, formatting).
753
+ *
754
+ * @example "+1-555-123-4567"
755
+ * @example "(555) 123-4567"
756
+ * @example "5551234567"
757
+ * @example null
758
+ */
509
759
  phone: string | null;
510
760
  }
761
+ /**
762
+ * Address information with associated person's name.
763
+ * Extends the base Address interface with first and last name fields.
764
+ * Useful for shipping/billing addresses where the recipient name may differ from the customer.
765
+ *
766
+ * @interface PersonAddress
767
+ * @extends Address
768
+ * @example
769
+ * ```typescript
770
+ * const shippingAddress: PersonAddress = {
771
+ * first: "John",
772
+ * last: "Smith",
773
+ * address_1: "123 Main Street",
774
+ * address_2: "Apt 4B",
775
+ * city: "New York",
776
+ * country: "US",
777
+ * postal_code: "10001",
778
+ * region: "NY"
779
+ * };
780
+ *
781
+ * // Gift shipping to different recipient
782
+ * const giftAddress: PersonAddress = {
783
+ * first: "Jane",
784
+ * last: "Doe",
785
+ * address_1: "456 Oak Avenue",
786
+ * city: "Los Angeles",
787
+ * country: "US",
788
+ * postal_code: "90210",
789
+ * region: "CA"
790
+ * };
791
+ * ```
792
+ */
793
+ interface PersonAddress extends Address {
794
+ /**
795
+ * First name of the person at this address.
796
+ * May differ from the customer's name for gift deliveries.
797
+ *
798
+ * @example "John"
799
+ * @example "Jane"
800
+ */
801
+ first: string;
802
+ /**
803
+ * Last name of the person at this address.
804
+ * May differ from the customer's name for gift deliveries.
805
+ *
806
+ * @example "Smith"
807
+ * @example "Doe"
808
+ */
809
+ last: string;
810
+ }
811
+ /**
812
+ * Complete customer information combining personal details, contact info, and addresses.
813
+ * Represents a customer in an e-commerce or service system.
814
+ *
815
+ * @type Customer
816
+ * @example
817
+ * ```typescript
818
+ * const customer: Customer = {
819
+ * uid: "user_abc123",
820
+ * name: "John Michael Smith",
821
+ * displayName: "John Smith",
822
+ * first: "John",
823
+ * last: "Smith",
824
+ * gender: "male",
825
+ * birthdate: "1990-05-15",
826
+ * age: 33,
827
+ * email: "john.smith@example.com",
828
+ * phone: "+1-555-123-4567",
829
+ * billingAddress: {
830
+ * first: "John",
831
+ * last: "Smith",
832
+ * address_1: "123 Main Street",
833
+ * city: "New York",
834
+ * country: "US",
835
+ * postal_code: "10001",
836
+ * region: "NY"
837
+ * },
838
+ * shippingAddress: {
839
+ * first: "John",
840
+ * last: "Smith",
841
+ * address_1: "456 Work Plaza",
842
+ * address_2: "Suite 100",
843
+ * city: "New York",
844
+ * country: "US",
845
+ * postal_code: "10005",
846
+ * region: "NY"
847
+ * }
848
+ * };
849
+ *
850
+ * // Guest customer (no account)
851
+ * const guestCustomer: Customer = {
852
+ * uid: null,
853
+ * name: "Jane Doe",
854
+ * displayName: "Jane Doe",
855
+ * first: "Jane",
856
+ * last: "Doe",
857
+ * gender: null,
858
+ * email: "jane@example.com",
859
+ * phone: null
860
+ * };
861
+ * ```
862
+ */
511
863
  type Customer = Person & PersonContact & {
864
+ /**
865
+ * Unique identifier for the customer account.
866
+ * Can be null for guest customers who haven't created an account.
867
+ *
868
+ * @example "user_abc123"
869
+ * @example "cust_def456"
870
+ * @example null // Guest customer
871
+ */
512
872
  uid: string | null;
873
+ /**
874
+ * Billing address for payment and invoicing.
875
+ * Can be null if not yet provided.
876
+ *
877
+ * @example PersonAddress object with billing details
878
+ * @example null
879
+ */
880
+ billingAddress?: PersonAddress | null;
881
+ /**
882
+ * Shipping address for order delivery.
883
+ * Can be null for digital products or if not yet provided.
884
+ * May differ from billing address.
885
+ *
886
+ * @example PersonAddress object with shipping details
887
+ * @example null
888
+ */
889
+ shippingAddress?: PersonAddress | null;
513
890
  };
514
891
  type AttendeeStatus = "attending" | "checkedIn" | "cancelled" | "refunded" | "noShow" | "unknown" | string;
515
892
  interface Attendee extends DataRecord {
@@ -557,19 +934,6 @@ interface EventFeature {
557
934
  meta?: any;
558
935
  data: any;
559
936
  }
560
- interface Address {
561
- address_1: string;
562
- address_2?: string;
563
- city: string;
564
- country: string;
565
- premise?: string;
566
- formattedAddress?: string;
567
- localized_address_display?: string;
568
- localized_area_display?: string;
569
- localized_multi_line_address_display?: string[];
570
- postal_code: string;
571
- region: string;
572
- }
573
937
  /**
574
938
  * A simple point geometry consisting of latitude and longitude.
575
939
  *
@@ -1235,7 +1599,7 @@ type CartSessionItem = Pick<OrderItem, "id" | "details" | "offeringId" | "quanti
1235
1599
  *
1236
1600
  * @export
1237
1601
  */
1238
- interface CartSession extends DataRecord, Pick<Order, "currency" | "contextId" | "version" | "coupons" | "companyId" | "organizerId" | "meta"> {
1602
+ interface CartSession extends DataRecord, Pick<Order, "currency" | "contextId" | "version" | "coupons" | "companyId" | "organizerId"> {
1239
1603
  orderId?: string;
1240
1604
  /**
1241
1605
  * Authenticated user ID, if available.
@@ -1290,8 +1654,36 @@ interface CartSession extends DataRecord, Pick<Order, "currency" | "contextId" |
1290
1654
  * Customer answers
1291
1655
  */
1292
1656
  customerAnswers?: any;
1293
- status: "started" | "completed" | "abandoned" | "cancelled";
1657
+ status: "started" | "completed" | "stale" | "abandoned" | "cancelled";
1658
+ meta: CartSessionMeta;
1294
1659
  }
1660
+ type StaleMeta = {
1661
+ /**
1662
+ * Hard stale time in milliseconds.
1663
+ * After this time, the cart is considered abandoned.
1664
+ */
1665
+ hard: number;
1666
+ /**
1667
+ * Soft stale time in milliseconds.
1668
+ * After this time, the cart is considered abandoned.
1669
+ * This is the last change+idle, no later than hard time.
1670
+ */
1671
+ soft: number;
1672
+ /**
1673
+ * Idle time in milliseconds.s
1674
+ */
1675
+ idle: number;
1676
+ };
1677
+ type CartSessionMeta = Partial<Pick<Order, "meta">> & {
1678
+ paymentIntent?: any;
1679
+ /** policy for cart to become abandon */
1680
+ stale: StaleMeta;
1681
+ /**
1682
+ * Any additional internal system flags, A/B test conditions, or
1683
+ * non-critical partner payloads.
1684
+ */
1685
+ [key: string]: any;
1686
+ };
1295
1687
  type UpdatableCartSession = Pick<CartSession, "customer" | "items" | "customerAnswers" | "forwarded">;
1296
1688
 
1297
1689
  /**
@@ -1616,4 +2008,4 @@ declare class CohostClient {
1616
2008
  */
1617
2009
  declare function createCohostClient(options: CohostClientOptions): CohostClient;
1618
2010
 
1619
- export { type ActiveOfferingStatus, type Address, type ApiVersion, type Attendee, type AttendeeStatus, type BuzzBuilder, type CalculatedCostComponent, type CartSession, type CartSessionItem, type CartSessionItemOffering, CohostClient, type CohostClientSettings, type ContextId, type CostBase, type CostBucket, type CostComponent, type CostComponentCap, type CostComponentRule, type CostComponentRuleCondition, type CostOp, type Coupon, type CouponSummary, type CurrencyAmount, type Customer, type DataRecord, type EqualOperator, type EventBase, type EventFeature, type EventProfile, type EventStatus, type GeometryPoint, type Location, type LocationGeometry, type MultipartText, type Offering, type OfferingCosts, type OfferingOption, type OfferingOptionsGroup, type OfferingStatus, type OfferingType, type Order, type OrderContext, type OrderCosts, type OrderItem, type OrderItemCosts, type OrderItemOffering, type OrderStatus, type PackageInclude, type PaginatedRequest, type PaginatedResponse, type Pagination$1 as Pagination, type PaginationResponse, type Person, type PersonContact, type Photo, type PriceCategory, type ResolvedCartContext, type ResolvedCartContextOffering, type Schedule, type StartCartSessionInput, type StructuredCost, type StructuredDate, type Ticket, type TimeOrOffset, type UpdatableCartSession, type VCDataRecord, type Venue, type VenueBase, type VersionedDataRecord, createCohostClient };
2011
+ export { type ActiveOfferingStatus, type Address, type ApiVersion, type Attendee, type AttendeeStatus, type BuzzBuilder, type CalculatedCostComponent, type CartSession, type CartSessionItem, type CartSessionItemOffering, type CartSessionMeta, CohostClient, type CohostClientSettings, type ContextId, type CostBase, type CostBucket, type CostComponent, type CostComponentCap, type CostComponentRule, type CostComponentRuleCondition, type CostOp, type Coupon, type CouponSummary, type CurrencyAmount, type Customer, type DataRecord, type EqualOperator, type EventBase, type EventFeature, type EventProfile, type EventStatus, type GeometryPoint, type Location, type LocationGeometry, type MultipartText, type Offering, type OfferingCosts, type OfferingOption, type OfferingOptionsGroup, type OfferingStatus, type OfferingType, type Order, type OrderContext, type OrderCosts, type OrderItem, type OrderItemCosts, type OrderItemOffering, type OrderStatus, type PackageInclude, type PaginatedRequest, type PaginatedResponse, type Pagination$1 as Pagination, type PaginationResponse, type Person, type PersonAddress, type PersonContact, type Photo, type PriceCategory, type ResolvedCartContext, type ResolvedCartContextOffering, type Schedule, type StaleMeta, type StartCartSessionInput, type StructuredCost, type StructuredDate, type Ticket, type TimeOrOffset, type UpdatableCartSession, type VCDataRecord, type Venue, type VenueBase, type VersionedDataRecord, createCohostClient };
package/dist/index.js CHANGED
@@ -1,2 +1,2 @@
1
- "use strict";var m=Object.defineProperty;var w=Object.getOwnPropertyDescriptor;var U=Object.getOwnPropertyNames;var D=Object.prototype.hasOwnProperty;var z=(r,e,t)=>e in r?m(r,e,{enumerable:!0,configurable:!0,writable:!0,value:t}):r[e]=t;var B=(r,e)=>{for(var t in e)m(r,t,{get:e[t],enumerable:!0})},V=(r,e,t,n)=>{if(e&&typeof e=="object"||typeof e=="function")for(let s of U(e))!D.call(r,s)&&s!==t&&m(r,s,{get:()=>e[s],enumerable:!(n=w(e,s))||n.enumerable});return r};var L=r=>V(m({},"__esModule",{value:!0}),r);var o=(r,e,t)=>z(r,typeof e!="symbol"?e+"":e,t);var F={};B(F,{CohostClient:()=>l,createCohostClient:()=>M});module.exports=L(F);var d=class{constructor(e,t){o(this,"request");o(this,"settings");this.request=e,this.settings=t}};var p="https://api.cohost.com/v1";var f=class r extends Error{constructor(t,n){super(t);o(this,"errorCode");o(this,"statusCode");this.name="CohostError",this.errorCode=n?.errorCode,this.statusCode=n?.statusCode}static fromError(t,n){return new r(t.message,{...n,errorCode:n?.errorCode||t.name})}};var q={baseUrl:"https://api.cohost.vip",headers:{"Content-Type":"application/json"}},v={};var I=(r,e)=>{let{pagination:t,...n}=r;return{query:n,pagination:t,...e}},_=r=>{if(!r)return"";let e=new URLSearchParams;for(let[t,n]of Object.entries(r))n!==void 0&&(Array.isArray(n)?n.forEach(s=>e.append(t,String(s))):e.set(t,String(n)));return e.toString()?`?${e.toString()}`:""},R=({token:r,baseUrl:e=p,debug:t=!1})=>async function(n,s={}){let{method:i="GET",data:g,query:k,pagination:A,headers:T={}}=s,E={...k,...A},$=_(E),h=`${v.baseUrl??e}${n}${$}`,b={...q.headers,...v.headers,...T};r&&(b.Authorization=`Bearer ${r}`);let O=g&&i!=="GET"?JSON.stringify(g):void 0;if(t){console.log(`[Cohost SDK] Request: ${i} ${h}`),O&&console.log("[Cohost SDK] Body:",O);let c={};for(let[S,P]of Object.entries(b))S.toLowerCase()==="authorization"?c[S]="Bearer <token>"+(P?` (${P.split(" ")[1].slice(0,4)}...)`:""):c[S]=P;console.log("[Cohost SDK] Headers:",c)}let u=await fetch(h,{method:i,headers:b,body:O}),a=u.headers.get("content-type")?.includes("application/json")?await u.json():await u.text();if(!u.ok){let c=typeof a=="string"?a:JSON.stringify(a);throw console.error(`[Cohost SDK] Error(${u.status}): ${c}`,{url:h}),new f(c||u.statusText,{errorCode:u.statusText||"API_ERROR",statusCode:u.status})}return typeof a=="object"&&a!==null&&a.status==="ok"&&"data"in a?a.data:a};var y=class extends d{async list(){return this.request("/events")}async fetch(e){return this.request(`/events/${e}`)}async tickets(e){return this.request(`/events/${e}/tickets`)}async attendees(e,t){return this.request(`/events/${e}/attendees`,I(t))}};var C=class extends d{async fetch(e,t){return this.request(`/orders/${e}?uid=${t}`)}async attendees(e,t){return this.request(`/orders/${e}/attendees?uid=${t}`)}async list(e){let t=new URLSearchParams(e).toString();return this.request(`/orders${t?`?${t}`:""}`)}};var x=class extends d{async start(e){return this.request("/cart/sessions",{method:"POST",data:e})}async get(e){return this.request(`/cart/sessions/${e}`)}async update(e,t){return this.request(`/cart/sessions/${e}`,{method:"PATCH",data:t})}async cancel(e){return this.request(`/cart/sessions/${e}`,{method:"DELETE"})}async updateItem(e,t){return this.request(`/cart/sessions/${e}/item`,{method:"POST",data:t})}async preValidate(e,t){return this.request(`/cart/sessions/${e}/payment/pre-validate`,{method:"POST",data:t})}async processPayment(e,t){return this.request(`/cart/sessions/${e}/payment/process`,{method:"POST",data:t})}async placeOrder(e,t){return this.request(`/cart/sessions/${e}/place-order`,{method:"POST",data:t})}async deleteItem(e,t){return this.updateItem(e,{itemId:t,quantity:0})}async joinTableCommitment(e,t){return this.request(`/cart/sessions/${e}/join-table`,{method:"POST",data:{tableCommitmentId:t}})}async applyCoupon(e,t){return this.request(`/cart/sessions/${e}/coupons`,{method:"POST",data:{code:t}})}async deleteCoupon(e,t){return this.request(`/cart/sessions/${e}/coupons/${t}`,{method:"DELETE"})}};var l=class r{constructor(e,t){o(this,"events");o(this,"orders");o(this,"cart");o(this,"baseOptions");this.baseOptions=e;let{token:n,settings:s={}}=e,i=t??R({token:n,baseUrl:s.apiUrl||p,debug:s.debug});this.events=new y(i,s),this.orders=new C(i,s),this.cart=new x(i,s)}requestWithOverrides(e){let{token:t,settings:n={}}=this.baseOptions,s=(i,g={})=>R({token:e.token??t,baseUrl:e.baseUrl??n.apiUrl??p,debug:n.debug})(i,{...g,headers:{...e.headers||{},...g.headers||{}}});return new r({token:e.token??t,settings:{...n,apiUrl:e.baseUrl??n.apiUrl}},s)}};function M(r){return new l(r)}0&&(module.exports={CohostClient,createCohostClient});
1
+ "use strict";var m=Object.defineProperty;var U=Object.getOwnPropertyDescriptor;var D=Object.getOwnPropertyNames;var z=Object.prototype.hasOwnProperty;var B=(r,e,t)=>e in r?m(r,e,{enumerable:!0,configurable:!0,writable:!0,value:t}):r[e]=t;var V=(r,e)=>{for(var t in e)m(r,t,{get:e[t],enumerable:!0})},L=(r,e,t,n)=>{if(e&&typeof e=="object"||typeof e=="function")for(let s of D(e))!z.call(r,s)&&s!==t&&m(r,s,{get:()=>e[s],enumerable:!(n=U(e,s))||n.enumerable});return r};var M=r=>L(m({},"__esModule",{value:!0}),r);var o=(r,e,t)=>B(r,typeof e!="symbol"?e+"":e,t);var G={};V(G,{CohostClient:()=>l,createCohostClient:()=>F});module.exports=M(G);var u=class{constructor(e,t){o(this,"request");o(this,"settings");this.request=e,this.settings=t}};var p="https://api.cohost.com/v1";var f=class r extends Error{constructor(t,n){super(t);o(this,"errorCode");o(this,"statusCode");this.name="CohostError",this.errorCode=n?.errorCode,this.statusCode=n?.statusCode}static fromError(t,n){return new r(t.message,{...n,errorCode:n?.errorCode||t.name})}};var q={baseUrl:"https://api.cohost.vip",headers:{"Content-Type":"application/json"}},v={};var A=(r,e)=>{let{pagination:t,...n}=r;return{query:n,pagination:t,...e}},_=r=>{if(!r)return"";let e=new URLSearchParams;for(let[t,n]of Object.entries(r))n!==void 0&&(Array.isArray(n)?n.forEach(s=>e.append(t,String(s))):e.set(t,String(n)));return e.toString()?`?${e.toString()}`:""},R=({token:r,baseUrl:e=p,debug:t=!1})=>async function(n,s={}){let{method:i="GET",data:g,query:k,pagination:T,headers:E={}}=s,$={...k,...T},w=_($),h=`${v.baseUrl??e}${n}${w}`,b={...q.headers,...v.headers,...E};r&&(b.Authorization=`Bearer ${r}`);let O=g&&i!=="GET"?JSON.stringify(g):void 0;if(t){console.log(`[Cohost SDK] Request: ${i} ${h}`),O&&console.log("[Cohost SDK] Body:",O);let c={};for(let[S,I]of Object.entries(b))if(S.toLowerCase()==="authorization"){let P=I?.split(" ")[1];c[S]="Bearer <token-"+(P?`${P[0]}...${P.slice(-4)}>`:"")}else c[S]=I;console.log("[Cohost SDK] Headers:",c)}let d=await fetch(h,{method:i,headers:b,body:O}),a=d.headers.get("content-type")?.includes("application/json")?await d.json():await d.text();if(!d.ok){let c=typeof a=="string"?a:JSON.stringify(a);throw console.error(`[Cohost SDK] Error(${d.status}): ${c}`,{url:h}),new f(c||d.statusText,{errorCode:d.statusText||"API_ERROR",statusCode:d.status})}return typeof a=="object"&&a!==null&&a.status==="ok"&&"data"in a?a.data:a};var y=class extends u{async list(){return this.request("/events")}async fetch(e){return this.request(`/events/${e}`)}async tickets(e){return this.request(`/events/${e}/tickets`)}async attendees(e,t){return this.request(`/events/${e}/attendees`,A(t))}};var C=class extends u{async fetch(e,t){return this.request(`/orders/${e}?uid=${t}`)}async attendees(e,t){return this.request(`/orders/${e}/attendees?uid=${t}`)}async list(e){let t=new URLSearchParams(e).toString();return this.request(`/orders${t?`?${t}`:""}`)}};var x=class extends u{async start(e){return this.request("/cart/sessions",{method:"POST",data:e})}async get(e){return this.request(`/cart/sessions/${e}`)}async update(e,t){return this.request(`/cart/sessions/${e}`,{method:"PATCH",data:t})}async cancel(e){return this.request(`/cart/sessions/${e}`,{method:"DELETE"})}async updateItem(e,t){return this.request(`/cart/sessions/${e}/item`,{method:"POST",data:t})}async preValidate(e,t){return this.request(`/cart/sessions/${e}/payment/pre-validate`,{method:"POST",data:t})}async processPayment(e,t){return this.request(`/cart/sessions/${e}/payment/process`,{method:"POST",data:t})}async placeOrder(e,t){return this.request(`/cart/sessions/${e}/place-order`,{method:"POST",data:t})}async deleteItem(e,t){return this.updateItem(e,{itemId:t,quantity:0})}async joinTableCommitment(e,t){return this.request(`/cart/sessions/${e}/join-table`,{method:"POST",data:{tableCommitmentId:t}})}async applyCoupon(e,t){return this.request(`/cart/sessions/${e}/coupons`,{method:"POST",data:{code:t}})}async deleteCoupon(e,t){return this.request(`/cart/sessions/${e}/coupons/${t}`,{method:"DELETE"})}};var l=class r{constructor(e,t){o(this,"events");o(this,"orders");o(this,"cart");o(this,"baseOptions");this.baseOptions=e;let{token:n,settings:s={}}=e,i=t??R({token:n,baseUrl:s.apiUrl||p,debug:s.debug});this.events=new y(i,s),this.orders=new C(i,s),this.cart=new x(i,s)}requestWithOverrides(e){let{token:t,settings:n={}}=this.baseOptions,s=(i,g={})=>R({token:e.token??t,baseUrl:e.baseUrl??n.apiUrl??p,debug:n.debug})(i,{...g,headers:{...e.headers||{},...g.headers||{}}});return new r({token:e.token??t,settings:{...n,apiUrl:e.baseUrl??n.apiUrl}},s)}};function F(r){return new l(r)}0&&(module.exports={CohostClient,createCohostClient});
2
2
  //# sourceMappingURL=index.js.map
package/dist/index.js.map CHANGED
@@ -1 +1 @@
1
- {"version":3,"sources":["../src/index.ts","../src/endpoint.ts","../src/apiVersion.ts","../src/error/CohostError.ts","../src/settings.ts","../src/http/request.ts","../src/api/events.ts","../src/api/orders.ts","../src/api/sessions.ts","../src/client.ts"],"sourcesContent":["import { CohostClient, CohostClientOptions } from './client';\nexport { type CohostClientSettings } from './settings';\n\n/**\n * Factory method for creating a CohostClient instance.\n * \n * Example:\n * ```ts\n * const client = createCohostClient({ token: 'your-token' });\n * ```\n */\nexport function createCohostClient(options: CohostClientOptions): CohostClient {\n return new CohostClient(options);\n}\n\n\nexport { CohostClient }\n\nexport * from '../types';","import { RequestFn } from \"./http/request\";\nimport { CohostClientSettings } from \"./settings\";\n\n/**\n * Base class for all API endpoint groups within the Cohost SDK.\n * Provides shared access to the configured request function and settings.\n */\nexport class CohostEndpoint {\n /** Shared request function injected from the client */\n protected request: RequestFn;\n\n /** Client settings passed during instantiation */\n protected settings: CohostClientSettings;\n\n /**\n * Constructs a new endpoint group.\n *\n * @param request - The shared request function for performing API calls\n * @param settings - The client-wide settings passed from the parent client\n */\n constructor(request: RequestFn, settings: CohostClientSettings) {\n this.request = request;\n this.settings = settings;\n }\n}\n","export const apiVersion = '0.1.0';\nexport const apiVersionDate = '2025-04-15';\nexport const apiBaseUrl = 'https://api.cohost.com/v1'","\nexport interface CohostErrorProps {\n /**\n * Optional error code.\n * @default undefined\n */\n errorCode?: string;\n\n /**\n * Optional status code.\n * @default undefined\n */\n statusCode?: number;\n};\n\nexport class CohostError extends Error {\n errorCode: string | undefined;\n statusCode: number | undefined;\n\n /**\n * Custom error class for Cohost SDK errors.\n * @param message - The error message.\n */\n constructor(message: string, props?: CohostErrorProps) {\n // Call the parent constructor with the message\n super(message);\n\n // Set the name of the error to \"CohostError\"\n this.name = \"CohostError\";\n\n // Set the error code if provided\n this.errorCode = props?.errorCode;\n // Set the status code if provided\n this.statusCode = props?.statusCode;\n }\n\n static fromError(err: Error, props?: CohostErrorProps): CohostError {\n // Create a new CohostError instance from an existing error\n return new CohostError(err.message, {\n ...props,\n errorCode: props?.errorCode || err.name,\n });\n }\n\n}\n\n\n\n\n","/**\n * Optional settings for customizing the behavior of the CohostClient.\n */\nexport interface CohostClientSettings {\n /** Enable verbose debug output for all API requests. */\n debug?: boolean;\n\n /** Override the default API base URL (defaults to apiBaseUrl). */\n apiUrl?: string;\n}\n\n// settings.ts\nexport const defaultSettings = {\n baseUrl: 'https://api.cohost.vip',\n headers: {\n 'Content-Type': 'application/json',\n },\n};\n\n// In dev or testing, you can override this in the browser or Node\nexport let runtimeOverrides: {\n baseUrl?: string;\n headers?: Record<string, string>;\n} = {};\n\nexport function setSdkOverrides(overrides: typeof runtimeOverrides) {\n runtimeOverrides = overrides;\n}\n\n","import { PaginatedRequest } from \"../../types\";\nimport { apiBaseUrl } from \"../apiVersion\";\nimport { CohostError } from \"../error/CohostError\";\nimport { defaultSettings, runtimeOverrides } from \"../settings\";\nimport { Pagination } from \"../types/pagination\";\n\n/**\n * Options for configuring the request handler.\n */\ninterface RequestProps {\n /** API token for authentication (Bearer token). */\n token: string | null;\n\n /** Base URL of the API (defaults to versioned `apiBaseUrl`). */\n baseUrl?: string;\n\n /** Enable debug logging of requests/responses. */\n debug?: boolean;\n}\n\n/**\n * Supported HTTP methods.\n */\ntype RequestMethod = \"GET\" | \"POST\" | \"PUT\" | \"DELETE\" | \"PATCH\";\n\ntype RequestOptions = {\n method?: RequestMethod;\n data?: any;\n query?: Record<string, string | number | boolean | string[] | undefined>;\n headers?: Record<string, string>;\n pagination?: Pagination;\n};\n\nexport const paginatedOptions = (req: PaginatedRequest<any>, options?: Partial<RequestOptions>): RequestOptions => {\n const { pagination, ...rest } = req;\n return {\n query: rest,\n pagination,\n ...options,\n };\n};\n\n/**\n * Builds a query string from a flat object, supporting array values via repeated keys.\n */\nconst buildQueryString = (\n input?: Record<string, string | number | boolean | string[] | undefined>\n): string => {\n if (!input) return \"\";\n\n const params = new URLSearchParams();\n for (const [key, value] of Object.entries(input)) {\n if (value === undefined) continue;\n if (Array.isArray(value)) {\n value.forEach((v) => params.append(key, String(v)));\n } else {\n params.set(key, String(value));\n }\n }\n return params.toString() ? `?${params.toString()}` : \"\";\n};\n\n/**\n * A function that performs a request to the Cohost API.\n * The generic <T> allows you to specify the expected response type.\n */\ntype RequestFn = <T = any>(\n path: string,\n options?: RequestOptions\n) => Promise<T>;\n\n/**\n * Creates a request function configured with authentication and client defaults.\n * The returned function supports generic return typing via <T>.\n */\nconst request = ({ token, baseUrl = apiBaseUrl, debug = false }: RequestProps): RequestFn => {\n return async function <T = any>(\n path: string,\n options: RequestOptions = {}\n ): Promise<T> {\n const { method = \"GET\", data, query, pagination, headers = {} } = options;\n\n const _query = {\n ...query,\n ...pagination,\n };\n\n const queryString = buildQueryString(_query);\n const finalBaseUrl = runtimeOverrides.baseUrl ?? baseUrl;\n const url = `${finalBaseUrl}${path}${queryString}`;\n\n const reqHeaders: Record<string, string> = {\n ...defaultSettings.headers,\n ...runtimeOverrides.headers,\n ...headers,\n };\n\n if (token) {\n reqHeaders[\"Authorization\"] = `Bearer ${token}`;\n }\n\n const body = data && method !== \"GET\" ? JSON.stringify(data) : undefined;\n\n if (debug) {\n console.log(`[Cohost SDK] Request: ${method} ${url}`);\n if (body) console.log(`[Cohost SDK] Body:`, body);\n\n const cleanHeaders: Record<string, string> = {};\n for (const [key, value] of Object.entries(reqHeaders)) {\n if (key.toLowerCase() === \"authorization\") {\n cleanHeaders[key] = \"Bearer <token>\" + (value ? ` (${value.split(\" \")[1].slice(0, 4)}...)` : \"\");\n } else {\n cleanHeaders[key] = value;\n }\n }\n\n console.log(`[Cohost SDK] Headers:`, cleanHeaders);\n }\n\n const res = await fetch(url, {\n method,\n headers: reqHeaders,\n body,\n });\n\n const isJson = res.headers.get(\"content-type\")?.includes(\"application/json\");\n const responseBody = isJson ? await res.json() : await res.text();\n\n if (!res.ok) {\n const message = typeof responseBody === \"string\" ? responseBody : JSON.stringify(responseBody);\n console.error(`[Cohost SDK] Error(${res.status}): ${message}`, { url });\n throw new CohostError(message || res.statusText, {\n errorCode: res.statusText || \"API_ERROR\",\n statusCode: res.status,\n });\n }\n\n if (\n typeof responseBody === \"object\" &&\n responseBody !== null &&\n (responseBody as any).status === \"ok\" &&\n \"data\" in responseBody\n ) {\n return (responseBody as { data: T }).data;\n }\n\n return responseBody as T;\n };\n};\n\nexport { type RequestProps, type RequestFn };\nexport { request };\n","// src/api/EventsAPI.ts\n\nimport { CohostEndpoint } from '../endpoint';\nimport { Attendee, EventProfile, PaginatedRequest, PaginatedResponse, Ticket } from '../../types/index';\nimport { paginatedOptions } from '../http/request';\n\n/**\n * Provides methods to interact with the Cohost Events API.\n * \n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const list = await client.events.list();\n * const event = await client.events.fetch('event-id');\n * const tickets = await client.events.tickets('event-id');\n * ```\n */\nexport class EventsAPI extends CohostEndpoint {\n\n /**\n * Fetch a list of all events.\n * \n * @returns A Promise resolving to an array of event objects\n * @throws Will throw an error if the request fails\n * \n * @todo Implement pagination and filtering options\n */\n async list() {\n return this.request<EventProfile[]>('/events');\n }\n\n\n /**\n * Fetch a single event by ID.\n * \n * @param id - The unique identifier of the event\n * @returns A Promise resolving to the event object\n * @throws Will throw an error if the request fails or the event is not found\n */\n async fetch(id: string) {\n return this.request<EventProfile>(`/events/${id}`);\n }\n\n\n\n /**\n * List all tickets associated with a specific event.\n * \n * @param id - The unique identifier of the event\n * @returns A Promise resolving to an array of ticket objects\n * @throws Will throw an error if the request fails or the event does not exist\n */\n async tickets(id: string) {\n return this.request<Ticket[]>(`/events/${id}/tickets`);\n }\n\n /**\n * List attendees in the event.\n *\n * Requires: valid authentication token. This endpoint is not public.\n * \n * @param id - The ID of the event.\n * @returns List of tickets (attendees) for the event.\n */\n async attendees(id: string, filters?: PaginatedRequest<any>) {\n return this.request<PaginatedResponse<Attendee>>(`/events/${id}/attendees`, paginatedOptions(filters));\n }\n\n \n\n}\n","import { CohostEndpoint } from '../endpoint';\n\n/**\n * Provides methods to interact with the Cohost Orders API.\n * \n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const order = await client.orders.fetch('order-id', 'user-id');\n * const list = await client.orders.list({ status: 'completed' });\n * ```\n */\nexport class OrdersAPI extends CohostEndpoint {\n\n /**\n * Fetch a single order by ID.\n * \n * @param id - The unique identifier of the order\n * @param uid - The unique user ID associated with the order (currently unused but reserved for future auth context)\n * @returns A Promise resolving to the order object\n * @throws Will throw an error if the request fails or the order is not found\n */\n async fetch(id: string, uid: string) {\n // uid is reserved for future scoped access/auth features\n return this.request(`/orders/${id}?uid=${uid}`);\n }\n\n /**\n * Fetch a single order by ID.\n * \n * @param id - The unique identifier of the order\n * @param uid - The unique user ID associated with the order (currently unused but reserved for future auth context)\n * @returns A Promise resolving to the order object\n * @throws Will throw an error if the request fails or the order is not found\n */\n async attendees(id: string, uid: string) {\n // uid is reserved for future scoped access/auth features\n return this.request(`/orders/${id}/attendees?uid=${uid}`);\n }\n\n /**\n * List orders with optional filters.\n * \n * @param filters - Optional filters to apply when retrieving orders\n * @returns A Promise resolving to an array of order summaries\n * @throws Will throw an error if the request fails\n */\n async list(filters?: {\n status?: string;\n startDate?: string;\n endDate?: string;\n page?: number;\n pageSize?: number;\n }) {\n const query = new URLSearchParams(filters as Record<string, string>).toString();\n return this.request(`/orders${query ? `?${query}` : ''}`);\n }\n}\n","import { CartSession, StartCartSessionInput, UpdatableCartSession } from '../../types';\nimport { CohostEndpoint } from '../endpoint';\n\n/**\n * Provides methods to interact with cart sessions in the Cohost API.\n *\n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const session = await client.sessions.start({ contextId: 'evt_abc123' });\n * ```\n */\nexport class SessionsAPI extends CohostEndpoint {\n\n /**\n * Start a new cart session.\n *\n * @param input - Data to start the session\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the request fails\n */\n async start(input: StartCartSessionInput) {\n return this.request<CartSession>('/cart/sessions', {\n method: 'POST',\n data: input,\n });\n }\n\n /**\n * Get a cart session by its ID.\n *\n * @param id - The unique session ID\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the session is not found or request fails\n */\n async get(id: string) {\n return this.request<CartSession>(`/cart/sessions/${id}`);\n }\n\n /**\n * Update a cart session.\n *\n * @param id - The ID of the session to update\n * @param input - Data to update the session\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the update fails\n */\n async update(id: string, input: Partial<UpdatableCartSession>) {\n return this.request<CartSession>(`/cart/sessions/${id}`, {\n method: 'PATCH',\n data: input,\n });\n }\n\n /**\n * Cancel (soft delete) a cart session.\n *\n * @param id - The ID of the session to cancel\n * @returns Nothing if successful\n * \n * @throws Will throw an error if the cancel operation fails\n */\n async cancel(id: string) {\n return this.request<void>(`/cart/sessions/${id}`, {\n method: 'DELETE',\n });\n }\n\n /**\n * Update an item in the cart session.\n *\n * @param sessionId - The ID of the session\n * @param props - Properties to update\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the update fails\n */\n async updateItem(sessionId: string, props: {\n itemId: string;\n quantity: number;\n options?: {\n [key: string]: any;\n };\n }) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/item`, {\n method: 'POST',\n data: props,\n });\n }\n\n /**\n * Pre-validate the cart session for payment and checkout.\n *\n * @param sessionId - The ID of the cart session\n * @param data - Data required for validation\n * @returns {CartSession} The validated cart session\n * \n * @throws Will throw an error if validation fails\n */\n async preValidate(sessionId: string, data: any) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/payment/pre-validate`, {\n method: 'POST',\n data: data,\n });\n }\n\n\n\n /**\n * Prepare the cart session for payment.\n *\n * @param sessionId - The ID of the cart session\n * @param data - Data required for payment preparation\n * @returns {CartSession} The prepared cart session\n * \n * @throws Will throw an error if preparation fails\n */\n async processPayment(sessionId: string, data: unknown) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/payment/process`, {\n method: 'POST',\n data: data,\n });\n }\n\n /**\n * Close the cart session, and place the order.\n * \n * @param sessionId - The ID of the session\n * @param data - Data to place the order\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the order placement fails\n */\n async placeOrder(sessionId: string, data: any) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/place-order`, {\n method: 'POST',\n data: data,\n });\n }\n\n /**\n * Remove an item from the cart session.\n * The same as setting the quantity to 0.\n * \n * @param sessionId - The ID of the cart session\n * @param itemId - The ID of the item to remove\n * @returns {CartSession} The latest cart session\n */\n async deleteItem(sessionId: string, itemId: string) {\n return this.updateItem(sessionId, {\n itemId,\n quantity: 0,\n });\n }\n\n\n\n\n\n /**\n * Join a table commitment within an active cart session.\n *\n * @param id - The ID of the cart session\n * @param tableCommitmentId - The table commitment ID to join\n * @returns {CartSession} Updated cart session with joined table\n * \n * @throws Will throw an error if the join operation fails\n */\n async joinTableCommitment(id: string, tableCommitmentId: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/join-table`, {\n method: 'POST',\n data: {\n tableCommitmentId,\n }\n });\n }\n\n\n /**\n * Apply a coupon code to the cart session.\n *\n * @param id - The ID of the cart session\n * @param code - The coupon code to apply\n * @returns {CartSession} Updated cart session with applied coupon\n * \n * @throws Will throw an error if the coupon application fails\n */\n async applyCoupon(id: string, code: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/coupons`, {\n method: 'POST',\n data: {\n code\n }\n });\n }\n\n /**\n * Find viable table options for a cart session.\n *\n * @param id - The ID of the cart session\n * @param props - Properties to find viable tables\n * @returns {ViableTableOption[]} List of viable table options\n * \n * @throws Will throw an error if the request fails\n */\n async deleteCoupon(id: string, couponId: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/coupons/${couponId}`, {\n method: 'DELETE'\n });\n }\n}\n","import { EventsAPI } from './api/events';\nimport { OrdersAPI } from './api/orders';\nimport { SessionsAPI } from './api/sessions';\nimport { apiBaseUrl } from './apiVersion';\nimport { request, RequestFn } from './http/request';\nimport { CohostClientSettings } from './settings';\n\n/**\n * Configuration options for instantiating a CohostClient.\n */\nexport interface CohostClientOptions {\n /** API token used for authenticated requests. */\n token: string;\n\n /** Optional client settings such as debug mode or custom API URL. */\n settings?: CohostClientSettings;\n}\n\n/**\n * CohostClient provides grouped access to various API modules such as Events and Orders.\n */\nexport class CohostClient {\n public readonly events: EventsAPI;\n public readonly orders: OrdersAPI;\n public readonly cart: SessionsAPI;\n\n private readonly baseOptions: CohostClientOptions;\n\n constructor(options: CohostClientOptions, customRequestFn?: RequestFn) {\n this.baseOptions = options;\n\n const { token, settings = {} } = options;\n\n const sharedRequest = customRequestFn ?? request({\n token,\n baseUrl: settings.apiUrl || apiBaseUrl,\n debug: settings.debug,\n });\n\n this.events = new EventsAPI(sharedRequest, settings);\n this.orders = new OrdersAPI(sharedRequest, settings);\n this.cart = new SessionsAPI(sharedRequest, settings);\n }\n\n /**\n * Returns a new CohostClient instance with overridden request behavior\n */\n public requestWithOverrides(overrides: {\n token?: string;\n baseUrl?: string;\n headers?: Record<string, string>;\n }): CohostClient {\n const { token, settings = {} } = this.baseOptions;\n\n const overriddenRequest: RequestFn = (path, options = {}) =>\n request({\n token: overrides.token ?? token,\n baseUrl: overrides.baseUrl ?? settings.apiUrl ?? apiBaseUrl,\n debug: settings.debug,\n })(path, {\n ...options,\n headers: {\n ...(overrides.headers || {}),\n ...(options.headers || {}),\n },\n });\n\n return new CohostClient(\n {\n token: overrides.token ?? token,\n settings: {\n ...settings,\n apiUrl: overrides.baseUrl ?? settings.apiUrl,\n },\n },\n overriddenRequest\n );\n }\n}\n"],"mappings":"ijBAAA,IAAAA,EAAA,GAAAC,EAAAD,EAAA,kBAAAE,EAAA,uBAAAC,IAAA,eAAAC,EAAAJ,GCOO,IAAMK,EAAN,KAAqB,CAa1B,YAAYC,EAAoBC,EAAgC,CAXhEC,EAAA,KAAU,WAGVA,EAAA,KAAU,YASR,KAAK,QAAUF,EACf,KAAK,SAAWC,CAClB,CACF,ECtBO,IAAME,EAAa,4BCanB,IAAMC,EAAN,MAAMC,UAAoB,KAAM,CAQnC,YAAYC,EAAiBC,EAA0B,CAEnD,MAAMD,CAAO,EATjBE,EAAA,kBACAA,EAAA,mBAWI,KAAK,KAAO,cAGZ,KAAK,UAAYD,GAAO,UAExB,KAAK,WAAaA,GAAO,UAC7B,CAEA,OAAO,UAAUE,EAAYF,EAAuC,CAEhE,OAAO,IAAIF,EAAYI,EAAI,QAAS,CAChC,GAAGF,EACH,UAAWA,GAAO,WAAaE,EAAI,IACvC,CAAC,CACL,CAEJ,EChCO,IAAMC,EAAkB,CAC3B,QAAS,yBACT,QAAS,CACL,eAAgB,kBACpB,CACJ,EAGWC,EAGP,CAAC,ECUE,IAAMC,EAAmB,CAACC,EAA4BC,IAAsD,CACjH,GAAM,CAAE,WAAAC,EAAY,GAAGC,CAAK,EAAIH,EAChC,MAAO,CACL,MAAOG,EACP,WAAAD,EACA,GAAGD,CACL,CACF,EAKMG,EACJC,GACW,CACX,GAAI,CAACA,EAAO,MAAO,GAEnB,IAAMC,EAAS,IAAI,gBACnB,OAAW,CAACC,EAAKC,CAAK,IAAK,OAAO,QAAQH,CAAK,EACzCG,IAAU,SACV,MAAM,QAAQA,CAAK,EACrBA,EAAM,QAASC,GAAMH,EAAO,OAAOC,EAAK,OAAOE,CAAC,CAAC,CAAC,EAElDH,EAAO,IAAIC,EAAK,OAAOC,CAAK,CAAC,GAGjC,OAAOF,EAAO,SAAS,EAAI,IAAIA,EAAO,SAAS,CAAC,GAAK,EACvD,EAeMI,EAAU,CAAC,CAAE,MAAAC,EAAO,QAAAC,EAAUC,EAAY,MAAAC,EAAQ,EAAM,IACrD,eACLC,EACAd,EAA0B,CAAC,EACf,CACZ,GAAM,CAAE,OAAAe,EAAS,MAAO,KAAAC,EAAM,MAAAC,EAAO,WAAAhB,EAAY,QAAAiB,EAAU,CAAC,CAAE,EAAIlB,EAE5DmB,EAAS,CACb,GAAGF,EACH,GAAGhB,CACL,EAEMmB,EAAcjB,EAAiBgB,CAAM,EAErCE,EAAM,GADSC,EAAiB,SAAWX,CACtB,GAAGG,CAAI,GAAGM,CAAW,GAE1CG,EAAqC,CACzC,GAAGC,EAAgB,QACnB,GAAGF,EAAiB,QACpB,GAAGJ,CACL,EAEIR,IACFa,EAAW,cAAmB,UAAUb,CAAK,IAG/C,IAAMe,EAAOT,GAAQD,IAAW,MAAQ,KAAK,UAAUC,CAAI,EAAI,OAE/D,GAAIH,EAAO,CACT,QAAQ,IAAI,yBAAyBE,CAAM,IAAIM,CAAG,EAAE,EAChDI,GAAM,QAAQ,IAAI,qBAAsBA,CAAI,EAEhD,IAAMC,EAAuC,CAAC,EAC9C,OAAW,CAACpB,EAAKC,CAAK,IAAK,OAAO,QAAQgB,CAAU,EAC9CjB,EAAI,YAAY,IAAM,gBACxBoB,EAAapB,CAAG,EAAI,kBAAoBC,EAAQ,KAAKA,EAAM,MAAM,GAAG,EAAE,CAAC,EAAE,MAAM,EAAG,CAAC,CAAC,OAAS,IAE7FmB,EAAapB,CAAG,EAAIC,EAIxB,QAAQ,IAAI,wBAAyBmB,CAAY,CACnD,CAEA,IAAMC,EAAM,MAAM,MAAMN,EAAK,CAC3B,OAAAN,EACA,QAASQ,EACT,KAAAE,CACF,CAAC,EAGKG,EADSD,EAAI,QAAQ,IAAI,cAAc,GAAG,SAAS,kBAAkB,EAC7C,MAAMA,EAAI,KAAK,EAAI,MAAMA,EAAI,KAAK,EAEhE,GAAI,CAACA,EAAI,GAAI,CACX,IAAME,EAAU,OAAOD,GAAiB,SAAWA,EAAe,KAAK,UAAUA,CAAY,EAC7F,cAAQ,MAAM,sBAAsBD,EAAI,MAAM,MAAME,CAAO,GAAI,CAAE,IAAAR,CAAI,CAAC,EAChE,IAAIS,EAAYD,GAAWF,EAAI,WAAY,CAC/C,UAAWA,EAAI,YAAc,YAC7B,WAAYA,EAAI,MAClB,CAAC,CACH,CAEA,OACE,OAAOC,GAAiB,UACxBA,IAAiB,MAChBA,EAAqB,SAAW,MACjC,SAAUA,EAEFA,EAA6B,KAGhCA,CACT,EClIK,IAAMG,EAAN,cAAwBC,CAAe,CAU5C,MAAM,MAAO,CACX,OAAO,KAAK,QAAwB,SAAS,CAC/C,CAUA,MAAM,MAAMC,EAAY,CACtB,OAAO,KAAK,QAAsB,WAAWA,CAAE,EAAE,CACnD,CAWA,MAAM,QAAQA,EAAY,CACxB,OAAO,KAAK,QAAkB,WAAWA,CAAE,UAAU,CACvD,CAUA,MAAM,UAAUA,EAAYC,EAAiC,CAC3D,OAAO,KAAK,QAAqC,WAAWD,CAAE,aAAcE,EAAiBD,CAAO,CAAC,CACvG,CAIF,EC1DO,IAAME,EAAN,cAAwBC,CAAe,CAU5C,MAAM,MAAMC,EAAYC,EAAa,CAEnC,OAAO,KAAK,QAAQ,WAAWD,CAAE,QAAQC,CAAG,EAAE,CAChD,CAUA,MAAM,UAAUD,EAAYC,EAAa,CAEvC,OAAO,KAAK,QAAQ,WAAWD,CAAE,kBAAkBC,CAAG,EAAE,CAC1D,CASA,MAAM,KAAKC,EAMR,CACD,IAAMC,EAAQ,IAAI,gBAAgBD,CAAiC,EAAE,SAAS,EAC9E,OAAO,KAAK,QAAQ,UAAUC,EAAQ,IAAIA,CAAK,GAAK,EAAE,EAAE,CAC1D,CACF,EC7CO,IAAMC,EAAN,cAA0BC,CAAe,CAU5C,MAAM,MAAMC,EAA8B,CACtC,OAAO,KAAK,QAAqB,iBAAkB,CAC/C,OAAQ,OACR,KAAMA,CACV,CAAC,CACL,CAUA,MAAM,IAAIC,EAAY,CAClB,OAAO,KAAK,QAAqB,kBAAkBA,CAAE,EAAE,CAC3D,CAWA,MAAM,OAAOA,EAAYD,EAAsC,CAC3D,OAAO,KAAK,QAAqB,kBAAkBC,CAAE,GAAI,CACrD,OAAQ,QACR,KAAMD,CACV,CAAC,CACL,CAUA,MAAM,OAAOC,EAAY,CACrB,OAAO,KAAK,QAAc,kBAAkBA,CAAE,GAAI,CAC9C,OAAQ,QACZ,CAAC,CACL,CAWA,MAAM,WAAWC,EAAmBC,EAMjC,CACC,OAAO,KAAK,QAAqB,kBAAkBD,CAAS,QAAS,CACjE,OAAQ,OACR,KAAMC,CACV,CAAC,CACL,CAWA,MAAM,YAAYD,EAAmBE,EAAW,CAC5C,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,wBAAyB,CACjF,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAaA,MAAM,eAAeF,EAAmBE,EAAe,CACnD,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,mBAAoB,CAC5E,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAWA,MAAM,WAAWF,EAAmBE,EAAW,CAC3C,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,eAAgB,CACxE,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAUA,MAAM,WAAWF,EAAmBG,EAAgB,CAChD,OAAO,KAAK,WAAWH,EAAW,CAC9B,OAAAG,EACA,SAAU,CACd,CAAC,CACL,CAeA,MAAM,oBAAoBJ,EAAYK,EAAiD,CACnF,OAAO,KAAK,QAAqB,kBAAkBL,CAAE,cAAe,CAChE,OAAQ,OACR,KAAM,CACF,kBAAAK,CACJ,CACJ,CAAC,CACL,CAYA,MAAM,YAAYL,EAAYM,EAAoC,CAC9D,OAAO,KAAK,QAAqB,kBAAkBN,CAAE,WAAY,CAC7D,OAAQ,OACR,KAAM,CACF,KAAAM,CACJ,CACJ,CAAC,CACL,CAWA,MAAM,aAAaN,EAAYO,EAAwC,CACnE,OAAO,KAAK,QAAqB,kBAAkBP,CAAE,YAAYO,CAAQ,GAAI,CACzE,OAAQ,QACZ,CAAC,CACL,CACJ,EChMO,IAAMC,EAAN,MAAMC,CAAa,CAOxB,YAAYC,EAA8BC,EAA6B,CANvEC,EAAA,KAAgB,UAChBA,EAAA,KAAgB,UAChBA,EAAA,KAAgB,QAEhBA,EAAA,KAAiB,eAGf,KAAK,YAAcF,EAEnB,GAAM,CAAE,MAAAG,EAAO,SAAAC,EAAW,CAAC,CAAE,EAAIJ,EAE3BK,EAAgBJ,GAAmBK,EAAQ,CAC/C,MAAAH,EACA,QAASC,EAAS,QAAUG,EAC5B,MAAOH,EAAS,KAClB,CAAC,EAED,KAAK,OAAS,IAAII,EAAUH,EAAeD,CAAQ,EACnD,KAAK,OAAS,IAAIK,EAAUJ,EAAeD,CAAQ,EACnD,KAAK,KAAO,IAAIM,EAAYL,EAAeD,CAAQ,CACrD,CAKO,qBAAqBO,EAIX,CACf,GAAM,CAAE,MAAAR,EAAO,SAAAC,EAAW,CAAC,CAAE,EAAI,KAAK,YAEhCQ,EAA+B,CAACC,EAAMb,EAAU,CAAC,IACrDM,EAAQ,CACN,MAAOK,EAAU,OAASR,EAC1B,QAASQ,EAAU,SAAWP,EAAS,QAAUG,EACjD,MAAOH,EAAS,KAClB,CAAC,EAAES,EAAM,CACP,GAAGb,EACH,QAAS,CACP,GAAIW,EAAU,SAAW,CAAC,EAC1B,GAAIX,EAAQ,SAAW,CAAC,CAC1B,CACF,CAAC,EAEH,OAAO,IAAID,EACT,CACE,MAAOY,EAAU,OAASR,EAC1B,SAAU,CACR,GAAGC,EACH,OAAQO,EAAU,SAAWP,EAAS,MACxC,CACF,EACAQ,CACF,CACF,CACF,ETnEO,SAASE,EAAmBC,EAA4C,CAC3E,OAAO,IAAIC,EAAaD,CAAO,CACnC","names":["index_exports","__export","CohostClient","createCohostClient","__toCommonJS","CohostEndpoint","request","settings","__publicField","apiBaseUrl","CohostError","_CohostError","message","props","__publicField","err","defaultSettings","runtimeOverrides","paginatedOptions","req","options","pagination","rest","buildQueryString","input","params","key","value","v","request","token","baseUrl","apiBaseUrl","debug","path","method","data","query","headers","_query","queryString","url","runtimeOverrides","reqHeaders","defaultSettings","body","cleanHeaders","res","responseBody","message","CohostError","EventsAPI","CohostEndpoint","id","filters","paginatedOptions","OrdersAPI","CohostEndpoint","id","uid","filters","query","SessionsAPI","CohostEndpoint","input","id","sessionId","props","data","itemId","tableCommitmentId","code","couponId","CohostClient","_CohostClient","options","customRequestFn","__publicField","token","settings","sharedRequest","request","apiBaseUrl","EventsAPI","OrdersAPI","SessionsAPI","overrides","overriddenRequest","path","createCohostClient","options","CohostClient"]}
1
+ {"version":3,"sources":["../src/index.ts","../src/endpoint.ts","../src/apiVersion.ts","../src/error/CohostError.ts","../src/settings.ts","../src/http/request.ts","../src/api/events.ts","../src/api/orders.ts","../src/api/sessions.ts","../src/client.ts"],"sourcesContent":["import { CohostClient, CohostClientOptions } from './client';\nexport { type CohostClientSettings } from './settings';\n\n/**\n * Factory method for creating a CohostClient instance.\n * \n * Example:\n * ```ts\n * const client = createCohostClient({ token: 'your-token' });\n * ```\n */\nexport function createCohostClient(options: CohostClientOptions): CohostClient {\n return new CohostClient(options);\n}\n\n\nexport { CohostClient }\n\nexport * from '../types';","import { RequestFn } from \"./http/request\";\nimport { CohostClientSettings } from \"./settings\";\n\n/**\n * Base class for all API endpoint groups within the Cohost SDK.\n * Provides shared access to the configured request function and settings.\n */\nexport class CohostEndpoint {\n /** Shared request function injected from the client */\n protected request: RequestFn;\n\n /** Client settings passed during instantiation */\n protected settings: CohostClientSettings;\n\n /**\n * Constructs a new endpoint group.\n *\n * @param request - The shared request function for performing API calls\n * @param settings - The client-wide settings passed from the parent client\n */\n constructor(request: RequestFn, settings: CohostClientSettings) {\n this.request = request;\n this.settings = settings;\n }\n}\n","export const apiVersion = '0.1.0';\nexport const apiVersionDate = '2025-04-15';\nexport const apiBaseUrl = 'https://api.cohost.com/v1'","\nexport interface CohostErrorProps {\n /**\n * Optional error code.\n * @default undefined\n */\n errorCode?: string;\n\n /**\n * Optional status code.\n * @default undefined\n */\n statusCode?: number;\n};\n\nexport class CohostError extends Error {\n errorCode: string | undefined;\n statusCode: number | undefined;\n\n /**\n * Custom error class for Cohost SDK errors.\n * @param message - The error message.\n */\n constructor(message: string, props?: CohostErrorProps) {\n // Call the parent constructor with the message\n super(message);\n\n // Set the name of the error to \"CohostError\"\n this.name = \"CohostError\";\n\n // Set the error code if provided\n this.errorCode = props?.errorCode;\n // Set the status code if provided\n this.statusCode = props?.statusCode;\n }\n\n static fromError(err: Error, props?: CohostErrorProps): CohostError {\n // Create a new CohostError instance from an existing error\n return new CohostError(err.message, {\n ...props,\n errorCode: props?.errorCode || err.name,\n });\n }\n\n}\n\n\n\n\n","/**\n * Optional settings for customizing the behavior of the CohostClient.\n */\nexport interface CohostClientSettings {\n /** Enable verbose debug output for all API requests. */\n debug?: boolean;\n\n /** Override the default API base URL (defaults to apiBaseUrl). */\n apiUrl?: string;\n}\n\n// settings.ts\nexport const defaultSettings = {\n baseUrl: 'https://api.cohost.vip',\n headers: {\n 'Content-Type': 'application/json',\n },\n};\n\n// In dev or testing, you can override this in the browser or Node\nexport let runtimeOverrides: {\n baseUrl?: string;\n headers?: Record<string, string>;\n} = {};\n\nexport function setSdkOverrides(overrides: typeof runtimeOverrides) {\n runtimeOverrides = overrides;\n}\n\n","import { PaginatedRequest } from \"../../types\";\nimport { apiBaseUrl } from \"../apiVersion\";\nimport { CohostError } from \"../error/CohostError\";\nimport { defaultSettings, runtimeOverrides } from \"../settings\";\nimport { Pagination } from \"../types/pagination\";\n\n/**\n * Options for configuring the request handler.\n */\ninterface RequestProps {\n /** API token for authentication (Bearer token). */\n token: string | null;\n\n /** Base URL of the API (defaults to versioned `apiBaseUrl`). */\n baseUrl?: string;\n\n /** Enable debug logging of requests/responses. */\n debug?: boolean;\n}\n\n/**\n * Supported HTTP methods.\n */\ntype RequestMethod = \"GET\" | \"POST\" | \"PUT\" | \"DELETE\" | \"PATCH\";\n\ntype RequestOptions = {\n method?: RequestMethod;\n data?: any;\n query?: Record<string, string | number | boolean | string[] | undefined>;\n headers?: Record<string, string>;\n pagination?: Pagination;\n};\n\nexport const paginatedOptions = (req: PaginatedRequest<any>, options?: Partial<RequestOptions>): RequestOptions => {\n const { pagination, ...rest } = req;\n return {\n query: rest,\n pagination,\n ...options,\n };\n};\n\n/**\n * Builds a query string from a flat object, supporting array values via repeated keys.\n */\nconst buildQueryString = (\n input?: Record<string, string | number | boolean | string[] | undefined>\n): string => {\n if (!input) return \"\";\n\n const params = new URLSearchParams();\n for (const [key, value] of Object.entries(input)) {\n if (value === undefined) continue;\n if (Array.isArray(value)) {\n value.forEach((v) => params.append(key, String(v)));\n } else {\n params.set(key, String(value));\n }\n }\n return params.toString() ? `?${params.toString()}` : \"\";\n};\n\n/**\n * A function that performs a request to the Cohost API.\n * The generic <T> allows you to specify the expected response type.\n */\ntype RequestFn = <T = any>(\n path: string,\n options?: RequestOptions\n) => Promise<T>;\n\n/**\n * Creates a request function configured with authentication and client defaults.\n * The returned function supports generic return typing via <T>.\n */\nconst request = ({ token, baseUrl = apiBaseUrl, debug = false }: RequestProps): RequestFn => {\n return async function <T = any>(\n path: string,\n options: RequestOptions = {}\n ): Promise<T> {\n const { method = \"GET\", data, query, pagination, headers = {} } = options;\n\n const _query = {\n ...query,\n ...pagination,\n };\n\n const queryString = buildQueryString(_query);\n const finalBaseUrl = runtimeOverrides.baseUrl ?? baseUrl;\n const url = `${finalBaseUrl}${path}${queryString}`;\n\n const reqHeaders: Record<string, string> = {\n ...defaultSettings.headers,\n ...runtimeOverrides.headers,\n ...headers,\n };\n\n if (token) {\n reqHeaders[\"Authorization\"] = `Bearer ${token}`;\n }\n\n const body = data && method !== \"GET\" ? JSON.stringify(data) : undefined;\n\n if (debug) {\n console.log(`[Cohost SDK] Request: ${method} ${url}`);\n if (body) console.log(`[Cohost SDK] Body:`, body);\n\n const cleanHeaders: Record<string, string> = {};\n for (const [key, value] of Object.entries(reqHeaders)) {\n if (key.toLowerCase() === \"authorization\") {\n const tokenValue = value?.split(\" \")[1];\n cleanHeaders[key] = \"Bearer <token-\" + (tokenValue ? `${tokenValue[0]}...${tokenValue.slice(-4)}>` : \"\");\n } else {\n cleanHeaders[key] = value;\n }\n }\n\n console.log(`[Cohost SDK] Headers:`, cleanHeaders);\n }\n\n const res = await fetch(url, {\n method,\n headers: reqHeaders,\n body,\n });\n\n const isJson = res.headers.get(\"content-type\")?.includes(\"application/json\");\n const responseBody = isJson ? await res.json() : await res.text();\n\n if (!res.ok) {\n const message = typeof responseBody === \"string\" ? responseBody : JSON.stringify(responseBody);\n console.error(`[Cohost SDK] Error(${res.status}): ${message}`, { url });\n throw new CohostError(message || res.statusText, {\n errorCode: res.statusText || \"API_ERROR\",\n statusCode: res.status,\n });\n }\n\n if (\n typeof responseBody === \"object\" &&\n responseBody !== null &&\n (responseBody as any).status === \"ok\" &&\n \"data\" in responseBody\n ) {\n return (responseBody as { data: T }).data;\n }\n\n return responseBody as T;\n };\n};\n\nexport { type RequestProps, type RequestFn };\nexport { request };\n","// src/api/EventsAPI.ts\n\nimport { CohostEndpoint } from '../endpoint';\nimport { Attendee, EventProfile, PaginatedRequest, PaginatedResponse, Ticket } from '../../types/index';\nimport { paginatedOptions } from '../http/request';\n\n/**\n * Provides methods to interact with the Cohost Events API.\n * \n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const list = await client.events.list();\n * const event = await client.events.fetch('event-id');\n * const tickets = await client.events.tickets('event-id');\n * ```\n */\nexport class EventsAPI extends CohostEndpoint {\n\n /**\n * Fetch a list of all events.\n * \n * @returns A Promise resolving to an array of event objects\n * @throws Will throw an error if the request fails\n * \n * @todo Implement pagination and filtering options\n */\n async list() {\n return this.request<EventProfile[]>('/events');\n }\n\n\n /**\n * Fetch a single event by ID.\n * \n * @param id - The unique identifier of the event\n * @returns A Promise resolving to the event object\n * @throws Will throw an error if the request fails or the event is not found\n */\n async fetch(id: string) {\n return this.request<EventProfile>(`/events/${id}`);\n }\n\n\n\n /**\n * List all tickets associated with a specific event.\n * \n * @param id - The unique identifier of the event\n * @returns A Promise resolving to an array of ticket objects\n * @throws Will throw an error if the request fails or the event does not exist\n */\n async tickets(id: string) {\n return this.request<Ticket[]>(`/events/${id}/tickets`);\n }\n\n /**\n * List attendees in the event.\n *\n * Requires: valid authentication token. This endpoint is not public.\n * \n * @param id - The ID of the event.\n * @returns List of tickets (attendees) for the event.\n */\n async attendees(id: string, filters?: PaginatedRequest<any>) {\n return this.request<PaginatedResponse<Attendee>>(`/events/${id}/attendees`, paginatedOptions(filters));\n }\n\n \n\n}\n","import { CohostEndpoint } from '../endpoint';\n\n/**\n * Provides methods to interact with the Cohost Orders API.\n * \n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const order = await client.orders.fetch('order-id', 'user-id');\n * const list = await client.orders.list({ status: 'completed' });\n * ```\n */\nexport class OrdersAPI extends CohostEndpoint {\n\n /**\n * Fetch a single order by ID.\n * \n * @param id - The unique identifier of the order\n * @param uid - The unique user ID associated with the order (currently unused but reserved for future auth context)\n * @returns A Promise resolving to the order object\n * @throws Will throw an error if the request fails or the order is not found\n */\n async fetch(id: string, uid: string) {\n // uid is reserved for future scoped access/auth features\n return this.request(`/orders/${id}?uid=${uid}`);\n }\n\n /**\n * Fetch a single order by ID.\n * \n * @param id - The unique identifier of the order\n * @param uid - The unique user ID associated with the order (currently unused but reserved for future auth context)\n * @returns A Promise resolving to the order object\n * @throws Will throw an error if the request fails or the order is not found\n */\n async attendees(id: string, uid: string) {\n // uid is reserved for future scoped access/auth features\n return this.request(`/orders/${id}/attendees?uid=${uid}`);\n }\n\n /**\n * List orders with optional filters.\n * \n * @param filters - Optional filters to apply when retrieving orders\n * @returns A Promise resolving to an array of order summaries\n * @throws Will throw an error if the request fails\n */\n async list(filters?: {\n status?: string;\n startDate?: string;\n endDate?: string;\n page?: number;\n pageSize?: number;\n }) {\n const query = new URLSearchParams(filters as Record<string, string>).toString();\n return this.request(`/orders${query ? `?${query}` : ''}`);\n }\n}\n","import { CartSession, StartCartSessionInput, UpdatableCartSession } from '../../types';\nimport { CohostEndpoint } from '../endpoint';\n\n/**\n * Provides methods to interact with cart sessions in the Cohost API.\n *\n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const session = await client.sessions.start({ contextId: 'evt_abc123' });\n * ```\n */\nexport class SessionsAPI extends CohostEndpoint {\n\n /**\n * Start a new cart session.\n *\n * @param input - Data to start the session\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the request fails\n */\n async start(input: StartCartSessionInput) {\n return this.request<CartSession>('/cart/sessions', {\n method: 'POST',\n data: input,\n });\n }\n\n /**\n * Get a cart session by its ID.\n *\n * @param id - The unique session ID\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the session is not found or request fails\n */\n async get(id: string) {\n return this.request<CartSession>(`/cart/sessions/${id}`);\n }\n\n /**\n * Update a cart session.\n *\n * @param id - The ID of the session to update\n * @param input - Data to update the session\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the update fails\n */\n async update(id: string, input: Partial<UpdatableCartSession>) {\n return this.request<CartSession>(`/cart/sessions/${id}`, {\n method: 'PATCH',\n data: input,\n });\n }\n\n /**\n * Cancel (soft delete) a cart session.\n *\n * @param id - The ID of the session to cancel\n * @returns Nothing if successful\n * \n * @throws Will throw an error if the cancel operation fails\n */\n async cancel(id: string) {\n return this.request<void>(`/cart/sessions/${id}`, {\n method: 'DELETE',\n });\n }\n\n /**\n * Update an item in the cart session.\n *\n * @param sessionId - The ID of the session\n * @param props - Properties to update\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the update fails\n */\n async updateItem(sessionId: string, props: {\n itemId: string;\n quantity: number;\n options?: {\n [key: string]: any;\n };\n }) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/item`, {\n method: 'POST',\n data: props,\n });\n }\n\n /**\n * Pre-validate the cart session for payment and checkout.\n *\n * @param sessionId - The ID of the cart session\n * @param data - Data required for validation\n * @returns {CartSession} The validated cart session\n * \n * @throws Will throw an error if validation fails\n */\n async preValidate(sessionId: string, data: any) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/payment/pre-validate`, {\n method: 'POST',\n data: data,\n });\n }\n\n\n\n /**\n * Prepare the cart session for payment.\n *\n * @param sessionId - The ID of the cart session\n * @param data - Data required for payment preparation\n * @returns {CartSession} The prepared cart session\n * \n * @throws Will throw an error if preparation fails\n */\n async processPayment(sessionId: string, data: unknown) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/payment/process`, {\n method: 'POST',\n data: data,\n });\n }\n\n /**\n * Close the cart session, and place the order.\n * \n * @param sessionId - The ID of the session\n * @param data - Data to place the order\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the order placement fails\n */\n async placeOrder(sessionId: string, data: any) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/place-order`, {\n method: 'POST',\n data: data,\n });\n }\n\n /**\n * Remove an item from the cart session.\n * The same as setting the quantity to 0.\n * \n * @param sessionId - The ID of the cart session\n * @param itemId - The ID of the item to remove\n * @returns {CartSession} The latest cart session\n */\n async deleteItem(sessionId: string, itemId: string) {\n return this.updateItem(sessionId, {\n itemId,\n quantity: 0,\n });\n }\n\n\n\n\n\n /**\n * Join a table commitment within an active cart session.\n *\n * @param id - The ID of the cart session\n * @param tableCommitmentId - The table commitment ID to join\n * @returns {CartSession} Updated cart session with joined table\n * \n * @throws Will throw an error if the join operation fails\n */\n async joinTableCommitment(id: string, tableCommitmentId: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/join-table`, {\n method: 'POST',\n data: {\n tableCommitmentId,\n }\n });\n }\n\n\n /**\n * Apply a coupon code to the cart session.\n *\n * @param id - The ID of the cart session\n * @param code - The coupon code to apply\n * @returns {CartSession} Updated cart session with applied coupon\n * \n * @throws Will throw an error if the coupon application fails\n */\n async applyCoupon(id: string, code: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/coupons`, {\n method: 'POST',\n data: {\n code\n }\n });\n }\n\n /**\n * Find viable table options for a cart session.\n *\n * @param id - The ID of the cart session\n * @param props - Properties to find viable tables\n * @returns {ViableTableOption[]} List of viable table options\n * \n * @throws Will throw an error if the request fails\n */\n async deleteCoupon(id: string, couponId: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/coupons/${couponId}`, {\n method: 'DELETE'\n });\n }\n}\n","import { EventsAPI } from './api/events';\nimport { OrdersAPI } from './api/orders';\nimport { SessionsAPI } from './api/sessions';\nimport { apiBaseUrl } from './apiVersion';\nimport { request, RequestFn } from './http/request';\nimport { CohostClientSettings } from './settings';\n\n/**\n * Configuration options for instantiating a CohostClient.\n */\nexport interface CohostClientOptions {\n /** API token used for authenticated requests. */\n token: string;\n\n /** Optional client settings such as debug mode or custom API URL. */\n settings?: CohostClientSettings;\n}\n\n/**\n * CohostClient provides grouped access to various API modules such as Events and Orders.\n */\nexport class CohostClient {\n public readonly events: EventsAPI;\n public readonly orders: OrdersAPI;\n public readonly cart: SessionsAPI;\n\n private readonly baseOptions: CohostClientOptions;\n\n constructor(options: CohostClientOptions, customRequestFn?: RequestFn) {\n this.baseOptions = options;\n\n const { token, settings = {} } = options;\n\n const sharedRequest = customRequestFn ?? request({\n token,\n baseUrl: settings.apiUrl || apiBaseUrl,\n debug: settings.debug,\n });\n\n this.events = new EventsAPI(sharedRequest, settings);\n this.orders = new OrdersAPI(sharedRequest, settings);\n this.cart = new SessionsAPI(sharedRequest, settings);\n }\n\n /**\n * Returns a new CohostClient instance with overridden request behavior\n */\n public requestWithOverrides(overrides: {\n token?: string;\n baseUrl?: string;\n headers?: Record<string, string>;\n }): CohostClient {\n const { token, settings = {} } = this.baseOptions;\n\n const overriddenRequest: RequestFn = (path, options = {}) =>\n request({\n token: overrides.token ?? token,\n baseUrl: overrides.baseUrl ?? settings.apiUrl ?? apiBaseUrl,\n debug: settings.debug,\n })(path, {\n ...options,\n headers: {\n ...(overrides.headers || {}),\n ...(options.headers || {}),\n },\n });\n\n return new CohostClient(\n {\n token: overrides.token ?? token,\n settings: {\n ...settings,\n apiUrl: overrides.baseUrl ?? settings.apiUrl,\n },\n },\n overriddenRequest\n );\n }\n}\n"],"mappings":"ijBAAA,IAAAA,EAAA,GAAAC,EAAAD,EAAA,kBAAAE,EAAA,uBAAAC,IAAA,eAAAC,EAAAJ,GCOO,IAAMK,EAAN,KAAqB,CAa1B,YAAYC,EAAoBC,EAAgC,CAXhEC,EAAA,KAAU,WAGVA,EAAA,KAAU,YASR,KAAK,QAAUF,EACf,KAAK,SAAWC,CAClB,CACF,ECtBO,IAAME,EAAa,4BCanB,IAAMC,EAAN,MAAMC,UAAoB,KAAM,CAQnC,YAAYC,EAAiBC,EAA0B,CAEnD,MAAMD,CAAO,EATjBE,EAAA,kBACAA,EAAA,mBAWI,KAAK,KAAO,cAGZ,KAAK,UAAYD,GAAO,UAExB,KAAK,WAAaA,GAAO,UAC7B,CAEA,OAAO,UAAUE,EAAYF,EAAuC,CAEhE,OAAO,IAAIF,EAAYI,EAAI,QAAS,CAChC,GAAGF,EACH,UAAWA,GAAO,WAAaE,EAAI,IACvC,CAAC,CACL,CAEJ,EChCO,IAAMC,EAAkB,CAC3B,QAAS,yBACT,QAAS,CACL,eAAgB,kBACpB,CACJ,EAGWC,EAGP,CAAC,ECUE,IAAMC,EAAmB,CAACC,EAA4BC,IAAsD,CACjH,GAAM,CAAE,WAAAC,EAAY,GAAGC,CAAK,EAAIH,EAChC,MAAO,CACL,MAAOG,EACP,WAAAD,EACA,GAAGD,CACL,CACF,EAKMG,EACJC,GACW,CACX,GAAI,CAACA,EAAO,MAAO,GAEnB,IAAMC,EAAS,IAAI,gBACnB,OAAW,CAACC,EAAKC,CAAK,IAAK,OAAO,QAAQH,CAAK,EACzCG,IAAU,SACV,MAAM,QAAQA,CAAK,EACrBA,EAAM,QAASC,GAAMH,EAAO,OAAOC,EAAK,OAAOE,CAAC,CAAC,CAAC,EAElDH,EAAO,IAAIC,EAAK,OAAOC,CAAK,CAAC,GAGjC,OAAOF,EAAO,SAAS,EAAI,IAAIA,EAAO,SAAS,CAAC,GAAK,EACvD,EAeMI,EAAU,CAAC,CAAE,MAAAC,EAAO,QAAAC,EAAUC,EAAY,MAAAC,EAAQ,EAAM,IACrD,eACLC,EACAd,EAA0B,CAAC,EACf,CACZ,GAAM,CAAE,OAAAe,EAAS,MAAO,KAAAC,EAAM,MAAAC,EAAO,WAAAhB,EAAY,QAAAiB,EAAU,CAAC,CAAE,EAAIlB,EAE5DmB,EAAS,CACb,GAAGF,EACH,GAAGhB,CACL,EAEMmB,EAAcjB,EAAiBgB,CAAM,EAErCE,EAAM,GADSC,EAAiB,SAAWX,CACtB,GAAGG,CAAI,GAAGM,CAAW,GAE1CG,EAAqC,CACzC,GAAGC,EAAgB,QACnB,GAAGF,EAAiB,QACpB,GAAGJ,CACL,EAEIR,IACFa,EAAW,cAAmB,UAAUb,CAAK,IAG/C,IAAMe,EAAOT,GAAQD,IAAW,MAAQ,KAAK,UAAUC,CAAI,EAAI,OAE/D,GAAIH,EAAO,CACT,QAAQ,IAAI,yBAAyBE,CAAM,IAAIM,CAAG,EAAE,EAChDI,GAAM,QAAQ,IAAI,qBAAsBA,CAAI,EAEhD,IAAMC,EAAuC,CAAC,EAC9C,OAAW,CAACpB,EAAKC,CAAK,IAAK,OAAO,QAAQgB,CAAU,EAClD,GAAIjB,EAAI,YAAY,IAAM,gBAAiB,CACvC,IAAMqB,EAAapB,GAAO,MAAM,GAAG,EAAE,CAAC,EACtCmB,EAAapB,CAAG,EAAI,kBAAoBqB,EAAa,GAAGA,EAAW,CAAC,CAAC,MAAMA,EAAW,MAAM,EAAE,CAAC,IAAM,GACzG,MACED,EAAapB,CAAG,EAAIC,EAIxB,QAAQ,IAAI,wBAAyBmB,CAAY,CACnD,CAEA,IAAME,EAAM,MAAM,MAAMP,EAAK,CAC3B,OAAAN,EACA,QAASQ,EACT,KAAAE,CACF,CAAC,EAGKI,EADSD,EAAI,QAAQ,IAAI,cAAc,GAAG,SAAS,kBAAkB,EAC7C,MAAMA,EAAI,KAAK,EAAI,MAAMA,EAAI,KAAK,EAEhE,GAAI,CAACA,EAAI,GAAI,CACX,IAAME,EAAU,OAAOD,GAAiB,SAAWA,EAAe,KAAK,UAAUA,CAAY,EAC7F,cAAQ,MAAM,sBAAsBD,EAAI,MAAM,MAAME,CAAO,GAAI,CAAE,IAAAT,CAAI,CAAC,EAChE,IAAIU,EAAYD,GAAWF,EAAI,WAAY,CAC/C,UAAWA,EAAI,YAAc,YAC7B,WAAYA,EAAI,MAClB,CAAC,CACH,CAEA,OACE,OAAOC,GAAiB,UACxBA,IAAiB,MAChBA,EAAqB,SAAW,MACjC,SAAUA,EAEFA,EAA6B,KAGhCA,CACT,ECnIK,IAAMG,EAAN,cAAwBC,CAAe,CAU5C,MAAM,MAAO,CACX,OAAO,KAAK,QAAwB,SAAS,CAC/C,CAUA,MAAM,MAAMC,EAAY,CACtB,OAAO,KAAK,QAAsB,WAAWA,CAAE,EAAE,CACnD,CAWA,MAAM,QAAQA,EAAY,CACxB,OAAO,KAAK,QAAkB,WAAWA,CAAE,UAAU,CACvD,CAUA,MAAM,UAAUA,EAAYC,EAAiC,CAC3D,OAAO,KAAK,QAAqC,WAAWD,CAAE,aAAcE,EAAiBD,CAAO,CAAC,CACvG,CAIF,EC1DO,IAAME,EAAN,cAAwBC,CAAe,CAU5C,MAAM,MAAMC,EAAYC,EAAa,CAEnC,OAAO,KAAK,QAAQ,WAAWD,CAAE,QAAQC,CAAG,EAAE,CAChD,CAUA,MAAM,UAAUD,EAAYC,EAAa,CAEvC,OAAO,KAAK,QAAQ,WAAWD,CAAE,kBAAkBC,CAAG,EAAE,CAC1D,CASA,MAAM,KAAKC,EAMR,CACD,IAAMC,EAAQ,IAAI,gBAAgBD,CAAiC,EAAE,SAAS,EAC9E,OAAO,KAAK,QAAQ,UAAUC,EAAQ,IAAIA,CAAK,GAAK,EAAE,EAAE,CAC1D,CACF,EC7CO,IAAMC,EAAN,cAA0BC,CAAe,CAU5C,MAAM,MAAMC,EAA8B,CACtC,OAAO,KAAK,QAAqB,iBAAkB,CAC/C,OAAQ,OACR,KAAMA,CACV,CAAC,CACL,CAUA,MAAM,IAAIC,EAAY,CAClB,OAAO,KAAK,QAAqB,kBAAkBA,CAAE,EAAE,CAC3D,CAWA,MAAM,OAAOA,EAAYD,EAAsC,CAC3D,OAAO,KAAK,QAAqB,kBAAkBC,CAAE,GAAI,CACrD,OAAQ,QACR,KAAMD,CACV,CAAC,CACL,CAUA,MAAM,OAAOC,EAAY,CACrB,OAAO,KAAK,QAAc,kBAAkBA,CAAE,GAAI,CAC9C,OAAQ,QACZ,CAAC,CACL,CAWA,MAAM,WAAWC,EAAmBC,EAMjC,CACC,OAAO,KAAK,QAAqB,kBAAkBD,CAAS,QAAS,CACjE,OAAQ,OACR,KAAMC,CACV,CAAC,CACL,CAWA,MAAM,YAAYD,EAAmBE,EAAW,CAC5C,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,wBAAyB,CACjF,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAaA,MAAM,eAAeF,EAAmBE,EAAe,CACnD,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,mBAAoB,CAC5E,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAWA,MAAM,WAAWF,EAAmBE,EAAW,CAC3C,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,eAAgB,CACxE,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAUA,MAAM,WAAWF,EAAmBG,EAAgB,CAChD,OAAO,KAAK,WAAWH,EAAW,CAC9B,OAAAG,EACA,SAAU,CACd,CAAC,CACL,CAeA,MAAM,oBAAoBJ,EAAYK,EAAiD,CACnF,OAAO,KAAK,QAAqB,kBAAkBL,CAAE,cAAe,CAChE,OAAQ,OACR,KAAM,CACF,kBAAAK,CACJ,CACJ,CAAC,CACL,CAYA,MAAM,YAAYL,EAAYM,EAAoC,CAC9D,OAAO,KAAK,QAAqB,kBAAkBN,CAAE,WAAY,CAC7D,OAAQ,OACR,KAAM,CACF,KAAAM,CACJ,CACJ,CAAC,CACL,CAWA,MAAM,aAAaN,EAAYO,EAAwC,CACnE,OAAO,KAAK,QAAqB,kBAAkBP,CAAE,YAAYO,CAAQ,GAAI,CACzE,OAAQ,QACZ,CAAC,CACL,CACJ,EChMO,IAAMC,EAAN,MAAMC,CAAa,CAOxB,YAAYC,EAA8BC,EAA6B,CANvEC,EAAA,KAAgB,UAChBA,EAAA,KAAgB,UAChBA,EAAA,KAAgB,QAEhBA,EAAA,KAAiB,eAGf,KAAK,YAAcF,EAEnB,GAAM,CAAE,MAAAG,EAAO,SAAAC,EAAW,CAAC,CAAE,EAAIJ,EAE3BK,EAAgBJ,GAAmBK,EAAQ,CAC/C,MAAAH,EACA,QAASC,EAAS,QAAUG,EAC5B,MAAOH,EAAS,KAClB,CAAC,EAED,KAAK,OAAS,IAAII,EAAUH,EAAeD,CAAQ,EACnD,KAAK,OAAS,IAAIK,EAAUJ,EAAeD,CAAQ,EACnD,KAAK,KAAO,IAAIM,EAAYL,EAAeD,CAAQ,CACrD,CAKO,qBAAqBO,EAIX,CACf,GAAM,CAAE,MAAAR,EAAO,SAAAC,EAAW,CAAC,CAAE,EAAI,KAAK,YAEhCQ,EAA+B,CAACC,EAAMb,EAAU,CAAC,IACrDM,EAAQ,CACN,MAAOK,EAAU,OAASR,EAC1B,QAASQ,EAAU,SAAWP,EAAS,QAAUG,EACjD,MAAOH,EAAS,KAClB,CAAC,EAAES,EAAM,CACP,GAAGb,EACH,QAAS,CACP,GAAIW,EAAU,SAAW,CAAC,EAC1B,GAAIX,EAAQ,SAAW,CAAC,CAC1B,CACF,CAAC,EAEH,OAAO,IAAID,EACT,CACE,MAAOY,EAAU,OAASR,EAC1B,SAAU,CACR,GAAGC,EACH,OAAQO,EAAU,SAAWP,EAAS,MACxC,CACF,EACAQ,CACF,CACF,CACF,ETnEO,SAASE,EAAmBC,EAA4C,CAC3E,OAAO,IAAIC,EAAaD,CAAO,CACnC","names":["index_exports","__export","CohostClient","createCohostClient","__toCommonJS","CohostEndpoint","request","settings","__publicField","apiBaseUrl","CohostError","_CohostError","message","props","__publicField","err","defaultSettings","runtimeOverrides","paginatedOptions","req","options","pagination","rest","buildQueryString","input","params","key","value","v","request","token","baseUrl","apiBaseUrl","debug","path","method","data","query","headers","_query","queryString","url","runtimeOverrides","reqHeaders","defaultSettings","body","cleanHeaders","tokenValue","res","responseBody","message","CohostError","EventsAPI","CohostEndpoint","id","filters","paginatedOptions","OrdersAPI","CohostEndpoint","id","uid","filters","query","SessionsAPI","CohostEndpoint","input","id","sessionId","props","data","itemId","tableCommitmentId","code","couponId","CohostClient","_CohostClient","options","customRequestFn","__publicField","token","settings","sharedRequest","request","apiBaseUrl","EventsAPI","OrdersAPI","SessionsAPI","overrides","overriddenRequest","path","createCohostClient","options","CohostClient"]}
package/dist/index.mjs CHANGED
@@ -1,2 +1,2 @@
1
- var $=Object.defineProperty;var w=(r,e,t)=>e in r?$(r,e,{enumerable:!0,configurable:!0,writable:!0,value:t}):r[e]=t;var o=(r,e,t)=>w(r,typeof e!="symbol"?e+"":e,t);var d=class{constructor(e,t){o(this,"request");o(this,"settings");this.request=e,this.settings=t}};var p="https://api.cohost.com/v1";var l=class r extends Error{constructor(t,n){super(t);o(this,"errorCode");o(this,"statusCode");this.name="CohostError",this.errorCode=n?.errorCode,this.statusCode=n?.statusCode}static fromError(t,n){return new r(t.message,{...n,errorCode:n?.errorCode||t.name})}};var R={baseUrl:"https://api.cohost.vip",headers:{"Content-Type":"application/json"}},P={};var q=(r,e)=>{let{pagination:t,...n}=r;return{query:n,pagination:t,...e}},U=r=>{if(!r)return"";let e=new URLSearchParams;for(let[t,n]of Object.entries(r))n!==void 0&&(Array.isArray(n)?n.forEach(s=>e.append(t,String(s))):e.set(t,String(n)));return e.toString()?`?${e.toString()}`:""},v=({token:r,baseUrl:e=p,debug:t=!1})=>async function(n,s={}){let{method:i="GET",data:g,query:I,pagination:k,headers:A={}}=s,T={...I,...k},E=U(T),x=`${P.baseUrl??e}${n}${E}`,h={...R.headers,...P.headers,...A};r&&(h.Authorization=`Bearer ${r}`);let b=g&&i!=="GET"?JSON.stringify(g):void 0;if(t){console.log(`[Cohost SDK] Request: ${i} ${x}`),b&&console.log("[Cohost SDK] Body:",b);let c={};for(let[O,S]of Object.entries(h))O.toLowerCase()==="authorization"?c[O]="Bearer <token>"+(S?` (${S.split(" ")[1].slice(0,4)}...)`:""):c[O]=S;console.log("[Cohost SDK] Headers:",c)}let u=await fetch(x,{method:i,headers:h,body:b}),a=u.headers.get("content-type")?.includes("application/json")?await u.json():await u.text();if(!u.ok){let c=typeof a=="string"?a:JSON.stringify(a);throw console.error(`[Cohost SDK] Error(${u.status}): ${c}`,{url:x}),new l(c||u.statusText,{errorCode:u.statusText||"API_ERROR",statusCode:u.status})}return typeof a=="object"&&a!==null&&a.status==="ok"&&"data"in a?a.data:a};var m=class extends d{async list(){return this.request("/events")}async fetch(e){return this.request(`/events/${e}`)}async tickets(e){return this.request(`/events/${e}/tickets`)}async attendees(e,t){return this.request(`/events/${e}/attendees`,q(t))}};var f=class extends d{async fetch(e,t){return this.request(`/orders/${e}?uid=${t}`)}async attendees(e,t){return this.request(`/orders/${e}/attendees?uid=${t}`)}async list(e){let t=new URLSearchParams(e).toString();return this.request(`/orders${t?`?${t}`:""}`)}};var y=class extends d{async start(e){return this.request("/cart/sessions",{method:"POST",data:e})}async get(e){return this.request(`/cart/sessions/${e}`)}async update(e,t){return this.request(`/cart/sessions/${e}`,{method:"PATCH",data:t})}async cancel(e){return this.request(`/cart/sessions/${e}`,{method:"DELETE"})}async updateItem(e,t){return this.request(`/cart/sessions/${e}/item`,{method:"POST",data:t})}async preValidate(e,t){return this.request(`/cart/sessions/${e}/payment/pre-validate`,{method:"POST",data:t})}async processPayment(e,t){return this.request(`/cart/sessions/${e}/payment/process`,{method:"POST",data:t})}async placeOrder(e,t){return this.request(`/cart/sessions/${e}/place-order`,{method:"POST",data:t})}async deleteItem(e,t){return this.updateItem(e,{itemId:t,quantity:0})}async joinTableCommitment(e,t){return this.request(`/cart/sessions/${e}/join-table`,{method:"POST",data:{tableCommitmentId:t}})}async applyCoupon(e,t){return this.request(`/cart/sessions/${e}/coupons`,{method:"POST",data:{code:t}})}async deleteCoupon(e,t){return this.request(`/cart/sessions/${e}/coupons/${t}`,{method:"DELETE"})}};var C=class r{constructor(e,t){o(this,"events");o(this,"orders");o(this,"cart");o(this,"baseOptions");this.baseOptions=e;let{token:n,settings:s={}}=e,i=t??v({token:n,baseUrl:s.apiUrl||p,debug:s.debug});this.events=new m(i,s),this.orders=new f(i,s),this.cart=new y(i,s)}requestWithOverrides(e){let{token:t,settings:n={}}=this.baseOptions,s=(i,g={})=>v({token:e.token??t,baseUrl:e.baseUrl??n.apiUrl??p,debug:n.debug})(i,{...g,headers:{...e.headers||{},...g.headers||{}}});return new r({token:e.token??t,settings:{...n,apiUrl:e.baseUrl??n.apiUrl}},s)}};function ge(r){return new C(r)}export{C as CohostClient,ge as createCohostClient};
1
+ var w=Object.defineProperty;var U=(r,e,t)=>e in r?w(r,e,{enumerable:!0,configurable:!0,writable:!0,value:t}):r[e]=t;var o=(r,e,t)=>U(r,typeof e!="symbol"?e+"":e,t);var u=class{constructor(e,t){o(this,"request");o(this,"settings");this.request=e,this.settings=t}};var p="https://api.cohost.com/v1";var l=class r extends Error{constructor(t,n){super(t);o(this,"errorCode");o(this,"statusCode");this.name="CohostError",this.errorCode=n?.errorCode,this.statusCode=n?.statusCode}static fromError(t,n){return new r(t.message,{...n,errorCode:n?.errorCode||t.name})}};var I={baseUrl:"https://api.cohost.vip",headers:{"Content-Type":"application/json"}},P={};var q=(r,e)=>{let{pagination:t,...n}=r;return{query:n,pagination:t,...e}},D=r=>{if(!r)return"";let e=new URLSearchParams;for(let[t,n]of Object.entries(r))n!==void 0&&(Array.isArray(n)?n.forEach(s=>e.append(t,String(s))):e.set(t,String(n)));return e.toString()?`?${e.toString()}`:""},v=({token:r,baseUrl:e=p,debug:t=!1})=>async function(n,s={}){let{method:i="GET",data:g,query:A,pagination:k,headers:T={}}=s,E={...A,...k},$=D(E),x=`${P.baseUrl??e}${n}${$}`,h={...I.headers,...P.headers,...T};r&&(h.Authorization=`Bearer ${r}`);let b=g&&i!=="GET"?JSON.stringify(g):void 0;if(t){console.log(`[Cohost SDK] Request: ${i} ${x}`),b&&console.log("[Cohost SDK] Body:",b);let c={};for(let[O,R]of Object.entries(h))if(O.toLowerCase()==="authorization"){let S=R?.split(" ")[1];c[O]="Bearer <token-"+(S?`${S[0]}...${S.slice(-4)}>`:"")}else c[O]=R;console.log("[Cohost SDK] Headers:",c)}let d=await fetch(x,{method:i,headers:h,body:b}),a=d.headers.get("content-type")?.includes("application/json")?await d.json():await d.text();if(!d.ok){let c=typeof a=="string"?a:JSON.stringify(a);throw console.error(`[Cohost SDK] Error(${d.status}): ${c}`,{url:x}),new l(c||d.statusText,{errorCode:d.statusText||"API_ERROR",statusCode:d.status})}return typeof a=="object"&&a!==null&&a.status==="ok"&&"data"in a?a.data:a};var m=class extends u{async list(){return this.request("/events")}async fetch(e){return this.request(`/events/${e}`)}async tickets(e){return this.request(`/events/${e}/tickets`)}async attendees(e,t){return this.request(`/events/${e}/attendees`,q(t))}};var f=class extends u{async fetch(e,t){return this.request(`/orders/${e}?uid=${t}`)}async attendees(e,t){return this.request(`/orders/${e}/attendees?uid=${t}`)}async list(e){let t=new URLSearchParams(e).toString();return this.request(`/orders${t?`?${t}`:""}`)}};var y=class extends u{async start(e){return this.request("/cart/sessions",{method:"POST",data:e})}async get(e){return this.request(`/cart/sessions/${e}`)}async update(e,t){return this.request(`/cart/sessions/${e}`,{method:"PATCH",data:t})}async cancel(e){return this.request(`/cart/sessions/${e}`,{method:"DELETE"})}async updateItem(e,t){return this.request(`/cart/sessions/${e}/item`,{method:"POST",data:t})}async preValidate(e,t){return this.request(`/cart/sessions/${e}/payment/pre-validate`,{method:"POST",data:t})}async processPayment(e,t){return this.request(`/cart/sessions/${e}/payment/process`,{method:"POST",data:t})}async placeOrder(e,t){return this.request(`/cart/sessions/${e}/place-order`,{method:"POST",data:t})}async deleteItem(e,t){return this.updateItem(e,{itemId:t,quantity:0})}async joinTableCommitment(e,t){return this.request(`/cart/sessions/${e}/join-table`,{method:"POST",data:{tableCommitmentId:t}})}async applyCoupon(e,t){return this.request(`/cart/sessions/${e}/coupons`,{method:"POST",data:{code:t}})}async deleteCoupon(e,t){return this.request(`/cart/sessions/${e}/coupons/${t}`,{method:"DELETE"})}};var C=class r{constructor(e,t){o(this,"events");o(this,"orders");o(this,"cart");o(this,"baseOptions");this.baseOptions=e;let{token:n,settings:s={}}=e,i=t??v({token:n,baseUrl:s.apiUrl||p,debug:s.debug});this.events=new m(i,s),this.orders=new f(i,s),this.cart=new y(i,s)}requestWithOverrides(e){let{token:t,settings:n={}}=this.baseOptions,s=(i,g={})=>v({token:e.token??t,baseUrl:e.baseUrl??n.apiUrl??p,debug:n.debug})(i,{...g,headers:{...e.headers||{},...g.headers||{}}});return new r({token:e.token??t,settings:{...n,apiUrl:e.baseUrl??n.apiUrl}},s)}};function pe(r){return new C(r)}export{C as CohostClient,pe as createCohostClient};
2
2
  //# sourceMappingURL=index.mjs.map
@@ -1 +1 @@
1
- {"version":3,"sources":["../src/endpoint.ts","../src/apiVersion.ts","../src/error/CohostError.ts","../src/settings.ts","../src/http/request.ts","../src/api/events.ts","../src/api/orders.ts","../src/api/sessions.ts","../src/client.ts","../src/index.ts"],"sourcesContent":["import { RequestFn } from \"./http/request\";\nimport { CohostClientSettings } from \"./settings\";\n\n/**\n * Base class for all API endpoint groups within the Cohost SDK.\n * Provides shared access to the configured request function and settings.\n */\nexport class CohostEndpoint {\n /** Shared request function injected from the client */\n protected request: RequestFn;\n\n /** Client settings passed during instantiation */\n protected settings: CohostClientSettings;\n\n /**\n * Constructs a new endpoint group.\n *\n * @param request - The shared request function for performing API calls\n * @param settings - The client-wide settings passed from the parent client\n */\n constructor(request: RequestFn, settings: CohostClientSettings) {\n this.request = request;\n this.settings = settings;\n }\n}\n","export const apiVersion = '0.1.0';\nexport const apiVersionDate = '2025-04-15';\nexport const apiBaseUrl = 'https://api.cohost.com/v1'","\nexport interface CohostErrorProps {\n /**\n * Optional error code.\n * @default undefined\n */\n errorCode?: string;\n\n /**\n * Optional status code.\n * @default undefined\n */\n statusCode?: number;\n};\n\nexport class CohostError extends Error {\n errorCode: string | undefined;\n statusCode: number | undefined;\n\n /**\n * Custom error class for Cohost SDK errors.\n * @param message - The error message.\n */\n constructor(message: string, props?: CohostErrorProps) {\n // Call the parent constructor with the message\n super(message);\n\n // Set the name of the error to \"CohostError\"\n this.name = \"CohostError\";\n\n // Set the error code if provided\n this.errorCode = props?.errorCode;\n // Set the status code if provided\n this.statusCode = props?.statusCode;\n }\n\n static fromError(err: Error, props?: CohostErrorProps): CohostError {\n // Create a new CohostError instance from an existing error\n return new CohostError(err.message, {\n ...props,\n errorCode: props?.errorCode || err.name,\n });\n }\n\n}\n\n\n\n\n","/**\n * Optional settings for customizing the behavior of the CohostClient.\n */\nexport interface CohostClientSettings {\n /** Enable verbose debug output for all API requests. */\n debug?: boolean;\n\n /** Override the default API base URL (defaults to apiBaseUrl). */\n apiUrl?: string;\n}\n\n// settings.ts\nexport const defaultSettings = {\n baseUrl: 'https://api.cohost.vip',\n headers: {\n 'Content-Type': 'application/json',\n },\n};\n\n// In dev or testing, you can override this in the browser or Node\nexport let runtimeOverrides: {\n baseUrl?: string;\n headers?: Record<string, string>;\n} = {};\n\nexport function setSdkOverrides(overrides: typeof runtimeOverrides) {\n runtimeOverrides = overrides;\n}\n\n","import { PaginatedRequest } from \"../../types\";\nimport { apiBaseUrl } from \"../apiVersion\";\nimport { CohostError } from \"../error/CohostError\";\nimport { defaultSettings, runtimeOverrides } from \"../settings\";\nimport { Pagination } from \"../types/pagination\";\n\n/**\n * Options for configuring the request handler.\n */\ninterface RequestProps {\n /** API token for authentication (Bearer token). */\n token: string | null;\n\n /** Base URL of the API (defaults to versioned `apiBaseUrl`). */\n baseUrl?: string;\n\n /** Enable debug logging of requests/responses. */\n debug?: boolean;\n}\n\n/**\n * Supported HTTP methods.\n */\ntype RequestMethod = \"GET\" | \"POST\" | \"PUT\" | \"DELETE\" | \"PATCH\";\n\ntype RequestOptions = {\n method?: RequestMethod;\n data?: any;\n query?: Record<string, string | number | boolean | string[] | undefined>;\n headers?: Record<string, string>;\n pagination?: Pagination;\n};\n\nexport const paginatedOptions = (req: PaginatedRequest<any>, options?: Partial<RequestOptions>): RequestOptions => {\n const { pagination, ...rest } = req;\n return {\n query: rest,\n pagination,\n ...options,\n };\n};\n\n/**\n * Builds a query string from a flat object, supporting array values via repeated keys.\n */\nconst buildQueryString = (\n input?: Record<string, string | number | boolean | string[] | undefined>\n): string => {\n if (!input) return \"\";\n\n const params = new URLSearchParams();\n for (const [key, value] of Object.entries(input)) {\n if (value === undefined) continue;\n if (Array.isArray(value)) {\n value.forEach((v) => params.append(key, String(v)));\n } else {\n params.set(key, String(value));\n }\n }\n return params.toString() ? `?${params.toString()}` : \"\";\n};\n\n/**\n * A function that performs a request to the Cohost API.\n * The generic <T> allows you to specify the expected response type.\n */\ntype RequestFn = <T = any>(\n path: string,\n options?: RequestOptions\n) => Promise<T>;\n\n/**\n * Creates a request function configured with authentication and client defaults.\n * The returned function supports generic return typing via <T>.\n */\nconst request = ({ token, baseUrl = apiBaseUrl, debug = false }: RequestProps): RequestFn => {\n return async function <T = any>(\n path: string,\n options: RequestOptions = {}\n ): Promise<T> {\n const { method = \"GET\", data, query, pagination, headers = {} } = options;\n\n const _query = {\n ...query,\n ...pagination,\n };\n\n const queryString = buildQueryString(_query);\n const finalBaseUrl = runtimeOverrides.baseUrl ?? baseUrl;\n const url = `${finalBaseUrl}${path}${queryString}`;\n\n const reqHeaders: Record<string, string> = {\n ...defaultSettings.headers,\n ...runtimeOverrides.headers,\n ...headers,\n };\n\n if (token) {\n reqHeaders[\"Authorization\"] = `Bearer ${token}`;\n }\n\n const body = data && method !== \"GET\" ? JSON.stringify(data) : undefined;\n\n if (debug) {\n console.log(`[Cohost SDK] Request: ${method} ${url}`);\n if (body) console.log(`[Cohost SDK] Body:`, body);\n\n const cleanHeaders: Record<string, string> = {};\n for (const [key, value] of Object.entries(reqHeaders)) {\n if (key.toLowerCase() === \"authorization\") {\n cleanHeaders[key] = \"Bearer <token>\" + (value ? ` (${value.split(\" \")[1].slice(0, 4)}...)` : \"\");\n } else {\n cleanHeaders[key] = value;\n }\n }\n\n console.log(`[Cohost SDK] Headers:`, cleanHeaders);\n }\n\n const res = await fetch(url, {\n method,\n headers: reqHeaders,\n body,\n });\n\n const isJson = res.headers.get(\"content-type\")?.includes(\"application/json\");\n const responseBody = isJson ? await res.json() : await res.text();\n\n if (!res.ok) {\n const message = typeof responseBody === \"string\" ? responseBody : JSON.stringify(responseBody);\n console.error(`[Cohost SDK] Error(${res.status}): ${message}`, { url });\n throw new CohostError(message || res.statusText, {\n errorCode: res.statusText || \"API_ERROR\",\n statusCode: res.status,\n });\n }\n\n if (\n typeof responseBody === \"object\" &&\n responseBody !== null &&\n (responseBody as any).status === \"ok\" &&\n \"data\" in responseBody\n ) {\n return (responseBody as { data: T }).data;\n }\n\n return responseBody as T;\n };\n};\n\nexport { type RequestProps, type RequestFn };\nexport { request };\n","// src/api/EventsAPI.ts\n\nimport { CohostEndpoint } from '../endpoint';\nimport { Attendee, EventProfile, PaginatedRequest, PaginatedResponse, Ticket } from '../../types/index';\nimport { paginatedOptions } from '../http/request';\n\n/**\n * Provides methods to interact with the Cohost Events API.\n * \n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const list = await client.events.list();\n * const event = await client.events.fetch('event-id');\n * const tickets = await client.events.tickets('event-id');\n * ```\n */\nexport class EventsAPI extends CohostEndpoint {\n\n /**\n * Fetch a list of all events.\n * \n * @returns A Promise resolving to an array of event objects\n * @throws Will throw an error if the request fails\n * \n * @todo Implement pagination and filtering options\n */\n async list() {\n return this.request<EventProfile[]>('/events');\n }\n\n\n /**\n * Fetch a single event by ID.\n * \n * @param id - The unique identifier of the event\n * @returns A Promise resolving to the event object\n * @throws Will throw an error if the request fails or the event is not found\n */\n async fetch(id: string) {\n return this.request<EventProfile>(`/events/${id}`);\n }\n\n\n\n /**\n * List all tickets associated with a specific event.\n * \n * @param id - The unique identifier of the event\n * @returns A Promise resolving to an array of ticket objects\n * @throws Will throw an error if the request fails or the event does not exist\n */\n async tickets(id: string) {\n return this.request<Ticket[]>(`/events/${id}/tickets`);\n }\n\n /**\n * List attendees in the event.\n *\n * Requires: valid authentication token. This endpoint is not public.\n * \n * @param id - The ID of the event.\n * @returns List of tickets (attendees) for the event.\n */\n async attendees(id: string, filters?: PaginatedRequest<any>) {\n return this.request<PaginatedResponse<Attendee>>(`/events/${id}/attendees`, paginatedOptions(filters));\n }\n\n \n\n}\n","import { CohostEndpoint } from '../endpoint';\n\n/**\n * Provides methods to interact with the Cohost Orders API.\n * \n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const order = await client.orders.fetch('order-id', 'user-id');\n * const list = await client.orders.list({ status: 'completed' });\n * ```\n */\nexport class OrdersAPI extends CohostEndpoint {\n\n /**\n * Fetch a single order by ID.\n * \n * @param id - The unique identifier of the order\n * @param uid - The unique user ID associated with the order (currently unused but reserved for future auth context)\n * @returns A Promise resolving to the order object\n * @throws Will throw an error if the request fails or the order is not found\n */\n async fetch(id: string, uid: string) {\n // uid is reserved for future scoped access/auth features\n return this.request(`/orders/${id}?uid=${uid}`);\n }\n\n /**\n * Fetch a single order by ID.\n * \n * @param id - The unique identifier of the order\n * @param uid - The unique user ID associated with the order (currently unused but reserved for future auth context)\n * @returns A Promise resolving to the order object\n * @throws Will throw an error if the request fails or the order is not found\n */\n async attendees(id: string, uid: string) {\n // uid is reserved for future scoped access/auth features\n return this.request(`/orders/${id}/attendees?uid=${uid}`);\n }\n\n /**\n * List orders with optional filters.\n * \n * @param filters - Optional filters to apply when retrieving orders\n * @returns A Promise resolving to an array of order summaries\n * @throws Will throw an error if the request fails\n */\n async list(filters?: {\n status?: string;\n startDate?: string;\n endDate?: string;\n page?: number;\n pageSize?: number;\n }) {\n const query = new URLSearchParams(filters as Record<string, string>).toString();\n return this.request(`/orders${query ? `?${query}` : ''}`);\n }\n}\n","import { CartSession, StartCartSessionInput, UpdatableCartSession } from '../../types';\nimport { CohostEndpoint } from '../endpoint';\n\n/**\n * Provides methods to interact with cart sessions in the Cohost API.\n *\n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const session = await client.sessions.start({ contextId: 'evt_abc123' });\n * ```\n */\nexport class SessionsAPI extends CohostEndpoint {\n\n /**\n * Start a new cart session.\n *\n * @param input - Data to start the session\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the request fails\n */\n async start(input: StartCartSessionInput) {\n return this.request<CartSession>('/cart/sessions', {\n method: 'POST',\n data: input,\n });\n }\n\n /**\n * Get a cart session by its ID.\n *\n * @param id - The unique session ID\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the session is not found or request fails\n */\n async get(id: string) {\n return this.request<CartSession>(`/cart/sessions/${id}`);\n }\n\n /**\n * Update a cart session.\n *\n * @param id - The ID of the session to update\n * @param input - Data to update the session\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the update fails\n */\n async update(id: string, input: Partial<UpdatableCartSession>) {\n return this.request<CartSession>(`/cart/sessions/${id}`, {\n method: 'PATCH',\n data: input,\n });\n }\n\n /**\n * Cancel (soft delete) a cart session.\n *\n * @param id - The ID of the session to cancel\n * @returns Nothing if successful\n * \n * @throws Will throw an error if the cancel operation fails\n */\n async cancel(id: string) {\n return this.request<void>(`/cart/sessions/${id}`, {\n method: 'DELETE',\n });\n }\n\n /**\n * Update an item in the cart session.\n *\n * @param sessionId - The ID of the session\n * @param props - Properties to update\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the update fails\n */\n async updateItem(sessionId: string, props: {\n itemId: string;\n quantity: number;\n options?: {\n [key: string]: any;\n };\n }) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/item`, {\n method: 'POST',\n data: props,\n });\n }\n\n /**\n * Pre-validate the cart session for payment and checkout.\n *\n * @param sessionId - The ID of the cart session\n * @param data - Data required for validation\n * @returns {CartSession} The validated cart session\n * \n * @throws Will throw an error if validation fails\n */\n async preValidate(sessionId: string, data: any) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/payment/pre-validate`, {\n method: 'POST',\n data: data,\n });\n }\n\n\n\n /**\n * Prepare the cart session for payment.\n *\n * @param sessionId - The ID of the cart session\n * @param data - Data required for payment preparation\n * @returns {CartSession} The prepared cart session\n * \n * @throws Will throw an error if preparation fails\n */\n async processPayment(sessionId: string, data: unknown) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/payment/process`, {\n method: 'POST',\n data: data,\n });\n }\n\n /**\n * Close the cart session, and place the order.\n * \n * @param sessionId - The ID of the session\n * @param data - Data to place the order\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the order placement fails\n */\n async placeOrder(sessionId: string, data: any) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/place-order`, {\n method: 'POST',\n data: data,\n });\n }\n\n /**\n * Remove an item from the cart session.\n * The same as setting the quantity to 0.\n * \n * @param sessionId - The ID of the cart session\n * @param itemId - The ID of the item to remove\n * @returns {CartSession} The latest cart session\n */\n async deleteItem(sessionId: string, itemId: string) {\n return this.updateItem(sessionId, {\n itemId,\n quantity: 0,\n });\n }\n\n\n\n\n\n /**\n * Join a table commitment within an active cart session.\n *\n * @param id - The ID of the cart session\n * @param tableCommitmentId - The table commitment ID to join\n * @returns {CartSession} Updated cart session with joined table\n * \n * @throws Will throw an error if the join operation fails\n */\n async joinTableCommitment(id: string, tableCommitmentId: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/join-table`, {\n method: 'POST',\n data: {\n tableCommitmentId,\n }\n });\n }\n\n\n /**\n * Apply a coupon code to the cart session.\n *\n * @param id - The ID of the cart session\n * @param code - The coupon code to apply\n * @returns {CartSession} Updated cart session with applied coupon\n * \n * @throws Will throw an error if the coupon application fails\n */\n async applyCoupon(id: string, code: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/coupons`, {\n method: 'POST',\n data: {\n code\n }\n });\n }\n\n /**\n * Find viable table options for a cart session.\n *\n * @param id - The ID of the cart session\n * @param props - Properties to find viable tables\n * @returns {ViableTableOption[]} List of viable table options\n * \n * @throws Will throw an error if the request fails\n */\n async deleteCoupon(id: string, couponId: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/coupons/${couponId}`, {\n method: 'DELETE'\n });\n }\n}\n","import { EventsAPI } from './api/events';\nimport { OrdersAPI } from './api/orders';\nimport { SessionsAPI } from './api/sessions';\nimport { apiBaseUrl } from './apiVersion';\nimport { request, RequestFn } from './http/request';\nimport { CohostClientSettings } from './settings';\n\n/**\n * Configuration options for instantiating a CohostClient.\n */\nexport interface CohostClientOptions {\n /** API token used for authenticated requests. */\n token: string;\n\n /** Optional client settings such as debug mode or custom API URL. */\n settings?: CohostClientSettings;\n}\n\n/**\n * CohostClient provides grouped access to various API modules such as Events and Orders.\n */\nexport class CohostClient {\n public readonly events: EventsAPI;\n public readonly orders: OrdersAPI;\n public readonly cart: SessionsAPI;\n\n private readonly baseOptions: CohostClientOptions;\n\n constructor(options: CohostClientOptions, customRequestFn?: RequestFn) {\n this.baseOptions = options;\n\n const { token, settings = {} } = options;\n\n const sharedRequest = customRequestFn ?? request({\n token,\n baseUrl: settings.apiUrl || apiBaseUrl,\n debug: settings.debug,\n });\n\n this.events = new EventsAPI(sharedRequest, settings);\n this.orders = new OrdersAPI(sharedRequest, settings);\n this.cart = new SessionsAPI(sharedRequest, settings);\n }\n\n /**\n * Returns a new CohostClient instance with overridden request behavior\n */\n public requestWithOverrides(overrides: {\n token?: string;\n baseUrl?: string;\n headers?: Record<string, string>;\n }): CohostClient {\n const { token, settings = {} } = this.baseOptions;\n\n const overriddenRequest: RequestFn = (path, options = {}) =>\n request({\n token: overrides.token ?? token,\n baseUrl: overrides.baseUrl ?? settings.apiUrl ?? apiBaseUrl,\n debug: settings.debug,\n })(path, {\n ...options,\n headers: {\n ...(overrides.headers || {}),\n ...(options.headers || {}),\n },\n });\n\n return new CohostClient(\n {\n token: overrides.token ?? token,\n settings: {\n ...settings,\n apiUrl: overrides.baseUrl ?? settings.apiUrl,\n },\n },\n overriddenRequest\n );\n }\n}\n","import { CohostClient, CohostClientOptions } from './client';\nexport { type CohostClientSettings } from './settings';\n\n/**\n * Factory method for creating a CohostClient instance.\n * \n * Example:\n * ```ts\n * const client = createCohostClient({ token: 'your-token' });\n * ```\n */\nexport function createCohostClient(options: CohostClientOptions): CohostClient {\n return new CohostClient(options);\n}\n\n\nexport { CohostClient }\n\nexport * from '../types';"],"mappings":"oKAOO,IAAMA,EAAN,KAAqB,CAa1B,YAAYC,EAAoBC,EAAgC,CAXhEC,EAAA,KAAU,WAGVA,EAAA,KAAU,YASR,KAAK,QAAUF,EACf,KAAK,SAAWC,CAClB,CACF,ECtBO,IAAME,EAAa,4BCanB,IAAMC,EAAN,MAAMC,UAAoB,KAAM,CAQnC,YAAYC,EAAiBC,EAA0B,CAEnD,MAAMD,CAAO,EATjBE,EAAA,kBACAA,EAAA,mBAWI,KAAK,KAAO,cAGZ,KAAK,UAAYD,GAAO,UAExB,KAAK,WAAaA,GAAO,UAC7B,CAEA,OAAO,UAAUE,EAAYF,EAAuC,CAEhE,OAAO,IAAIF,EAAYI,EAAI,QAAS,CAChC,GAAGF,EACH,UAAWA,GAAO,WAAaE,EAAI,IACvC,CAAC,CACL,CAEJ,EChCO,IAAMC,EAAkB,CAC3B,QAAS,yBACT,QAAS,CACL,eAAgB,kBACpB,CACJ,EAGWC,EAGP,CAAC,ECUE,IAAMC,EAAmB,CAACC,EAA4BC,IAAsD,CACjH,GAAM,CAAE,WAAAC,EAAY,GAAGC,CAAK,EAAIH,EAChC,MAAO,CACL,MAAOG,EACP,WAAAD,EACA,GAAGD,CACL,CACF,EAKMG,EACJC,GACW,CACX,GAAI,CAACA,EAAO,MAAO,GAEnB,IAAMC,EAAS,IAAI,gBACnB,OAAW,CAACC,EAAKC,CAAK,IAAK,OAAO,QAAQH,CAAK,EACzCG,IAAU,SACV,MAAM,QAAQA,CAAK,EACrBA,EAAM,QAASC,GAAMH,EAAO,OAAOC,EAAK,OAAOE,CAAC,CAAC,CAAC,EAElDH,EAAO,IAAIC,EAAK,OAAOC,CAAK,CAAC,GAGjC,OAAOF,EAAO,SAAS,EAAI,IAAIA,EAAO,SAAS,CAAC,GAAK,EACvD,EAeMI,EAAU,CAAC,CAAE,MAAAC,EAAO,QAAAC,EAAUC,EAAY,MAAAC,EAAQ,EAAM,IACrD,eACLC,EACAd,EAA0B,CAAC,EACf,CACZ,GAAM,CAAE,OAAAe,EAAS,MAAO,KAAAC,EAAM,MAAAC,EAAO,WAAAhB,EAAY,QAAAiB,EAAU,CAAC,CAAE,EAAIlB,EAE5DmB,EAAS,CACb,GAAGF,EACH,GAAGhB,CACL,EAEMmB,EAAcjB,EAAiBgB,CAAM,EAErCE,EAAM,GADSC,EAAiB,SAAWX,CACtB,GAAGG,CAAI,GAAGM,CAAW,GAE1CG,EAAqC,CACzC,GAAGC,EAAgB,QACnB,GAAGF,EAAiB,QACpB,GAAGJ,CACL,EAEIR,IACFa,EAAW,cAAmB,UAAUb,CAAK,IAG/C,IAAMe,EAAOT,GAAQD,IAAW,MAAQ,KAAK,UAAUC,CAAI,EAAI,OAE/D,GAAIH,EAAO,CACT,QAAQ,IAAI,yBAAyBE,CAAM,IAAIM,CAAG,EAAE,EAChDI,GAAM,QAAQ,IAAI,qBAAsBA,CAAI,EAEhD,IAAMC,EAAuC,CAAC,EAC9C,OAAW,CAACpB,EAAKC,CAAK,IAAK,OAAO,QAAQgB,CAAU,EAC9CjB,EAAI,YAAY,IAAM,gBACxBoB,EAAapB,CAAG,EAAI,kBAAoBC,EAAQ,KAAKA,EAAM,MAAM,GAAG,EAAE,CAAC,EAAE,MAAM,EAAG,CAAC,CAAC,OAAS,IAE7FmB,EAAapB,CAAG,EAAIC,EAIxB,QAAQ,IAAI,wBAAyBmB,CAAY,CACnD,CAEA,IAAMC,EAAM,MAAM,MAAMN,EAAK,CAC3B,OAAAN,EACA,QAASQ,EACT,KAAAE,CACF,CAAC,EAGKG,EADSD,EAAI,QAAQ,IAAI,cAAc,GAAG,SAAS,kBAAkB,EAC7C,MAAMA,EAAI,KAAK,EAAI,MAAMA,EAAI,KAAK,EAEhE,GAAI,CAACA,EAAI,GAAI,CACX,IAAME,EAAU,OAAOD,GAAiB,SAAWA,EAAe,KAAK,UAAUA,CAAY,EAC7F,cAAQ,MAAM,sBAAsBD,EAAI,MAAM,MAAME,CAAO,GAAI,CAAE,IAAAR,CAAI,CAAC,EAChE,IAAIS,EAAYD,GAAWF,EAAI,WAAY,CAC/C,UAAWA,EAAI,YAAc,YAC7B,WAAYA,EAAI,MAClB,CAAC,CACH,CAEA,OACE,OAAOC,GAAiB,UACxBA,IAAiB,MAChBA,EAAqB,SAAW,MACjC,SAAUA,EAEFA,EAA6B,KAGhCA,CACT,EClIK,IAAMG,EAAN,cAAwBC,CAAe,CAU5C,MAAM,MAAO,CACX,OAAO,KAAK,QAAwB,SAAS,CAC/C,CAUA,MAAM,MAAMC,EAAY,CACtB,OAAO,KAAK,QAAsB,WAAWA,CAAE,EAAE,CACnD,CAWA,MAAM,QAAQA,EAAY,CACxB,OAAO,KAAK,QAAkB,WAAWA,CAAE,UAAU,CACvD,CAUA,MAAM,UAAUA,EAAYC,EAAiC,CAC3D,OAAO,KAAK,QAAqC,WAAWD,CAAE,aAAcE,EAAiBD,CAAO,CAAC,CACvG,CAIF,EC1DO,IAAME,EAAN,cAAwBC,CAAe,CAU5C,MAAM,MAAMC,EAAYC,EAAa,CAEnC,OAAO,KAAK,QAAQ,WAAWD,CAAE,QAAQC,CAAG,EAAE,CAChD,CAUA,MAAM,UAAUD,EAAYC,EAAa,CAEvC,OAAO,KAAK,QAAQ,WAAWD,CAAE,kBAAkBC,CAAG,EAAE,CAC1D,CASA,MAAM,KAAKC,EAMR,CACD,IAAMC,EAAQ,IAAI,gBAAgBD,CAAiC,EAAE,SAAS,EAC9E,OAAO,KAAK,QAAQ,UAAUC,EAAQ,IAAIA,CAAK,GAAK,EAAE,EAAE,CAC1D,CACF,EC7CO,IAAMC,EAAN,cAA0BC,CAAe,CAU5C,MAAM,MAAMC,EAA8B,CACtC,OAAO,KAAK,QAAqB,iBAAkB,CAC/C,OAAQ,OACR,KAAMA,CACV,CAAC,CACL,CAUA,MAAM,IAAIC,EAAY,CAClB,OAAO,KAAK,QAAqB,kBAAkBA,CAAE,EAAE,CAC3D,CAWA,MAAM,OAAOA,EAAYD,EAAsC,CAC3D,OAAO,KAAK,QAAqB,kBAAkBC,CAAE,GAAI,CACrD,OAAQ,QACR,KAAMD,CACV,CAAC,CACL,CAUA,MAAM,OAAOC,EAAY,CACrB,OAAO,KAAK,QAAc,kBAAkBA,CAAE,GAAI,CAC9C,OAAQ,QACZ,CAAC,CACL,CAWA,MAAM,WAAWC,EAAmBC,EAMjC,CACC,OAAO,KAAK,QAAqB,kBAAkBD,CAAS,QAAS,CACjE,OAAQ,OACR,KAAMC,CACV,CAAC,CACL,CAWA,MAAM,YAAYD,EAAmBE,EAAW,CAC5C,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,wBAAyB,CACjF,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAaA,MAAM,eAAeF,EAAmBE,EAAe,CACnD,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,mBAAoB,CAC5E,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAWA,MAAM,WAAWF,EAAmBE,EAAW,CAC3C,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,eAAgB,CACxE,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAUA,MAAM,WAAWF,EAAmBG,EAAgB,CAChD,OAAO,KAAK,WAAWH,EAAW,CAC9B,OAAAG,EACA,SAAU,CACd,CAAC,CACL,CAeA,MAAM,oBAAoBJ,EAAYK,EAAiD,CACnF,OAAO,KAAK,QAAqB,kBAAkBL,CAAE,cAAe,CAChE,OAAQ,OACR,KAAM,CACF,kBAAAK,CACJ,CACJ,CAAC,CACL,CAYA,MAAM,YAAYL,EAAYM,EAAoC,CAC9D,OAAO,KAAK,QAAqB,kBAAkBN,CAAE,WAAY,CAC7D,OAAQ,OACR,KAAM,CACF,KAAAM,CACJ,CACJ,CAAC,CACL,CAWA,MAAM,aAAaN,EAAYO,EAAwC,CACnE,OAAO,KAAK,QAAqB,kBAAkBP,CAAE,YAAYO,CAAQ,GAAI,CACzE,OAAQ,QACZ,CAAC,CACL,CACJ,EChMO,IAAMC,EAAN,MAAMC,CAAa,CAOxB,YAAYC,EAA8BC,EAA6B,CANvEC,EAAA,KAAgB,UAChBA,EAAA,KAAgB,UAChBA,EAAA,KAAgB,QAEhBA,EAAA,KAAiB,eAGf,KAAK,YAAcF,EAEnB,GAAM,CAAE,MAAAG,EAAO,SAAAC,EAAW,CAAC,CAAE,EAAIJ,EAE3BK,EAAgBJ,GAAmBK,EAAQ,CAC/C,MAAAH,EACA,QAASC,EAAS,QAAUG,EAC5B,MAAOH,EAAS,KAClB,CAAC,EAED,KAAK,OAAS,IAAII,EAAUH,EAAeD,CAAQ,EACnD,KAAK,OAAS,IAAIK,EAAUJ,EAAeD,CAAQ,EACnD,KAAK,KAAO,IAAIM,EAAYL,EAAeD,CAAQ,CACrD,CAKO,qBAAqBO,EAIX,CACf,GAAM,CAAE,MAAAR,EAAO,SAAAC,EAAW,CAAC,CAAE,EAAI,KAAK,YAEhCQ,EAA+B,CAACC,EAAMb,EAAU,CAAC,IACrDM,EAAQ,CACN,MAAOK,EAAU,OAASR,EAC1B,QAASQ,EAAU,SAAWP,EAAS,QAAUG,EACjD,MAAOH,EAAS,KAClB,CAAC,EAAES,EAAM,CACP,GAAGb,EACH,QAAS,CACP,GAAIW,EAAU,SAAW,CAAC,EAC1B,GAAIX,EAAQ,SAAW,CAAC,CAC1B,CACF,CAAC,EAEH,OAAO,IAAID,EACT,CACE,MAAOY,EAAU,OAASR,EAC1B,SAAU,CACR,GAAGC,EACH,OAAQO,EAAU,SAAWP,EAAS,MACxC,CACF,EACAQ,CACF,CACF,CACF,ECnEO,SAASE,GAAmBC,EAA4C,CAC3E,OAAO,IAAIC,EAAaD,CAAO,CACnC","names":["CohostEndpoint","request","settings","__publicField","apiBaseUrl","CohostError","_CohostError","message","props","__publicField","err","defaultSettings","runtimeOverrides","paginatedOptions","req","options","pagination","rest","buildQueryString","input","params","key","value","v","request","token","baseUrl","apiBaseUrl","debug","path","method","data","query","headers","_query","queryString","url","runtimeOverrides","reqHeaders","defaultSettings","body","cleanHeaders","res","responseBody","message","CohostError","EventsAPI","CohostEndpoint","id","filters","paginatedOptions","OrdersAPI","CohostEndpoint","id","uid","filters","query","SessionsAPI","CohostEndpoint","input","id","sessionId","props","data","itemId","tableCommitmentId","code","couponId","CohostClient","_CohostClient","options","customRequestFn","__publicField","token","settings","sharedRequest","request","apiBaseUrl","EventsAPI","OrdersAPI","SessionsAPI","overrides","overriddenRequest","path","createCohostClient","options","CohostClient"]}
1
+ {"version":3,"sources":["../src/endpoint.ts","../src/apiVersion.ts","../src/error/CohostError.ts","../src/settings.ts","../src/http/request.ts","../src/api/events.ts","../src/api/orders.ts","../src/api/sessions.ts","../src/client.ts","../src/index.ts"],"sourcesContent":["import { RequestFn } from \"./http/request\";\nimport { CohostClientSettings } from \"./settings\";\n\n/**\n * Base class for all API endpoint groups within the Cohost SDK.\n * Provides shared access to the configured request function and settings.\n */\nexport class CohostEndpoint {\n /** Shared request function injected from the client */\n protected request: RequestFn;\n\n /** Client settings passed during instantiation */\n protected settings: CohostClientSettings;\n\n /**\n * Constructs a new endpoint group.\n *\n * @param request - The shared request function for performing API calls\n * @param settings - The client-wide settings passed from the parent client\n */\n constructor(request: RequestFn, settings: CohostClientSettings) {\n this.request = request;\n this.settings = settings;\n }\n}\n","export const apiVersion = '0.1.0';\nexport const apiVersionDate = '2025-04-15';\nexport const apiBaseUrl = 'https://api.cohost.com/v1'","\nexport interface CohostErrorProps {\n /**\n * Optional error code.\n * @default undefined\n */\n errorCode?: string;\n\n /**\n * Optional status code.\n * @default undefined\n */\n statusCode?: number;\n};\n\nexport class CohostError extends Error {\n errorCode: string | undefined;\n statusCode: number | undefined;\n\n /**\n * Custom error class for Cohost SDK errors.\n * @param message - The error message.\n */\n constructor(message: string, props?: CohostErrorProps) {\n // Call the parent constructor with the message\n super(message);\n\n // Set the name of the error to \"CohostError\"\n this.name = \"CohostError\";\n\n // Set the error code if provided\n this.errorCode = props?.errorCode;\n // Set the status code if provided\n this.statusCode = props?.statusCode;\n }\n\n static fromError(err: Error, props?: CohostErrorProps): CohostError {\n // Create a new CohostError instance from an existing error\n return new CohostError(err.message, {\n ...props,\n errorCode: props?.errorCode || err.name,\n });\n }\n\n}\n\n\n\n\n","/**\n * Optional settings for customizing the behavior of the CohostClient.\n */\nexport interface CohostClientSettings {\n /** Enable verbose debug output for all API requests. */\n debug?: boolean;\n\n /** Override the default API base URL (defaults to apiBaseUrl). */\n apiUrl?: string;\n}\n\n// settings.ts\nexport const defaultSettings = {\n baseUrl: 'https://api.cohost.vip',\n headers: {\n 'Content-Type': 'application/json',\n },\n};\n\n// In dev or testing, you can override this in the browser or Node\nexport let runtimeOverrides: {\n baseUrl?: string;\n headers?: Record<string, string>;\n} = {};\n\nexport function setSdkOverrides(overrides: typeof runtimeOverrides) {\n runtimeOverrides = overrides;\n}\n\n","import { PaginatedRequest } from \"../../types\";\nimport { apiBaseUrl } from \"../apiVersion\";\nimport { CohostError } from \"../error/CohostError\";\nimport { defaultSettings, runtimeOverrides } from \"../settings\";\nimport { Pagination } from \"../types/pagination\";\n\n/**\n * Options for configuring the request handler.\n */\ninterface RequestProps {\n /** API token for authentication (Bearer token). */\n token: string | null;\n\n /** Base URL of the API (defaults to versioned `apiBaseUrl`). */\n baseUrl?: string;\n\n /** Enable debug logging of requests/responses. */\n debug?: boolean;\n}\n\n/**\n * Supported HTTP methods.\n */\ntype RequestMethod = \"GET\" | \"POST\" | \"PUT\" | \"DELETE\" | \"PATCH\";\n\ntype RequestOptions = {\n method?: RequestMethod;\n data?: any;\n query?: Record<string, string | number | boolean | string[] | undefined>;\n headers?: Record<string, string>;\n pagination?: Pagination;\n};\n\nexport const paginatedOptions = (req: PaginatedRequest<any>, options?: Partial<RequestOptions>): RequestOptions => {\n const { pagination, ...rest } = req;\n return {\n query: rest,\n pagination,\n ...options,\n };\n};\n\n/**\n * Builds a query string from a flat object, supporting array values via repeated keys.\n */\nconst buildQueryString = (\n input?: Record<string, string | number | boolean | string[] | undefined>\n): string => {\n if (!input) return \"\";\n\n const params = new URLSearchParams();\n for (const [key, value] of Object.entries(input)) {\n if (value === undefined) continue;\n if (Array.isArray(value)) {\n value.forEach((v) => params.append(key, String(v)));\n } else {\n params.set(key, String(value));\n }\n }\n return params.toString() ? `?${params.toString()}` : \"\";\n};\n\n/**\n * A function that performs a request to the Cohost API.\n * The generic <T> allows you to specify the expected response type.\n */\ntype RequestFn = <T = any>(\n path: string,\n options?: RequestOptions\n) => Promise<T>;\n\n/**\n * Creates a request function configured with authentication and client defaults.\n * The returned function supports generic return typing via <T>.\n */\nconst request = ({ token, baseUrl = apiBaseUrl, debug = false }: RequestProps): RequestFn => {\n return async function <T = any>(\n path: string,\n options: RequestOptions = {}\n ): Promise<T> {\n const { method = \"GET\", data, query, pagination, headers = {} } = options;\n\n const _query = {\n ...query,\n ...pagination,\n };\n\n const queryString = buildQueryString(_query);\n const finalBaseUrl = runtimeOverrides.baseUrl ?? baseUrl;\n const url = `${finalBaseUrl}${path}${queryString}`;\n\n const reqHeaders: Record<string, string> = {\n ...defaultSettings.headers,\n ...runtimeOverrides.headers,\n ...headers,\n };\n\n if (token) {\n reqHeaders[\"Authorization\"] = `Bearer ${token}`;\n }\n\n const body = data && method !== \"GET\" ? JSON.stringify(data) : undefined;\n\n if (debug) {\n console.log(`[Cohost SDK] Request: ${method} ${url}`);\n if (body) console.log(`[Cohost SDK] Body:`, body);\n\n const cleanHeaders: Record<string, string> = {};\n for (const [key, value] of Object.entries(reqHeaders)) {\n if (key.toLowerCase() === \"authorization\") {\n const tokenValue = value?.split(\" \")[1];\n cleanHeaders[key] = \"Bearer <token-\" + (tokenValue ? `${tokenValue[0]}...${tokenValue.slice(-4)}>` : \"\");\n } else {\n cleanHeaders[key] = value;\n }\n }\n\n console.log(`[Cohost SDK] Headers:`, cleanHeaders);\n }\n\n const res = await fetch(url, {\n method,\n headers: reqHeaders,\n body,\n });\n\n const isJson = res.headers.get(\"content-type\")?.includes(\"application/json\");\n const responseBody = isJson ? await res.json() : await res.text();\n\n if (!res.ok) {\n const message = typeof responseBody === \"string\" ? responseBody : JSON.stringify(responseBody);\n console.error(`[Cohost SDK] Error(${res.status}): ${message}`, { url });\n throw new CohostError(message || res.statusText, {\n errorCode: res.statusText || \"API_ERROR\",\n statusCode: res.status,\n });\n }\n\n if (\n typeof responseBody === \"object\" &&\n responseBody !== null &&\n (responseBody as any).status === \"ok\" &&\n \"data\" in responseBody\n ) {\n return (responseBody as { data: T }).data;\n }\n\n return responseBody as T;\n };\n};\n\nexport { type RequestProps, type RequestFn };\nexport { request };\n","// src/api/EventsAPI.ts\n\nimport { CohostEndpoint } from '../endpoint';\nimport { Attendee, EventProfile, PaginatedRequest, PaginatedResponse, Ticket } from '../../types/index';\nimport { paginatedOptions } from '../http/request';\n\n/**\n * Provides methods to interact with the Cohost Events API.\n * \n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const list = await client.events.list();\n * const event = await client.events.fetch('event-id');\n * const tickets = await client.events.tickets('event-id');\n * ```\n */\nexport class EventsAPI extends CohostEndpoint {\n\n /**\n * Fetch a list of all events.\n * \n * @returns A Promise resolving to an array of event objects\n * @throws Will throw an error if the request fails\n * \n * @todo Implement pagination and filtering options\n */\n async list() {\n return this.request<EventProfile[]>('/events');\n }\n\n\n /**\n * Fetch a single event by ID.\n * \n * @param id - The unique identifier of the event\n * @returns A Promise resolving to the event object\n * @throws Will throw an error if the request fails or the event is not found\n */\n async fetch(id: string) {\n return this.request<EventProfile>(`/events/${id}`);\n }\n\n\n\n /**\n * List all tickets associated with a specific event.\n * \n * @param id - The unique identifier of the event\n * @returns A Promise resolving to an array of ticket objects\n * @throws Will throw an error if the request fails or the event does not exist\n */\n async tickets(id: string) {\n return this.request<Ticket[]>(`/events/${id}/tickets`);\n }\n\n /**\n * List attendees in the event.\n *\n * Requires: valid authentication token. This endpoint is not public.\n * \n * @param id - The ID of the event.\n * @returns List of tickets (attendees) for the event.\n */\n async attendees(id: string, filters?: PaginatedRequest<any>) {\n return this.request<PaginatedResponse<Attendee>>(`/events/${id}/attendees`, paginatedOptions(filters));\n }\n\n \n\n}\n","import { CohostEndpoint } from '../endpoint';\n\n/**\n * Provides methods to interact with the Cohost Orders API.\n * \n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const order = await client.orders.fetch('order-id', 'user-id');\n * const list = await client.orders.list({ status: 'completed' });\n * ```\n */\nexport class OrdersAPI extends CohostEndpoint {\n\n /**\n * Fetch a single order by ID.\n * \n * @param id - The unique identifier of the order\n * @param uid - The unique user ID associated with the order (currently unused but reserved for future auth context)\n * @returns A Promise resolving to the order object\n * @throws Will throw an error if the request fails or the order is not found\n */\n async fetch(id: string, uid: string) {\n // uid is reserved for future scoped access/auth features\n return this.request(`/orders/${id}?uid=${uid}`);\n }\n\n /**\n * Fetch a single order by ID.\n * \n * @param id - The unique identifier of the order\n * @param uid - The unique user ID associated with the order (currently unused but reserved for future auth context)\n * @returns A Promise resolving to the order object\n * @throws Will throw an error if the request fails or the order is not found\n */\n async attendees(id: string, uid: string) {\n // uid is reserved for future scoped access/auth features\n return this.request(`/orders/${id}/attendees?uid=${uid}`);\n }\n\n /**\n * List orders with optional filters.\n * \n * @param filters - Optional filters to apply when retrieving orders\n * @returns A Promise resolving to an array of order summaries\n * @throws Will throw an error if the request fails\n */\n async list(filters?: {\n status?: string;\n startDate?: string;\n endDate?: string;\n page?: number;\n pageSize?: number;\n }) {\n const query = new URLSearchParams(filters as Record<string, string>).toString();\n return this.request(`/orders${query ? `?${query}` : ''}`);\n }\n}\n","import { CartSession, StartCartSessionInput, UpdatableCartSession } from '../../types';\nimport { CohostEndpoint } from '../endpoint';\n\n/**\n * Provides methods to interact with cart sessions in the Cohost API.\n *\n * Usage:\n * ```ts\n * const client = new CohostClient({ token: 'your-token' });\n * const session = await client.sessions.start({ contextId: 'evt_abc123' });\n * ```\n */\nexport class SessionsAPI extends CohostEndpoint {\n\n /**\n * Start a new cart session.\n *\n * @param input - Data to start the session\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the request fails\n */\n async start(input: StartCartSessionInput) {\n return this.request<CartSession>('/cart/sessions', {\n method: 'POST',\n data: input,\n });\n }\n\n /**\n * Get a cart session by its ID.\n *\n * @param id - The unique session ID\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the session is not found or request fails\n */\n async get(id: string) {\n return this.request<CartSession>(`/cart/sessions/${id}`);\n }\n\n /**\n * Update a cart session.\n *\n * @param id - The ID of the session to update\n * @param input - Data to update the session\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the update fails\n */\n async update(id: string, input: Partial<UpdatableCartSession>) {\n return this.request<CartSession>(`/cart/sessions/${id}`, {\n method: 'PATCH',\n data: input,\n });\n }\n\n /**\n * Cancel (soft delete) a cart session.\n *\n * @param id - The ID of the session to cancel\n * @returns Nothing if successful\n * \n * @throws Will throw an error if the cancel operation fails\n */\n async cancel(id: string) {\n return this.request<void>(`/cart/sessions/${id}`, {\n method: 'DELETE',\n });\n }\n\n /**\n * Update an item in the cart session.\n *\n * @param sessionId - The ID of the session\n * @param props - Properties to update\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the update fails\n */\n async updateItem(sessionId: string, props: {\n itemId: string;\n quantity: number;\n options?: {\n [key: string]: any;\n };\n }) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/item`, {\n method: 'POST',\n data: props,\n });\n }\n\n /**\n * Pre-validate the cart session for payment and checkout.\n *\n * @param sessionId - The ID of the cart session\n * @param data - Data required for validation\n * @returns {CartSession} The validated cart session\n * \n * @throws Will throw an error if validation fails\n */\n async preValidate(sessionId: string, data: any) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/payment/pre-validate`, {\n method: 'POST',\n data: data,\n });\n }\n\n\n\n /**\n * Prepare the cart session for payment.\n *\n * @param sessionId - The ID of the cart session\n * @param data - Data required for payment preparation\n * @returns {CartSession} The prepared cart session\n * \n * @throws Will throw an error if preparation fails\n */\n async processPayment(sessionId: string, data: unknown) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/payment/process`, {\n method: 'POST',\n data: data,\n });\n }\n\n /**\n * Close the cart session, and place the order.\n * \n * @param sessionId - The ID of the session\n * @param data - Data to place the order\n * @returns {CartSession} The latest cart session\n * \n * @throws Will throw an error if the order placement fails\n */\n async placeOrder(sessionId: string, data: any) {\n return this.request<CartSession>(`/cart/sessions/${sessionId}/place-order`, {\n method: 'POST',\n data: data,\n });\n }\n\n /**\n * Remove an item from the cart session.\n * The same as setting the quantity to 0.\n * \n * @param sessionId - The ID of the cart session\n * @param itemId - The ID of the item to remove\n * @returns {CartSession} The latest cart session\n */\n async deleteItem(sessionId: string, itemId: string) {\n return this.updateItem(sessionId, {\n itemId,\n quantity: 0,\n });\n }\n\n\n\n\n\n /**\n * Join a table commitment within an active cart session.\n *\n * @param id - The ID of the cart session\n * @param tableCommitmentId - The table commitment ID to join\n * @returns {CartSession} Updated cart session with joined table\n * \n * @throws Will throw an error if the join operation fails\n */\n async joinTableCommitment(id: string, tableCommitmentId: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/join-table`, {\n method: 'POST',\n data: {\n tableCommitmentId,\n }\n });\n }\n\n\n /**\n * Apply a coupon code to the cart session.\n *\n * @param id - The ID of the cart session\n * @param code - The coupon code to apply\n * @returns {CartSession} Updated cart session with applied coupon\n * \n * @throws Will throw an error if the coupon application fails\n */\n async applyCoupon(id: string, code: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/coupons`, {\n method: 'POST',\n data: {\n code\n }\n });\n }\n\n /**\n * Find viable table options for a cart session.\n *\n * @param id - The ID of the cart session\n * @param props - Properties to find viable tables\n * @returns {ViableTableOption[]} List of viable table options\n * \n * @throws Will throw an error if the request fails\n */\n async deleteCoupon(id: string, couponId: string): Promise<CartSession> {\n return this.request<CartSession>(`/cart/sessions/${id}/coupons/${couponId}`, {\n method: 'DELETE'\n });\n }\n}\n","import { EventsAPI } from './api/events';\nimport { OrdersAPI } from './api/orders';\nimport { SessionsAPI } from './api/sessions';\nimport { apiBaseUrl } from './apiVersion';\nimport { request, RequestFn } from './http/request';\nimport { CohostClientSettings } from './settings';\n\n/**\n * Configuration options for instantiating a CohostClient.\n */\nexport interface CohostClientOptions {\n /** API token used for authenticated requests. */\n token: string;\n\n /** Optional client settings such as debug mode or custom API URL. */\n settings?: CohostClientSettings;\n}\n\n/**\n * CohostClient provides grouped access to various API modules such as Events and Orders.\n */\nexport class CohostClient {\n public readonly events: EventsAPI;\n public readonly orders: OrdersAPI;\n public readonly cart: SessionsAPI;\n\n private readonly baseOptions: CohostClientOptions;\n\n constructor(options: CohostClientOptions, customRequestFn?: RequestFn) {\n this.baseOptions = options;\n\n const { token, settings = {} } = options;\n\n const sharedRequest = customRequestFn ?? request({\n token,\n baseUrl: settings.apiUrl || apiBaseUrl,\n debug: settings.debug,\n });\n\n this.events = new EventsAPI(sharedRequest, settings);\n this.orders = new OrdersAPI(sharedRequest, settings);\n this.cart = new SessionsAPI(sharedRequest, settings);\n }\n\n /**\n * Returns a new CohostClient instance with overridden request behavior\n */\n public requestWithOverrides(overrides: {\n token?: string;\n baseUrl?: string;\n headers?: Record<string, string>;\n }): CohostClient {\n const { token, settings = {} } = this.baseOptions;\n\n const overriddenRequest: RequestFn = (path, options = {}) =>\n request({\n token: overrides.token ?? token,\n baseUrl: overrides.baseUrl ?? settings.apiUrl ?? apiBaseUrl,\n debug: settings.debug,\n })(path, {\n ...options,\n headers: {\n ...(overrides.headers || {}),\n ...(options.headers || {}),\n },\n });\n\n return new CohostClient(\n {\n token: overrides.token ?? token,\n settings: {\n ...settings,\n apiUrl: overrides.baseUrl ?? settings.apiUrl,\n },\n },\n overriddenRequest\n );\n }\n}\n","import { CohostClient, CohostClientOptions } from './client';\nexport { type CohostClientSettings } from './settings';\n\n/**\n * Factory method for creating a CohostClient instance.\n * \n * Example:\n * ```ts\n * const client = createCohostClient({ token: 'your-token' });\n * ```\n */\nexport function createCohostClient(options: CohostClientOptions): CohostClient {\n return new CohostClient(options);\n}\n\n\nexport { CohostClient }\n\nexport * from '../types';"],"mappings":"oKAOO,IAAMA,EAAN,KAAqB,CAa1B,YAAYC,EAAoBC,EAAgC,CAXhEC,EAAA,KAAU,WAGVA,EAAA,KAAU,YASR,KAAK,QAAUF,EACf,KAAK,SAAWC,CAClB,CACF,ECtBO,IAAME,EAAa,4BCanB,IAAMC,EAAN,MAAMC,UAAoB,KAAM,CAQnC,YAAYC,EAAiBC,EAA0B,CAEnD,MAAMD,CAAO,EATjBE,EAAA,kBACAA,EAAA,mBAWI,KAAK,KAAO,cAGZ,KAAK,UAAYD,GAAO,UAExB,KAAK,WAAaA,GAAO,UAC7B,CAEA,OAAO,UAAUE,EAAYF,EAAuC,CAEhE,OAAO,IAAIF,EAAYI,EAAI,QAAS,CAChC,GAAGF,EACH,UAAWA,GAAO,WAAaE,EAAI,IACvC,CAAC,CACL,CAEJ,EChCO,IAAMC,EAAkB,CAC3B,QAAS,yBACT,QAAS,CACL,eAAgB,kBACpB,CACJ,EAGWC,EAGP,CAAC,ECUE,IAAMC,EAAmB,CAACC,EAA4BC,IAAsD,CACjH,GAAM,CAAE,WAAAC,EAAY,GAAGC,CAAK,EAAIH,EAChC,MAAO,CACL,MAAOG,EACP,WAAAD,EACA,GAAGD,CACL,CACF,EAKMG,EACJC,GACW,CACX,GAAI,CAACA,EAAO,MAAO,GAEnB,IAAMC,EAAS,IAAI,gBACnB,OAAW,CAACC,EAAKC,CAAK,IAAK,OAAO,QAAQH,CAAK,EACzCG,IAAU,SACV,MAAM,QAAQA,CAAK,EACrBA,EAAM,QAASC,GAAMH,EAAO,OAAOC,EAAK,OAAOE,CAAC,CAAC,CAAC,EAElDH,EAAO,IAAIC,EAAK,OAAOC,CAAK,CAAC,GAGjC,OAAOF,EAAO,SAAS,EAAI,IAAIA,EAAO,SAAS,CAAC,GAAK,EACvD,EAeMI,EAAU,CAAC,CAAE,MAAAC,EAAO,QAAAC,EAAUC,EAAY,MAAAC,EAAQ,EAAM,IACrD,eACLC,EACAd,EAA0B,CAAC,EACf,CACZ,GAAM,CAAE,OAAAe,EAAS,MAAO,KAAAC,EAAM,MAAAC,EAAO,WAAAhB,EAAY,QAAAiB,EAAU,CAAC,CAAE,EAAIlB,EAE5DmB,EAAS,CACb,GAAGF,EACH,GAAGhB,CACL,EAEMmB,EAAcjB,EAAiBgB,CAAM,EAErCE,EAAM,GADSC,EAAiB,SAAWX,CACtB,GAAGG,CAAI,GAAGM,CAAW,GAE1CG,EAAqC,CACzC,GAAGC,EAAgB,QACnB,GAAGF,EAAiB,QACpB,GAAGJ,CACL,EAEIR,IACFa,EAAW,cAAmB,UAAUb,CAAK,IAG/C,IAAMe,EAAOT,GAAQD,IAAW,MAAQ,KAAK,UAAUC,CAAI,EAAI,OAE/D,GAAIH,EAAO,CACT,QAAQ,IAAI,yBAAyBE,CAAM,IAAIM,CAAG,EAAE,EAChDI,GAAM,QAAQ,IAAI,qBAAsBA,CAAI,EAEhD,IAAMC,EAAuC,CAAC,EAC9C,OAAW,CAACpB,EAAKC,CAAK,IAAK,OAAO,QAAQgB,CAAU,EAClD,GAAIjB,EAAI,YAAY,IAAM,gBAAiB,CACvC,IAAMqB,EAAapB,GAAO,MAAM,GAAG,EAAE,CAAC,EACtCmB,EAAapB,CAAG,EAAI,kBAAoBqB,EAAa,GAAGA,EAAW,CAAC,CAAC,MAAMA,EAAW,MAAM,EAAE,CAAC,IAAM,GACzG,MACED,EAAapB,CAAG,EAAIC,EAIxB,QAAQ,IAAI,wBAAyBmB,CAAY,CACnD,CAEA,IAAME,EAAM,MAAM,MAAMP,EAAK,CAC3B,OAAAN,EACA,QAASQ,EACT,KAAAE,CACF,CAAC,EAGKI,EADSD,EAAI,QAAQ,IAAI,cAAc,GAAG,SAAS,kBAAkB,EAC7C,MAAMA,EAAI,KAAK,EAAI,MAAMA,EAAI,KAAK,EAEhE,GAAI,CAACA,EAAI,GAAI,CACX,IAAME,EAAU,OAAOD,GAAiB,SAAWA,EAAe,KAAK,UAAUA,CAAY,EAC7F,cAAQ,MAAM,sBAAsBD,EAAI,MAAM,MAAME,CAAO,GAAI,CAAE,IAAAT,CAAI,CAAC,EAChE,IAAIU,EAAYD,GAAWF,EAAI,WAAY,CAC/C,UAAWA,EAAI,YAAc,YAC7B,WAAYA,EAAI,MAClB,CAAC,CACH,CAEA,OACE,OAAOC,GAAiB,UACxBA,IAAiB,MAChBA,EAAqB,SAAW,MACjC,SAAUA,EAEFA,EAA6B,KAGhCA,CACT,ECnIK,IAAMG,EAAN,cAAwBC,CAAe,CAU5C,MAAM,MAAO,CACX,OAAO,KAAK,QAAwB,SAAS,CAC/C,CAUA,MAAM,MAAMC,EAAY,CACtB,OAAO,KAAK,QAAsB,WAAWA,CAAE,EAAE,CACnD,CAWA,MAAM,QAAQA,EAAY,CACxB,OAAO,KAAK,QAAkB,WAAWA,CAAE,UAAU,CACvD,CAUA,MAAM,UAAUA,EAAYC,EAAiC,CAC3D,OAAO,KAAK,QAAqC,WAAWD,CAAE,aAAcE,EAAiBD,CAAO,CAAC,CACvG,CAIF,EC1DO,IAAME,EAAN,cAAwBC,CAAe,CAU5C,MAAM,MAAMC,EAAYC,EAAa,CAEnC,OAAO,KAAK,QAAQ,WAAWD,CAAE,QAAQC,CAAG,EAAE,CAChD,CAUA,MAAM,UAAUD,EAAYC,EAAa,CAEvC,OAAO,KAAK,QAAQ,WAAWD,CAAE,kBAAkBC,CAAG,EAAE,CAC1D,CASA,MAAM,KAAKC,EAMR,CACD,IAAMC,EAAQ,IAAI,gBAAgBD,CAAiC,EAAE,SAAS,EAC9E,OAAO,KAAK,QAAQ,UAAUC,EAAQ,IAAIA,CAAK,GAAK,EAAE,EAAE,CAC1D,CACF,EC7CO,IAAMC,EAAN,cAA0BC,CAAe,CAU5C,MAAM,MAAMC,EAA8B,CACtC,OAAO,KAAK,QAAqB,iBAAkB,CAC/C,OAAQ,OACR,KAAMA,CACV,CAAC,CACL,CAUA,MAAM,IAAIC,EAAY,CAClB,OAAO,KAAK,QAAqB,kBAAkBA,CAAE,EAAE,CAC3D,CAWA,MAAM,OAAOA,EAAYD,EAAsC,CAC3D,OAAO,KAAK,QAAqB,kBAAkBC,CAAE,GAAI,CACrD,OAAQ,QACR,KAAMD,CACV,CAAC,CACL,CAUA,MAAM,OAAOC,EAAY,CACrB,OAAO,KAAK,QAAc,kBAAkBA,CAAE,GAAI,CAC9C,OAAQ,QACZ,CAAC,CACL,CAWA,MAAM,WAAWC,EAAmBC,EAMjC,CACC,OAAO,KAAK,QAAqB,kBAAkBD,CAAS,QAAS,CACjE,OAAQ,OACR,KAAMC,CACV,CAAC,CACL,CAWA,MAAM,YAAYD,EAAmBE,EAAW,CAC5C,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,wBAAyB,CACjF,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAaA,MAAM,eAAeF,EAAmBE,EAAe,CACnD,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,mBAAoB,CAC5E,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAWA,MAAM,WAAWF,EAAmBE,EAAW,CAC3C,OAAO,KAAK,QAAqB,kBAAkBF,CAAS,eAAgB,CACxE,OAAQ,OACR,KAAME,CACV,CAAC,CACL,CAUA,MAAM,WAAWF,EAAmBG,EAAgB,CAChD,OAAO,KAAK,WAAWH,EAAW,CAC9B,OAAAG,EACA,SAAU,CACd,CAAC,CACL,CAeA,MAAM,oBAAoBJ,EAAYK,EAAiD,CACnF,OAAO,KAAK,QAAqB,kBAAkBL,CAAE,cAAe,CAChE,OAAQ,OACR,KAAM,CACF,kBAAAK,CACJ,CACJ,CAAC,CACL,CAYA,MAAM,YAAYL,EAAYM,EAAoC,CAC9D,OAAO,KAAK,QAAqB,kBAAkBN,CAAE,WAAY,CAC7D,OAAQ,OACR,KAAM,CACF,KAAAM,CACJ,CACJ,CAAC,CACL,CAWA,MAAM,aAAaN,EAAYO,EAAwC,CACnE,OAAO,KAAK,QAAqB,kBAAkBP,CAAE,YAAYO,CAAQ,GAAI,CACzE,OAAQ,QACZ,CAAC,CACL,CACJ,EChMO,IAAMC,EAAN,MAAMC,CAAa,CAOxB,YAAYC,EAA8BC,EAA6B,CANvEC,EAAA,KAAgB,UAChBA,EAAA,KAAgB,UAChBA,EAAA,KAAgB,QAEhBA,EAAA,KAAiB,eAGf,KAAK,YAAcF,EAEnB,GAAM,CAAE,MAAAG,EAAO,SAAAC,EAAW,CAAC,CAAE,EAAIJ,EAE3BK,EAAgBJ,GAAmBK,EAAQ,CAC/C,MAAAH,EACA,QAASC,EAAS,QAAUG,EAC5B,MAAOH,EAAS,KAClB,CAAC,EAED,KAAK,OAAS,IAAII,EAAUH,EAAeD,CAAQ,EACnD,KAAK,OAAS,IAAIK,EAAUJ,EAAeD,CAAQ,EACnD,KAAK,KAAO,IAAIM,EAAYL,EAAeD,CAAQ,CACrD,CAKO,qBAAqBO,EAIX,CACf,GAAM,CAAE,MAAAR,EAAO,SAAAC,EAAW,CAAC,CAAE,EAAI,KAAK,YAEhCQ,EAA+B,CAACC,EAAMb,EAAU,CAAC,IACrDM,EAAQ,CACN,MAAOK,EAAU,OAASR,EAC1B,QAASQ,EAAU,SAAWP,EAAS,QAAUG,EACjD,MAAOH,EAAS,KAClB,CAAC,EAAES,EAAM,CACP,GAAGb,EACH,QAAS,CACP,GAAIW,EAAU,SAAW,CAAC,EAC1B,GAAIX,EAAQ,SAAW,CAAC,CAC1B,CACF,CAAC,EAEH,OAAO,IAAID,EACT,CACE,MAAOY,EAAU,OAASR,EAC1B,SAAU,CACR,GAAGC,EACH,OAAQO,EAAU,SAAWP,EAAS,MACxC,CACF,EACAQ,CACF,CACF,CACF,ECnEO,SAASE,GAAmBC,EAA4C,CAC3E,OAAO,IAAIC,EAAaD,CAAO,CACnC","names":["CohostEndpoint","request","settings","__publicField","apiBaseUrl","CohostError","_CohostError","message","props","__publicField","err","defaultSettings","runtimeOverrides","paginatedOptions","req","options","pagination","rest","buildQueryString","input","params","key","value","v","request","token","baseUrl","apiBaseUrl","debug","path","method","data","query","headers","_query","queryString","url","runtimeOverrides","reqHeaders","defaultSettings","body","cleanHeaders","tokenValue","res","responseBody","message","CohostError","EventsAPI","CohostEndpoint","id","filters","paginatedOptions","OrdersAPI","CohostEndpoint","id","uid","filters","query","SessionsAPI","CohostEndpoint","input","id","sessionId","props","data","itemId","tableCommitmentId","code","couponId","CohostClient","_CohostClient","options","customRequestFn","__publicField","token","settings","sharedRequest","request","apiBaseUrl","EventsAPI","OrdersAPI","SessionsAPI","overrides","overriddenRequest","path","createCohostClient","options","CohostClient"]}
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@cohostvip/cohost-node",
3
- "version": "0.1.13",
3
+ "version": "0.1.15",
4
4
  "description": "Cohost API wrapper",
5
5
  "main": "dist/index.mjs",
6
6
  "module": "dist/index.mjs",