-
Notifications
You must be signed in to change notification settings - Fork 2
Expand file tree
/
Copy pathtransaction.py
More file actions
4252 lines (3334 loc) · 162 KB
/
transaction.py
File metadata and controls
4252 lines (3334 loc) · 162 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# File generated from our OpenAPI spec by Stainless. See CONTRIBUTING.md for details.
from typing import TYPE_CHECKING, Dict, List, Optional
from datetime import date, datetime
from typing_extensions import Literal
from pydantic import Field as FieldInfo
from .._models import BaseModel
__all__ = [
"Transaction",
"Source",
"SourceAccountRevenuePayment",
"SourceAccountTransferIntention",
"SourceACHTransferIntention",
"SourceACHTransferRejection",
"SourceACHTransferReturn",
"SourceBlockchainOfframpTransferSettlement",
"SourceBlockchainOnrampTransferIntention",
"SourceCardDisputeAcceptance",
"SourceCardDisputeFinancial",
"SourceCardDisputeFinancialVisa",
"SourceCardDisputeLoss",
"SourceCardFinancial",
"SourceCardFinancialAdditionalAmounts",
"SourceCardFinancialAdditionalAmountsClinic",
"SourceCardFinancialAdditionalAmountsDental",
"SourceCardFinancialAdditionalAmountsOriginal",
"SourceCardFinancialAdditionalAmountsPrescription",
"SourceCardFinancialAdditionalAmountsSurcharge",
"SourceCardFinancialAdditionalAmountsTotalCumulative",
"SourceCardFinancialAdditionalAmountsTotalHealthcare",
"SourceCardFinancialAdditionalAmountsTransit",
"SourceCardFinancialAdditionalAmountsUnknown",
"SourceCardFinancialAdditionalAmountsVision",
"SourceCardFinancialNetworkDetails",
"SourceCardFinancialNetworkDetailsPulse",
"SourceCardFinancialNetworkDetailsVisa",
"SourceCardFinancialNetworkIdentifiers",
"SourceCardFinancialVerification",
"SourceCardFinancialVerificationCardVerificationCode",
"SourceCardFinancialVerificationCardholderAddress",
"SourceCardFinancialVerificationCardholderName",
"SourceCardPushTransferAcceptance",
"SourceCardRefund",
"SourceCardRefundCashback",
"SourceCardRefundInterchange",
"SourceCardRefundNetworkIdentifiers",
"SourceCardRefundPurchaseDetails",
"SourceCardRefundPurchaseDetailsCarRental",
"SourceCardRefundPurchaseDetailsLodging",
"SourceCardRefundPurchaseDetailsTravel",
"SourceCardRefundPurchaseDetailsTravelAncillary",
"SourceCardRefundPurchaseDetailsTravelAncillaryService",
"SourceCardRefundPurchaseDetailsTravelTripLeg",
"SourceCardRevenuePayment",
"SourceCardSettlement",
"SourceCardSettlementCashback",
"SourceCardSettlementInterchange",
"SourceCardSettlementNetworkIdentifiers",
"SourceCardSettlementPurchaseDetails",
"SourceCardSettlementPurchaseDetailsCarRental",
"SourceCardSettlementPurchaseDetailsLodging",
"SourceCardSettlementPurchaseDetailsTravel",
"SourceCardSettlementPurchaseDetailsTravelAncillary",
"SourceCardSettlementPurchaseDetailsTravelAncillaryService",
"SourceCardSettlementPurchaseDetailsTravelTripLeg",
"SourceCardSettlementSurcharge",
"SourceCashbackPayment",
"SourceCheckDepositAcceptance",
"SourceCheckDepositReturn",
"SourceCheckTransferDeposit",
"SourceFednowTransferAcknowledgement",
"SourceFeePayment",
"SourceInboundACHTransfer",
"SourceInboundACHTransferAddenda",
"SourceInboundACHTransferAddendaFreeform",
"SourceInboundACHTransferAddendaFreeformEntry",
"SourceInboundACHTransferReturnIntention",
"SourceInboundCheckAdjustment",
"SourceInboundCheckDepositReturnIntention",
"SourceInboundFednowTransferConfirmation",
"SourceInboundRealTimePaymentsTransferConfirmation",
"SourceInboundWireReversal",
"SourceInboundWireTransfer",
"SourceInboundWireTransferReversal",
"SourceInterestPayment",
"SourceInternalSource",
"SourceOther",
"SourceRealTimePaymentsTransferAcknowledgement",
"SourceSampleFunds",
"SourceSwiftTransferIntention",
"SourceSwiftTransferReturn",
"SourceWireTransferIntention",
]
class SourceAccountRevenuePayment(BaseModel):
"""An Account Revenue Payment object.
This field will be present in the JSON response if and only if `category` is equal to `account_revenue_payment`. An Account Revenue Payment represents a payment made to an account from the bank. Account revenue is a type of non-interest income.
"""
accrued_on_account_id: str
"""The account on which the account revenue was accrued."""
period_end: datetime
"""The end of the period for which this transaction paid account revenue."""
period_start: datetime
"""The start of the period for which this transaction paid account revenue."""
if TYPE_CHECKING:
# Some versions of Pydantic <2.8.0 have a bug and don’t allow assigning a
# value to this field, so for compatibility we avoid doing it at runtime.
__pydantic_extra__: Dict[str, object] = FieldInfo(init=False) # pyright: ignore[reportIncompatibleVariableOverride]
# Stub to indicate that arbitrary properties are accepted.
# To access properties that are not valid identifiers you can use `getattr`, e.g.
# `getattr(obj, '$type')`
def __getattr__(self, attr: str) -> object: ...
else:
__pydantic_extra__: Dict[str, object]
class SourceAccountTransferIntention(BaseModel):
"""An Account Transfer Intention object.
This field will be present in the JSON response if and only if `category` is equal to `account_transfer_intention`. Two Account Transfer Intentions are created from each Account Transfer. One decrements the source account, and the other increments the destination account.
"""
amount: int
"""The pending amount in the minor unit of the transaction's currency.
For dollars, for example, this is cents.
"""
currency: Literal["USD"]
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the destination
account currency.
- `USD` - US Dollar (USD)
"""
description: str
"""The description you chose to give the transfer."""
destination_account_id: str
"""The identifier of the Account to where the Account Transfer was sent."""
source_account_id: str
"""The identifier of the Account from where the Account Transfer was sent."""
transfer_id: str
"""The identifier of the Account Transfer that led to this Pending Transaction."""
if TYPE_CHECKING:
# Some versions of Pydantic <2.8.0 have a bug and don’t allow assigning a
# value to this field, so for compatibility we avoid doing it at runtime.
__pydantic_extra__: Dict[str, object] = FieldInfo(init=False) # pyright: ignore[reportIncompatibleVariableOverride]
# Stub to indicate that arbitrary properties are accepted.
# To access properties that are not valid identifiers you can use `getattr`, e.g.
# `getattr(obj, '$type')`
def __getattr__(self, attr: str) -> object: ...
else:
__pydantic_extra__: Dict[str, object]
class SourceACHTransferIntention(BaseModel):
"""An ACH Transfer Intention object.
This field will be present in the JSON response if and only if `category` is equal to `ach_transfer_intention`. An ACH Transfer Intention is created from an ACH Transfer. It reflects the intention to move money into or out of an Increase account via the ACH network.
"""
account_number: str
"""The account number for the destination account."""
amount: int
"""The amount in the minor unit of the transaction's currency.
For dollars, for example, this is cents.
"""
routing_number: str
"""
The American Bankers' Association (ABA) Routing Transit Number (RTN) for the
destination account.
"""
statement_descriptor: str
"""A description set when the ACH Transfer was created."""
transfer_id: str
"""The identifier of the ACH Transfer that led to this Transaction."""
if TYPE_CHECKING:
# Some versions of Pydantic <2.8.0 have a bug and don’t allow assigning a
# value to this field, so for compatibility we avoid doing it at runtime.
__pydantic_extra__: Dict[str, object] = FieldInfo(init=False) # pyright: ignore[reportIncompatibleVariableOverride]
# Stub to indicate that arbitrary properties are accepted.
# To access properties that are not valid identifiers you can use `getattr`, e.g.
# `getattr(obj, '$type')`
def __getattr__(self, attr: str) -> object: ...
else:
__pydantic_extra__: Dict[str, object]
class SourceACHTransferRejection(BaseModel):
"""An ACH Transfer Rejection object.
This field will be present in the JSON response if and only if `category` is equal to `ach_transfer_rejection`. An ACH Transfer Rejection is created when an ACH Transfer is rejected by Increase. It offsets the ACH Transfer Intention. These rejections are rare.
"""
transfer_id: str
"""The identifier of the ACH Transfer that led to this Transaction."""
if TYPE_CHECKING:
# Some versions of Pydantic <2.8.0 have a bug and don’t allow assigning a
# value to this field, so for compatibility we avoid doing it at runtime.
__pydantic_extra__: Dict[str, object] = FieldInfo(init=False) # pyright: ignore[reportIncompatibleVariableOverride]
# Stub to indicate that arbitrary properties are accepted.
# To access properties that are not valid identifiers you can use `getattr`, e.g.
# `getattr(obj, '$type')`
def __getattr__(self, attr: str) -> object: ...
else:
__pydantic_extra__: Dict[str, object]
class SourceACHTransferReturn(BaseModel):
"""An ACH Transfer Return object.
This field will be present in the JSON response if and only if `category` is equal to `ach_transfer_return`. An ACH Transfer Return is created when an ACH Transfer is returned by the receiving bank. It offsets the ACH Transfer Intention. ACH Transfer Returns usually occur within the first two business days after the transfer is initiated, but can occur much later.
"""
created_at: datetime
"""
The [ISO 8601](https://en.wikipedia.org/wiki/ISO_8601) date and time at which
the transfer was created.
"""
raw_return_reason_code: str
"""The three character ACH return code, in the range R01 to R85."""
return_reason_code: Literal[
"insufficient_fund",
"no_account",
"account_closed",
"invalid_account_number_structure",
"account_frozen_entry_returned_per_ofac_instruction",
"credit_entry_refused_by_receiver",
"unauthorized_debit_to_consumer_account_using_corporate_sec_code",
"corporate_customer_advised_not_authorized",
"payment_stopped",
"non_transaction_account",
"uncollected_funds",
"routing_number_check_digit_error",
"customer_advised_unauthorized_improper_ineligible_or_incomplete",
"amount_field_error",
"authorization_revoked_by_customer",
"invalid_ach_routing_number",
"file_record_edit_criteria",
"enr_invalid_individual_name",
"returned_per_odfi_request",
"limited_participation_dfi",
"incorrectly_coded_outbound_international_payment",
"account_sold_to_another_dfi",
"addenda_error",
"beneficiary_or_account_holder_deceased",
"customer_advised_not_within_authorization_terms",
"corrected_return",
"duplicate_entry",
"duplicate_return",
"enr_duplicate_enrollment",
"enr_invalid_dfi_account_number",
"enr_invalid_individual_id_number",
"enr_invalid_representative_payee_indicator",
"enr_invalid_transaction_code",
"enr_return_of_enr_entry",
"enr_routing_number_check_digit_error",
"entry_not_processed_by_gateway",
"field_error",
"foreign_receiving_dfi_unable_to_settle",
"iat_entry_coding_error",
"improper_effective_entry_date",
"improper_source_document_source_document_presented",
"invalid_company_id",
"invalid_foreign_receiving_dfi_identification",
"invalid_individual_id_number",
"item_and_rck_entry_presented_for_payment",
"item_related_to_rck_entry_is_ineligible",
"mandatory_field_error",
"misrouted_dishonored_return",
"misrouted_return",
"no_errors_found",
"non_acceptance_of_r62_dishonored_return",
"non_participant_in_iat_program",
"permissible_return_entry",
"permissible_return_entry_not_accepted",
"rdfi_non_settlement",
"rdfi_participant_in_check_truncation_program",
"representative_payee_deceased_or_unable_to_continue_in_that_capacity",
"return_not_a_duplicate",
"return_of_erroneous_or_reversing_debit",
"return_of_improper_credit_entry",
"return_of_improper_debit_entry",
"return_of_xck_entry",
"source_document_presented_for_payment",
"state_law_affecting_rck_acceptance",
"stop_payment_on_item_related_to_rck_entry",
"stop_payment_on_source_document",
"timely_original_return",
"trace_number_error",
"untimely_dishonored_return",
"untimely_return",
]
"""Why the ACH Transfer was returned.
This reason code is sent by the receiving bank back to Increase.
- `insufficient_fund` - Code R01. Insufficient funds in the receiving account.
Sometimes abbreviated to "NSF."
- `no_account` - Code R03. The account does not exist or the receiving bank was
unable to locate it.
- `account_closed` - Code R02. The account is closed at the receiving bank.
- `invalid_account_number_structure` - Code R04. The account number is invalid
at the receiving bank.
- `account_frozen_entry_returned_per_ofac_instruction` - Code R16. This return
code has two separate meanings. (1) The receiving bank froze the account or
(2) the Office of Foreign Assets Control (OFAC) instructed the receiving bank
to return the entry.
- `credit_entry_refused_by_receiver` - Code R23. The receiving bank refused the
credit transfer.
- `unauthorized_debit_to_consumer_account_using_corporate_sec_code` - Code R05.
The receiving bank rejected because of an incorrect Standard Entry Class code.
Consumer accounts cannot be debited as `corporate_credit_or_debit` or
`corporate_trade_exchange`.
- `corporate_customer_advised_not_authorized` - Code R29. The corporate customer
at the receiving bank reversed the transfer.
- `payment_stopped` - Code R08. The receiving bank stopped payment on this
transfer.
- `non_transaction_account` - Code R20. The account is not eligible for ACH,
such as a savings account with transaction limits.
- `uncollected_funds` - Code R09. The receiving bank account does not have
enough available balance for the transfer.
- `routing_number_check_digit_error` - Code R28. The routing number is
incorrect.
- `customer_advised_unauthorized_improper_ineligible_or_incomplete` - Code R10.
The customer at the receiving bank reversed the transfer.
- `amount_field_error` - Code R19. The amount field is incorrect or too large.
- `authorization_revoked_by_customer` - Code R07. The customer revoked their
authorization for a previously authorized transfer.
- `invalid_ach_routing_number` - Code R13. The routing number is invalid.
- `file_record_edit_criteria` - Code R17. The receiving bank is unable to
process a field in the transfer.
- `enr_invalid_individual_name` - Code R45. A rare return reason. The individual
name field was invalid.
- `returned_per_odfi_request` - Code R06. The originating financial institution
asked for this transfer to be returned. The receiving bank is complying with
the request.
- `limited_participation_dfi` - Code R34. The receiving bank's regulatory
supervisor has limited their participation in the ACH network.
- `incorrectly_coded_outbound_international_payment` - Code R85. The outbound
international ACH transfer was incorrect.
- `account_sold_to_another_dfi` - Code R12. A rare return reason. The account
was sold to another bank.
- `addenda_error` - Code R25. The addenda record is incorrect or missing.
- `beneficiary_or_account_holder_deceased` - Code R15. A rare return reason. The
account holder is deceased.
- `customer_advised_not_within_authorization_terms` - Code R11. A rare return
reason. The customer authorized some payment to the sender, but this payment
was not in error.
- `corrected_return` - Code R74. A rare return reason. Sent in response to a
return that was returned with code `field_error`. The latest return should
include the corrected field(s).
- `duplicate_entry` - Code R24. A rare return reason. The receiving bank
received an exact duplicate entry with the same trace number and amount.
- `duplicate_return` - Code R67. A rare return reason. The return this message
refers to was a duplicate.
- `enr_duplicate_enrollment` - Code R47. A rare return reason. Only used for US
Government agency non-monetary automatic enrollment messages.
- `enr_invalid_dfi_account_number` - Code R43. A rare return reason. Only used
for US Government agency non-monetary automatic enrollment messages.
- `enr_invalid_individual_id_number` - Code R44. A rare return reason. Only used
for US Government agency non-monetary automatic enrollment messages.
- `enr_invalid_representative_payee_indicator` - Code R46. A rare return reason.
Only used for US Government agency non-monetary automatic enrollment messages.
- `enr_invalid_transaction_code` - Code R41. A rare return reason. Only used for
US Government agency non-monetary automatic enrollment messages.
- `enr_return_of_enr_entry` - Code R40. A rare return reason. Only used for US
Government agency non-monetary automatic enrollment messages.
- `enr_routing_number_check_digit_error` - Code R42. A rare return reason. Only
used for US Government agency non-monetary automatic enrollment messages.
- `entry_not_processed_by_gateway` - Code R84. A rare return reason. The
International ACH Transfer cannot be processed by the gateway.
- `field_error` - Code R69. A rare return reason. One or more of the fields in
the ACH were malformed.
- `foreign_receiving_dfi_unable_to_settle` - Code R83. A rare return reason. The
Foreign receiving bank was unable to settle this ACH transfer.
- `iat_entry_coding_error` - Code R80. A rare return reason. The International
ACH Transfer is malformed.
- `improper_effective_entry_date` - Code R18. A rare return reason. The ACH has
an improper effective entry date field.
- `improper_source_document_source_document_presented` - Code R39. A rare return
reason. The source document related to this ACH, usually an ACH check
conversion, was presented to the bank.
- `invalid_company_id` - Code R21. A rare return reason. The Company ID field of
the ACH was invalid.
- `invalid_foreign_receiving_dfi_identification` - Code R82. A rare return
reason. The foreign receiving bank identifier for an International ACH
Transfer was invalid.
- `invalid_individual_id_number` - Code R22. A rare return reason. The
Individual ID number field of the ACH was invalid.
- `item_and_rck_entry_presented_for_payment` - Code R53. A rare return reason.
Both the Represented Check ("RCK") entry and the original check were presented
to the bank.
- `item_related_to_rck_entry_is_ineligible` - Code R51. A rare return reason.
The Represented Check ("RCK") entry is ineligible.
- `mandatory_field_error` - Code R26. A rare return reason. The ACH is missing a
required field.
- `misrouted_dishonored_return` - Code R71. A rare return reason. The receiving
bank does not recognize the routing number in a dishonored return entry.
- `misrouted_return` - Code R61. A rare return reason. The receiving bank does
not recognize the routing number in a return entry.
- `no_errors_found` - Code R76. A rare return reason. Sent in response to a
return, the bank does not find the errors alleged by the returning bank.
- `non_acceptance_of_r62_dishonored_return` - Code R77. A rare return reason.
The receiving bank does not accept the return of the erroneous debit. The
funds are not available at the receiving bank.
- `non_participant_in_iat_program` - Code R81. A rare return reason. The
receiving bank does not accept International ACH Transfers.
- `permissible_return_entry` - Code R31. A rare return reason. A return that has
been agreed to be accepted by the receiving bank, despite falling outside of
the usual return timeframe.
- `permissible_return_entry_not_accepted` - Code R70. A rare return reason. The
receiving bank had not approved this return.
- `rdfi_non_settlement` - Code R32. A rare return reason. The receiving bank
could not settle this transaction.
- `rdfi_participant_in_check_truncation_program` - Code R30. A rare return
reason. The receiving bank does not accept Check Truncation ACH transfers.
- `representative_payee_deceased_or_unable_to_continue_in_that_capacity` - Code
R14. A rare return reason. The payee is deceased.
- `return_not_a_duplicate` - Code R75. A rare return reason. The originating
bank disputes that an earlier `duplicate_entry` return was actually a
duplicate.
- `return_of_erroneous_or_reversing_debit` - Code R62. A rare return reason. The
originating financial institution made a mistake and this return corrects it.
- `return_of_improper_credit_entry` - Code R36. A rare return reason. Return of
a malformed credit entry.
- `return_of_improper_debit_entry` - Code R35. A rare return reason. Return of a
malformed debit entry.
- `return_of_xck_entry` - Code R33. A rare return reason. Return of a destroyed
check ("XCK") entry.
- `source_document_presented_for_payment` - Code R37. A rare return reason. The
source document related to this ACH, usually an ACH check conversion, was
presented to the bank.
- `state_law_affecting_rck_acceptance` - Code R50. A rare return reason. State
law prevents the bank from accepting the Represented Check ("RCK") entry.
- `stop_payment_on_item_related_to_rck_entry` - Code R52. A rare return reason.
A stop payment was issued on a Represented Check ("RCK") entry.
- `stop_payment_on_source_document` - Code R38. A rare return reason. The source
attached to the ACH, usually an ACH check conversion, includes a stop payment.
- `timely_original_return` - Code R73. A rare return reason. The bank receiving
an `untimely_return` believes it was on time.
- `trace_number_error` - Code R27. A rare return reason. An ACH return's trace
number does not match an originated ACH.
- `untimely_dishonored_return` - Code R72. A rare return reason. The dishonored
return was sent too late.
- `untimely_return` - Code R68. A rare return reason. The return was sent too
late.
"""
trace_number: str
"""A 15 digit number that was generated by the bank that initiated the return.
The trace number of the return is different than that of the original transfer.
ACH trace numbers are not unique, but along with the amount and date this number
can be used to identify the ACH return at the bank that initiated it.
"""
transaction_id: str
"""The identifier of the Transaction associated with this return."""
transfer_id: str
"""The identifier of the ACH Transfer associated with this return."""
if TYPE_CHECKING:
# Some versions of Pydantic <2.8.0 have a bug and don’t allow assigning a
# value to this field, so for compatibility we avoid doing it at runtime.
__pydantic_extra__: Dict[str, object] = FieldInfo(init=False) # pyright: ignore[reportIncompatibleVariableOverride]
# Stub to indicate that arbitrary properties are accepted.
# To access properties that are not valid identifiers you can use `getattr`, e.g.
# `getattr(obj, '$type')`
def __getattr__(self, attr: str) -> object: ...
else:
__pydantic_extra__: Dict[str, object]
class SourceBlockchainOfframpTransferSettlement(BaseModel):
"""A Blockchain Off-Ramp Transfer Settlement object.
This field will be present in the JSON response if and only if `category` is equal to `blockchain_offramp_transfer_settlement`.
"""
source_blockchain_address_id: str
"""The identifier of the Blockchain Address the funds were received at."""
transfer_id: str
"""
The identifier of the Blockchain Off-Ramp Transfer that led to this Transaction.
"""
if TYPE_CHECKING:
# Some versions of Pydantic <2.8.0 have a bug and don’t allow assigning a
# value to this field, so for compatibility we avoid doing it at runtime.
__pydantic_extra__: Dict[str, object] = FieldInfo(init=False) # pyright: ignore[reportIncompatibleVariableOverride]
# Stub to indicate that arbitrary properties are accepted.
# To access properties that are not valid identifiers you can use `getattr`, e.g.
# `getattr(obj, '$type')`
def __getattr__(self, attr: str) -> object: ...
else:
__pydantic_extra__: Dict[str, object]
class SourceBlockchainOnrampTransferIntention(BaseModel):
"""A Blockchain On-Ramp Transfer Intention object.
This field will be present in the JSON response if and only if `category` is equal to `blockchain_onramp_transfer_intention`.
"""
destination_blockchain_address: str
"""The blockchain address the funds were sent to."""
transfer_id: str
"""The identifier of the Blockchain On-Ramp Transfer that led to this Transaction."""
if TYPE_CHECKING:
# Some versions of Pydantic <2.8.0 have a bug and don’t allow assigning a
# value to this field, so for compatibility we avoid doing it at runtime.
__pydantic_extra__: Dict[str, object] = FieldInfo(init=False) # pyright: ignore[reportIncompatibleVariableOverride]
# Stub to indicate that arbitrary properties are accepted.
# To access properties that are not valid identifiers you can use `getattr`, e.g.
# `getattr(obj, '$type')`
def __getattr__(self, attr: str) -> object: ...
else:
__pydantic_extra__: Dict[str, object]
class SourceCardDisputeAcceptance(BaseModel):
"""A Legacy Card Dispute Acceptance object.
This field will be present in the JSON response if and only if `category` is equal to `card_dispute_acceptance`. Contains the details of a successful Card Dispute.
"""
accepted_at: datetime
"""
The [ISO 8601](https://en.wikipedia.org/wiki/ISO_8601) date and time at which
the Card Dispute was accepted.
"""
transaction_id: str
"""
The identifier of the Transaction that was created to return the disputed funds
to your account.
"""
if TYPE_CHECKING:
# Some versions of Pydantic <2.8.0 have a bug and don’t allow assigning a
# value to this field, so for compatibility we avoid doing it at runtime.
__pydantic_extra__: Dict[str, object] = FieldInfo(init=False) # pyright: ignore[reportIncompatibleVariableOverride]
# Stub to indicate that arbitrary properties are accepted.
# To access properties that are not valid identifiers you can use `getattr`, e.g.
# `getattr(obj, '$type')`
def __getattr__(self, attr: str) -> object: ...
else:
__pydantic_extra__: Dict[str, object]
class SourceCardDisputeFinancialVisa(BaseModel):
"""
Information for events related to card dispute for card payments processed over Visa's network. This field will be present in the JSON response if and only if `network` is equal to `visa`.
"""
event_type: Literal[
"chargeback_submitted",
"merchant_prearbitration_decline_submitted",
"merchant_prearbitration_received",
"represented",
"user_prearbitration_decline_received",
"user_prearbitration_submitted",
"user_withdrawal_submitted",
]
"""The type of card dispute financial event.
- `chargeback_submitted` - The user's chargeback was submitted.
- `merchant_prearbitration_decline_submitted` - The user declined the merchant's
pre-arbitration submission.
- `merchant_prearbitration_received` - The merchant's pre-arbitration submission
was received.
- `represented` - The transaction was re-presented by the merchant.
- `user_prearbitration_decline_received` - The user's pre-arbitration was
declined by the merchant.
- `user_prearbitration_submitted` - The user's pre-arbitration was submitted.
- `user_withdrawal_submitted` - The user withdrew from the dispute.
"""
class SourceCardDisputeFinancial(BaseModel):
"""A Card Dispute Financial object.
This field will be present in the JSON response if and only if `category` is equal to `card_dispute_financial`. Financial event related to a Card Dispute.
"""
amount: int
"""The amount of the financial event."""
network: Literal["visa", "pulse"]
"""The network that the Card Dispute is associated with.
- `visa` - Visa: details will be under the `visa` object.
- `pulse` - Pulse: details will be under the `pulse` object.
"""
transaction_id: str
"""
The identifier of the Transaction that was created to credit or debit the
disputed funds to or from your account.
"""
visa: Optional[SourceCardDisputeFinancialVisa] = None
"""
Information for events related to card dispute for card payments processed over
Visa's network. This field will be present in the JSON response if and only if
`network` is equal to `visa`.
"""
if TYPE_CHECKING:
# Some versions of Pydantic <2.8.0 have a bug and don’t allow assigning a
# value to this field, so for compatibility we avoid doing it at runtime.
__pydantic_extra__: Dict[str, object] = FieldInfo(init=False) # pyright: ignore[reportIncompatibleVariableOverride]
# Stub to indicate that arbitrary properties are accepted.
# To access properties that are not valid identifiers you can use `getattr`, e.g.
# `getattr(obj, '$type')`
def __getattr__(self, attr: str) -> object: ...
else:
__pydantic_extra__: Dict[str, object]
class SourceCardDisputeLoss(BaseModel):
"""A Legacy Card Dispute Loss object.
This field will be present in the JSON response if and only if `category` is equal to `card_dispute_loss`. Contains the details of a lost Card Dispute.
"""
explanation: str
"""Why the Card Dispute was lost."""
lost_at: datetime
"""
The [ISO 8601](https://en.wikipedia.org/wiki/ISO_8601) date and time at which
the Card Dispute was lost.
"""
transaction_id: str
"""
The identifier of the Transaction that was created to debit the disputed funds
from your account.
"""
if TYPE_CHECKING:
# Some versions of Pydantic <2.8.0 have a bug and don’t allow assigning a
# value to this field, so for compatibility we avoid doing it at runtime.
__pydantic_extra__: Dict[str, object] = FieldInfo(init=False) # pyright: ignore[reportIncompatibleVariableOverride]
# Stub to indicate that arbitrary properties are accepted.
# To access properties that are not valid identifiers you can use `getattr`, e.g.
# `getattr(obj, '$type')`
def __getattr__(self, attr: str) -> object: ...
else:
__pydantic_extra__: Dict[str, object]
class SourceCardFinancialAdditionalAmountsClinic(BaseModel):
"""The part of this transaction amount that was for clinic-related services."""
amount: int
"""The amount in minor units of the `currency` field.
The amount is positive if it is added to the amount (such as an ATM surcharge
fee) and negative if it is subtracted from the amount (such as a discount).
"""
currency: str
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the additional
amount's currency.
"""
class SourceCardFinancialAdditionalAmountsDental(BaseModel):
"""The part of this transaction amount that was for dental-related services."""
amount: int
"""The amount in minor units of the `currency` field.
The amount is positive if it is added to the amount (such as an ATM surcharge
fee) and negative if it is subtracted from the amount (such as a discount).
"""
currency: str
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the additional
amount's currency.
"""
class SourceCardFinancialAdditionalAmountsOriginal(BaseModel):
"""The original pre-authorized amount."""
amount: int
"""The amount in minor units of the `currency` field.
The amount is positive if it is added to the amount (such as an ATM surcharge
fee) and negative if it is subtracted from the amount (such as a discount).
"""
currency: str
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the additional
amount's currency.
"""
class SourceCardFinancialAdditionalAmountsPrescription(BaseModel):
"""The part of this transaction amount that was for healthcare prescriptions."""
amount: int
"""The amount in minor units of the `currency` field.
The amount is positive if it is added to the amount (such as an ATM surcharge
fee) and negative if it is subtracted from the amount (such as a discount).
"""
currency: str
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the additional
amount's currency.
"""
class SourceCardFinancialAdditionalAmountsSurcharge(BaseModel):
"""The surcharge amount charged for this transaction by the merchant."""
amount: int
"""The amount in minor units of the `currency` field.
The amount is positive if it is added to the amount (such as an ATM surcharge
fee) and negative if it is subtracted from the amount (such as a discount).
"""
currency: str
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the additional
amount's currency.
"""
class SourceCardFinancialAdditionalAmountsTotalCumulative(BaseModel):
"""
The total amount of a series of incremental authorizations, optionally provided.
"""
amount: int
"""The amount in minor units of the `currency` field.
The amount is positive if it is added to the amount (such as an ATM surcharge
fee) and negative if it is subtracted from the amount (such as a discount).
"""
currency: str
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the additional
amount's currency.
"""
class SourceCardFinancialAdditionalAmountsTotalHealthcare(BaseModel):
"""The total amount of healthcare-related additional amounts."""
amount: int
"""The amount in minor units of the `currency` field.
The amount is positive if it is added to the amount (such as an ATM surcharge
fee) and negative if it is subtracted from the amount (such as a discount).
"""
currency: str
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the additional
amount's currency.
"""
class SourceCardFinancialAdditionalAmountsTransit(BaseModel):
"""The part of this transaction amount that was for transit-related services."""
amount: int
"""The amount in minor units of the `currency` field.
The amount is positive if it is added to the amount (such as an ATM surcharge
fee) and negative if it is subtracted from the amount (such as a discount).
"""
currency: str
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the additional
amount's currency.
"""
class SourceCardFinancialAdditionalAmountsUnknown(BaseModel):
"""An unknown additional amount."""
amount: int
"""The amount in minor units of the `currency` field.
The amount is positive if it is added to the amount (such as an ATM surcharge
fee) and negative if it is subtracted from the amount (such as a discount).
"""
currency: str
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the additional
amount's currency.
"""
class SourceCardFinancialAdditionalAmountsVision(BaseModel):
"""The part of this transaction amount that was for vision-related services."""
amount: int
"""The amount in minor units of the `currency` field.
The amount is positive if it is added to the amount (such as an ATM surcharge
fee) and negative if it is subtracted from the amount (such as a discount).
"""
currency: str
"""
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the additional
amount's currency.
"""
class SourceCardFinancialAdditionalAmounts(BaseModel):
"""
Additional amounts associated with the card authorization, such as ATM surcharges fees. These are usually a subset of the `amount` field and are used to provide more detailed information about the transaction.
"""
clinic: Optional[SourceCardFinancialAdditionalAmountsClinic] = None
"""The part of this transaction amount that was for clinic-related services."""
dental: Optional[SourceCardFinancialAdditionalAmountsDental] = None
"""The part of this transaction amount that was for dental-related services."""
original: Optional[SourceCardFinancialAdditionalAmountsOriginal] = None
"""The original pre-authorized amount."""
prescription: Optional[SourceCardFinancialAdditionalAmountsPrescription] = None
"""The part of this transaction amount that was for healthcare prescriptions."""
surcharge: Optional[SourceCardFinancialAdditionalAmountsSurcharge] = None
"""The surcharge amount charged for this transaction by the merchant."""
total_cumulative: Optional[SourceCardFinancialAdditionalAmountsTotalCumulative] = None
"""
The total amount of a series of incremental authorizations, optionally provided.
"""
total_healthcare: Optional[SourceCardFinancialAdditionalAmountsTotalHealthcare] = None
"""The total amount of healthcare-related additional amounts."""
transit: Optional[SourceCardFinancialAdditionalAmountsTransit] = None
"""The part of this transaction amount that was for transit-related services."""
unknown: Optional[SourceCardFinancialAdditionalAmountsUnknown] = None
"""An unknown additional amount."""
vision: Optional[SourceCardFinancialAdditionalAmountsVision] = None
"""The part of this transaction amount that was for vision-related services."""
class SourceCardFinancialNetworkDetailsPulse(BaseModel):
"""Fields specific to the `pulse` network."""
pass
class SourceCardFinancialNetworkDetailsVisa(BaseModel):
"""Fields specific to the `visa` network."""
electronic_commerce_indicator: Optional[
Literal[
"mail_phone_order",
"recurring",
"installment",
"unknown_mail_phone_order",
"secure_electronic_commerce",
"non_authenticated_security_transaction_at_3ds_capable_merchant",
"non_authenticated_security_transaction",
"non_secure_transaction",
]
] = None
"""
For electronic commerce transactions, this identifies the level of security used
in obtaining the customer's payment credential. For mail or telephone order
transactions, identifies the type of mail or telephone order.
- `mail_phone_order` - Single transaction of a mail/phone order: Use to indicate
that the transaction is a mail/phone order purchase, not a recurring
transaction or installment payment. For domestic transactions in the US
region, this value may also indicate one bill payment transaction in the
card-present or card-absent environments.
- `recurring` - Recurring transaction: Payment indicator used to indicate a
recurring transaction that originates from an acquirer in the US region.
- `installment` - Installment payment: Payment indicator used to indicate one
purchase of goods or services that is billed to the account in multiple
charges over a period of time agreed upon by the cardholder and merchant from
transactions that originate from an acquirer in the US region.
- `unknown_mail_phone_order` - Unknown classification: other mail order: Use to
indicate that the type of mail/telephone order is unknown.
- `secure_electronic_commerce` - Secure electronic commerce transaction: Use to
indicate that the electronic commerce transaction has been authenticated using
e.g., 3-D Secure
- `non_authenticated_security_transaction_at_3ds_capable_merchant` -
Non-authenticated security transaction at a 3-D Secure-capable merchant, and
merchant attempted to authenticate the cardholder using 3-D Secure: Use to
identify an electronic commerce transaction where the merchant attempted to
authenticate the cardholder using 3-D Secure, but was unable to complete the
authentication because the issuer or cardholder does not participate in the
3-D Secure program.
- `non_authenticated_security_transaction` - Non-authenticated security
transaction: Use to identify an electronic commerce transaction that uses data
encryption for security however, cardholder authentication is not performed
using 3-D Secure.
- `non_secure_transaction` - Non-secure transaction: Use to identify an
electronic commerce transaction that has no data protection.
"""
point_of_service_entry_mode: Optional[
Literal[
"unknown",
"manual",
"magnetic_stripe_no_cvv",
"optical_code",
"integrated_circuit_card",
"contactless",
"credential_on_file",
"magnetic_stripe",
"contactless_magnetic_stripe",
"integrated_circuit_card_no_cvv",
]
] = None
"""
The method used to enter the cardholder's primary account number and card
expiration date.
- `unknown` - Unknown
- `manual` - Manual key entry
- `magnetic_stripe_no_cvv` - Magnetic stripe read, without card verification
value
- `optical_code` - Optical code
- `integrated_circuit_card` - Contact chip card
- `contactless` - Contactless read of chip card
- `credential_on_file` - Transaction initiated using a credential that has
previously been stored on file
- `magnetic_stripe` - Magnetic stripe read
- `contactless_magnetic_stripe` - Contactless read of magnetic stripe data
- `integrated_circuit_card_no_cvv` - Contact chip card, without card
verification value
"""
stand_in_processing_reason: Optional[
Literal[
"issuer_error",
"invalid_physical_card",
"invalid_cryptogram",
"invalid_cardholder_authentication_verification_value",
"internal_visa_error",
"merchant_transaction_advisory_service_authentication_required",
"payment_fraud_disruption_acquirer_block",