pluggy-sdk 1.0.0.post30__py3-none-any.whl → 1.0.0.post32__py3-none-any.whl

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.
pluggy_sdk/__init__.py CHANGED
@@ -15,7 +15,7 @@
15
15
  """ # noqa: E501
16
16
 
17
17
 
18
- __version__ = "1.0.0.post30"
18
+ __version__ = "1.0.0.post32"
19
19
 
20
20
  # import apis into sdk package
21
21
  from pluggy_sdk.api.account_api import AccountApi
@@ -94,6 +94,7 @@ from pluggy_sdk.models.create_payment_customer_request_body import CreatePayment
94
94
  from pluggy_sdk.models.create_payment_intent import CreatePaymentIntent
95
95
  from pluggy_sdk.models.create_payment_recipient import CreatePaymentRecipient
96
96
  from pluggy_sdk.models.create_payment_request import CreatePaymentRequest
97
+ from pluggy_sdk.models.create_payment_request_schedule import CreatePaymentRequestSchedule
97
98
  from pluggy_sdk.models.create_pix_qr_payment_request import CreatePixQrPaymentRequest
98
99
  from pluggy_sdk.models.create_smart_account_request import CreateSmartAccountRequest
99
100
  from pluggy_sdk.models.create_smart_account_transfer_request import CreateSmartAccountTransferRequest
pluggy_sdk/api_client.py CHANGED
@@ -91,7 +91,7 @@ class ApiClient:
91
91
  self.default_headers[header_name] = header_value
92
92
  self.cookie = cookie
93
93
  # Set default User-Agent.
94
- self.user_agent = 'OpenAPI-Generator/1.0.0.post30/python'
94
+ self.user_agent = 'OpenAPI-Generator/1.0.0.post32/python'
95
95
  self.client_side_validation = configuration.client_side_validation
96
96
 
97
97
  def __enter__(self):
@@ -525,7 +525,7 @@ conf = pluggy_sdk.Configuration(
525
525
  "OS: {env}\n"\
526
526
  "Python Version: {pyversion}\n"\
527
527
  "Version of the API: 1.0.0\n"\
528
- "SDK Package Version: 1.0.0.post30".\
528
+ "SDK Package Version: 1.0.0.post32".\
529
529
  format(env=sys.platform, pyversion=sys.version)
530
530
 
531
531
  def get_host_settings(self) -> List[HostSetting]:
@@ -57,6 +57,7 @@ from pluggy_sdk.models.create_payment_customer_request_body import CreatePayment
57
57
  from pluggy_sdk.models.create_payment_intent import CreatePaymentIntent
58
58
  from pluggy_sdk.models.create_payment_recipient import CreatePaymentRecipient
59
59
  from pluggy_sdk.models.create_payment_request import CreatePaymentRequest
60
+ from pluggy_sdk.models.create_payment_request_schedule import CreatePaymentRequestSchedule
60
61
  from pluggy_sdk.models.create_pix_qr_payment_request import CreatePixQrPaymentRequest
61
62
  from pluggy_sdk.models.create_smart_account_request import CreateSmartAccountRequest
62
63
  from pluggy_sdk.models.create_smart_account_transfer_request import CreateSmartAccountTransferRequest
@@ -35,7 +35,7 @@ class Boleto(BaseModel):
35
35
  payer: BoletoPayer
36
36
  recipient: BoletoRecipient
37
37
  var_date: datetime = Field(description="Boleto issue date", alias="date")
38
- due_date: datetime = Field(description="Boleto due date", alias="dueDate")
38
+ due_date: Optional[datetime] = Field(default=None, description="Boleto due date", alias="dueDate")
39
39
  expiration_date: datetime = Field(description="After this date, the boleto cannot be paid", alias="expirationDate")
40
40
  base_amount: Union[StrictFloat, StrictInt] = Field(description="Boleto original amount, without interests, penalties and discounts", alias="baseAmount")
41
41
  penalty_amount: Union[StrictFloat, StrictInt] = Field(description="Boleto penalty amount. If there is no penalty, it will be returned as zero", alias="penaltyAmount")
@@ -20,8 +20,8 @@ import json
20
20
 
21
21
  from pydantic import BaseModel, ConfigDict, Field, StrictFloat, StrictInt, StrictStr
22
22
  from typing import Any, ClassVar, Dict, List, Optional, Union
23
+ from pluggy_sdk.models.create_payment_request_schedule import CreatePaymentRequestSchedule
23
24
  from pluggy_sdk.models.payment_request_callback_urls import PaymentRequestCallbackUrls
24
- from pluggy_sdk.models.payment_request_schedule import PaymentRequestSchedule
25
25
  from typing import Optional, Set
26
26
  from typing_extensions import Self
27
27
 
@@ -36,7 +36,7 @@ class CreatePaymentRequest(BaseModel):
36
36
  customer_id: Optional[StrictStr] = Field(default=None, description="Customer identifier associated to the payment", alias="customerId")
37
37
  client_payment_id: Optional[StrictStr] = Field(default=None, description="Your payment identifier", alias="clientPaymentId")
38
38
  smart_account_id: Optional[StrictStr] = Field(default=None, description="Smart account identifier associated to the payment, used to be able to use PIX Qr method", alias="smartAccountId")
39
- schedule: Optional[PaymentRequestSchedule] = None
39
+ schedule: Optional[CreatePaymentRequestSchedule] = None
40
40
  __properties: ClassVar[List[str]] = ["amount", "description", "callbackUrls", "recipientId", "customerId", "clientPaymentId", "smartAccountId", "schedule"]
41
41
 
42
42
  model_config = ConfigDict(
@@ -84,6 +84,11 @@ class CreatePaymentRequest(BaseModel):
84
84
  # override the default output from pydantic by calling `to_dict()` of schedule
85
85
  if self.schedule:
86
86
  _dict['schedule'] = self.schedule.to_dict()
87
+ # set to None if schedule (nullable) is None
88
+ # and model_fields_set contains the field
89
+ if self.schedule is None and "schedule" in self.model_fields_set:
90
+ _dict['schedule'] = None
91
+
87
92
  return _dict
88
93
 
89
94
  @classmethod
@@ -103,7 +108,7 @@ class CreatePaymentRequest(BaseModel):
103
108
  "customerId": obj.get("customerId"),
104
109
  "clientPaymentId": obj.get("clientPaymentId"),
105
110
  "smartAccountId": obj.get("smartAccountId"),
106
- "schedule": PaymentRequestSchedule.from_dict(obj["schedule"]) if obj.get("schedule") is not None else None
111
+ "schedule": CreatePaymentRequestSchedule.from_dict(obj["schedule"]) if obj.get("schedule") is not None else None
107
112
  })
108
113
  return _obj
109
114
 
@@ -0,0 +1,189 @@
1
+ # coding: utf-8
2
+
3
+ """
4
+ Pluggy API
5
+
6
+ Pluggy's main API to review data and execute connectors
7
+
8
+ The version of the OpenAPI document: 1.0.0
9
+ Contact: hello@pluggy.ai
10
+ Generated by OpenAPI Generator (https://openapi-generator.tech)
11
+
12
+ Do not edit the class manually.
13
+ """ # noqa: E501
14
+
15
+
16
+ from __future__ import annotations
17
+ import json
18
+ import pprint
19
+ from pydantic import BaseModel, ConfigDict, Field, StrictStr, ValidationError, field_validator
20
+ from typing import Any, List, Optional
21
+ from pluggy_sdk.models.custom import CUSTOM
22
+ from pluggy_sdk.models.daily import DAILY
23
+ from pluggy_sdk.models.monthly import MONTHLY
24
+ from pluggy_sdk.models.single import SINGLE
25
+ from pluggy_sdk.models.weekly import WEEKLY
26
+ from pydantic import StrictStr, Field
27
+ from typing import Union, List, Set, Optional, Dict
28
+ from typing_extensions import Literal, Self
29
+
30
+ CREATEPAYMENTREQUESTSCHEDULE_ONE_OF_SCHEMAS = ["CUSTOM", "DAILY", "MONTHLY", "SINGLE", "WEEKLY"]
31
+
32
+ class CreatePaymentRequestSchedule(BaseModel):
33
+ """
34
+ CreatePaymentRequestSchedule
35
+ """
36
+ # data type: SINGLE
37
+ oneof_schema_1_validator: Optional[SINGLE] = None
38
+ # data type: DAILY
39
+ oneof_schema_2_validator: Optional[DAILY] = None
40
+ # data type: WEEKLY
41
+ oneof_schema_3_validator: Optional[WEEKLY] = None
42
+ # data type: MONTHLY
43
+ oneof_schema_4_validator: Optional[MONTHLY] = None
44
+ # data type: CUSTOM
45
+ oneof_schema_5_validator: Optional[CUSTOM] = None
46
+ actual_instance: Optional[Union[CUSTOM, DAILY, MONTHLY, SINGLE, WEEKLY]] = None
47
+ one_of_schemas: Set[str] = { "CUSTOM", "DAILY", "MONTHLY", "SINGLE", "WEEKLY" }
48
+
49
+ model_config = ConfigDict(
50
+ validate_assignment=True,
51
+ protected_namespaces=(),
52
+ )
53
+
54
+
55
+ discriminator_value_class_map: Dict[str, str] = {
56
+ }
57
+
58
+ def __init__(self, *args, **kwargs) -> None:
59
+ if args:
60
+ if len(args) > 1:
61
+ raise ValueError("If a position argument is used, only 1 is allowed to set `actual_instance`")
62
+ if kwargs:
63
+ raise ValueError("If a position argument is used, keyword arguments cannot be used.")
64
+ super().__init__(actual_instance=args[0])
65
+ else:
66
+ super().__init__(**kwargs)
67
+
68
+ @field_validator('actual_instance')
69
+ def actual_instance_must_validate_oneof(cls, v):
70
+ if v is None:
71
+ return v
72
+
73
+ instance = CreatePaymentRequestSchedule.model_construct()
74
+ error_messages = []
75
+ match = 0
76
+ # validate data type: SINGLE
77
+ if not isinstance(v, SINGLE):
78
+ error_messages.append(f"Error! Input type `{type(v)}` is not `SINGLE`")
79
+ else:
80
+ match += 1
81
+ # validate data type: DAILY
82
+ if not isinstance(v, DAILY):
83
+ error_messages.append(f"Error! Input type `{type(v)}` is not `DAILY`")
84
+ else:
85
+ match += 1
86
+ # validate data type: WEEKLY
87
+ if not isinstance(v, WEEKLY):
88
+ error_messages.append(f"Error! Input type `{type(v)}` is not `WEEKLY`")
89
+ else:
90
+ match += 1
91
+ # validate data type: MONTHLY
92
+ if not isinstance(v, MONTHLY):
93
+ error_messages.append(f"Error! Input type `{type(v)}` is not `MONTHLY`")
94
+ else:
95
+ match += 1
96
+ # validate data type: CUSTOM
97
+ if not isinstance(v, CUSTOM):
98
+ error_messages.append(f"Error! Input type `{type(v)}` is not `CUSTOM`")
99
+ else:
100
+ match += 1
101
+ if match > 1:
102
+ # more than 1 match
103
+ raise ValueError("Multiple matches found when setting `actual_instance` in CreatePaymentRequestSchedule with oneOf schemas: CUSTOM, DAILY, MONTHLY, SINGLE, WEEKLY. Details: " + ", ".join(error_messages))
104
+ elif match == 0:
105
+ # no match
106
+ raise ValueError("No match found when setting `actual_instance` in CreatePaymentRequestSchedule with oneOf schemas: CUSTOM, DAILY, MONTHLY, SINGLE, WEEKLY. Details: " + ", ".join(error_messages))
107
+ else:
108
+ return v
109
+
110
+ @classmethod
111
+ def from_dict(cls, obj: Union[str, Dict[str, Any]]) -> Self:
112
+ return cls.from_json(json.dumps(obj))
113
+
114
+ @classmethod
115
+ def from_json(cls, json_str: Optional[str]) -> Self:
116
+ """Returns the object represented by the json string"""
117
+ instance = cls.model_construct()
118
+ if json_str is None:
119
+ return instance
120
+
121
+ error_messages = []
122
+ match = 0
123
+
124
+ # deserialize data into SINGLE
125
+ try:
126
+ instance.actual_instance = SINGLE.from_json(json_str)
127
+ match += 1
128
+ except (ValidationError, ValueError) as e:
129
+ error_messages.append(str(e))
130
+ # deserialize data into DAILY
131
+ try:
132
+ instance.actual_instance = DAILY.from_json(json_str)
133
+ match += 1
134
+ except (ValidationError, ValueError) as e:
135
+ error_messages.append(str(e))
136
+ # deserialize data into WEEKLY
137
+ try:
138
+ instance.actual_instance = WEEKLY.from_json(json_str)
139
+ match += 1
140
+ except (ValidationError, ValueError) as e:
141
+ error_messages.append(str(e))
142
+ # deserialize data into MONTHLY
143
+ try:
144
+ instance.actual_instance = MONTHLY.from_json(json_str)
145
+ match += 1
146
+ except (ValidationError, ValueError) as e:
147
+ error_messages.append(str(e))
148
+ # deserialize data into CUSTOM
149
+ try:
150
+ instance.actual_instance = CUSTOM.from_json(json_str)
151
+ match += 1
152
+ except (ValidationError, ValueError) as e:
153
+ error_messages.append(str(e))
154
+
155
+ if match > 1:
156
+ # more than 1 match
157
+ raise ValueError("Multiple matches found when deserializing the JSON string into CreatePaymentRequestSchedule with oneOf schemas: CUSTOM, DAILY, MONTHLY, SINGLE, WEEKLY. Details: " + ", ".join(error_messages))
158
+ elif match == 0:
159
+ # no match
160
+ raise ValueError("No match found when deserializing the JSON string into CreatePaymentRequestSchedule with oneOf schemas: CUSTOM, DAILY, MONTHLY, SINGLE, WEEKLY. Details: " + ", ".join(error_messages))
161
+ else:
162
+ return instance
163
+
164
+ def to_json(self) -> str:
165
+ """Returns the JSON representation of the actual instance"""
166
+ if self.actual_instance is None:
167
+ return "null"
168
+
169
+ if hasattr(self.actual_instance, "to_json") and callable(self.actual_instance.to_json):
170
+ return self.actual_instance.to_json()
171
+ else:
172
+ return json.dumps(self.actual_instance)
173
+
174
+ def to_dict(self) -> Optional[Union[Dict[str, Any], CUSTOM, DAILY, MONTHLY, SINGLE, WEEKLY]]:
175
+ """Returns the dict representation of the actual instance"""
176
+ if self.actual_instance is None:
177
+ return None
178
+
179
+ if hasattr(self.actual_instance, "to_dict") and callable(self.actual_instance.to_dict):
180
+ return self.actual_instance.to_dict()
181
+ else:
182
+ # primitive type
183
+ return self.actual_instance
184
+
185
+ def to_str(self) -> str:
186
+ """Returns the string representation of the actual instance"""
187
+ return pprint.pformat(self.model_dump())
188
+
189
+
@@ -28,13 +28,14 @@ class CreateSmartAccountRequest(BaseModel):
28
28
  """
29
29
  Create smart account request
30
30
  """ # noqa: E501
31
- name: StrictStr = Field(description="Account owner fullName")
32
- tax_number: StrictStr = Field(description="Account owner tax number (CPF or CNPJ)", alias="taxNumber")
33
- email: StrictStr = Field(description="Account owner email")
34
- phone_number: StrictStr = Field(description="Account owner phone", alias="phoneNumber")
31
+ item_id: Optional[StrictStr] = Field(default=None, description="Primary identifier of the item wanted to associate to the account. Mandatory unless is a sandbox account", alias="itemId")
35
32
  is_sandbox: Optional[StrictBool] = Field(default=None, description="Indicates if the smart account is a sandbox account", alias="isSandbox")
36
33
  address: SmartAccountAddress
37
- __properties: ClassVar[List[str]] = ["name", "taxNumber", "email", "phoneNumber", "isSandbox", "address"]
34
+ tax_number: Optional[StrictStr] = Field(default=None, description="Smart account owner's CNPJ. Just needed if 'isSandbox' is true", alias="taxNumber")
35
+ name: Optional[StrictStr] = Field(default=None, description="Smart account owner's business name. Just needed if 'isSandbox' is true")
36
+ email: StrictStr = Field(description="Email to be associated to the smart account")
37
+ phone: Optional[StrictStr] = Field(default=None, description="Phone number to be associated to the smart account")
38
+ __properties: ClassVar[List[str]] = ["itemId", "isSandbox", "address", "taxNumber", "name", "email", "phone"]
38
39
 
39
40
  model_config = ConfigDict(
40
41
  populate_by_name=True,
@@ -90,12 +91,13 @@ class CreateSmartAccountRequest(BaseModel):
90
91
  return cls.model_validate(obj)
91
92
 
92
93
  _obj = cls.model_validate({
93
- "name": obj.get("name"),
94
+ "itemId": obj.get("itemId"),
95
+ "isSandbox": obj.get("isSandbox"),
96
+ "address": SmartAccountAddress.from_dict(obj["address"]) if obj.get("address") is not None else None,
94
97
  "taxNumber": obj.get("taxNumber"),
98
+ "name": obj.get("name"),
95
99
  "email": obj.get("email"),
96
- "phoneNumber": obj.get("phoneNumber"),
97
- "isSandbox": obj.get("isSandbox"),
98
- "address": SmartAccountAddress.from_dict(obj["address"]) if obj.get("address") is not None else None
100
+ "phone": obj.get("phone")
99
101
  })
100
102
  return _obj
101
103
 
@@ -29,9 +29,9 @@ class ItemOptions(BaseModel):
29
29
  """ # noqa: E501
30
30
  client_user_id: Optional[StrictStr] = Field(default=None, description="Client's identifier for the user, it can be a ID, UUID or even an email.", alias="clientUserId")
31
31
  webhook_url: Optional[StrictStr] = Field(default=None, description="Url to be notified of this specific item changes", alias="webhookUrl")
32
- oauth_redirect_url: Optional[StrictStr] = Field(default=None, description="Url to redirect the user after the connect flow", alias="oauthRedirectUrl")
33
- avoid_duplicates: Optional[StrictBool] = Field(default=None, description="Avoid duplicated transactions on the item", alias="avoidDuplicates")
34
- __properties: ClassVar[List[str]] = ["clientUserId", "webhookUrl", "oauthRedirectUrl", "avoidDuplicates"]
32
+ oauth_redirect_uri: Optional[StrictStr] = Field(default=None, description="Url to redirect the user after the connect flow", alias="oauthRedirectUri")
33
+ avoid_duplicates: Optional[StrictBool] = Field(default=None, description="Avoids creating a new item if there is already one with the same credentials", alias="avoidDuplicates")
34
+ __properties: ClassVar[List[str]] = ["clientUserId", "webhookUrl", "oauthRedirectUri", "avoidDuplicates"]
35
35
 
36
36
  model_config = ConfigDict(
37
37
  populate_by_name=True,
@@ -86,7 +86,7 @@ class ItemOptions(BaseModel):
86
86
  _obj = cls.model_validate({
87
87
  "clientUserId": obj.get("clientUserId"),
88
88
  "webhookUrl": obj.get("webhookUrl"),
89
- "oauthRedirectUrl": obj.get("oauthRedirectUrl"),
89
+ "oauthRedirectUri": obj.get("oauthRedirectUri"),
90
90
  "avoidDuplicates": obj.get("avoidDuplicates")
91
91
  })
92
92
  return _obj
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: pluggy-sdk
3
- Version: 1.0.0.post30
3
+ Version: 1.0.0.post32
4
4
  Summary: Pluggy API
5
5
  Home-page: https://github.com/diraol/pluggy-python
6
6
  Author: Pluggy
@@ -19,7 +19,7 @@ Pluggy's main API to review data and execute connectors
19
19
  This Python package is automatically generated by the [OpenAPI Generator](https://openapi-generator.tech) project:
20
20
 
21
21
  - API version: 1.0.0
22
- - Package version: 1.0.0.post30
22
+ - Package version: 1.0.0.post32
23
23
  - Generator version: 7.11.0-SNAPSHOT
24
24
  - Build package: org.openapitools.codegen.languages.PythonClientCodegen
25
25
  For more information, please visit [https://pluggy.ai](https://pluggy.ai)
@@ -238,6 +238,7 @@ Class | Method | HTTP request | Description
238
238
  - [CreatePaymentIntent](docs/CreatePaymentIntent.md)
239
239
  - [CreatePaymentRecipient](docs/CreatePaymentRecipient.md)
240
240
  - [CreatePaymentRequest](docs/CreatePaymentRequest.md)
241
+ - [CreatePaymentRequestSchedule](docs/CreatePaymentRequestSchedule.md)
241
242
  - [CreatePixQrPaymentRequest](docs/CreatePixQrPaymentRequest.md)
242
243
  - [CreateSmartAccountRequest](docs/CreateSmartAccountRequest.md)
243
244
  - [CreateSmartAccountTransferRequest](docs/CreateSmartAccountTransferRequest.md)
@@ -1,7 +1,7 @@
1
- pluggy_sdk/__init__.py,sha256=anqdTDVdf3xuuVQ8WyfVI_R9eq_anYIRUEIDGHYd96k,12753
2
- pluggy_sdk/api_client.py,sha256=K9LWZuwdkasnUHzvZ06qYTpKyl1nUJyNUlcIlqoUtxU,27438
1
+ pluggy_sdk/__init__.py,sha256=rkSVqhVzMgOm-P4-SVUeMC-GR5NE9IadjGOqilCuWas,12844
2
+ pluggy_sdk/api_client.py,sha256=BNpROhVGWSx0XysVyj8EPROiz4oaxz5YF_Sdlfapul8,27438
3
3
  pluggy_sdk/api_response.py,sha256=eMxw1mpmJcoGZ3gs9z6jM4oYoZ10Gjk333s9sKxGv7s,652
4
- pluggy_sdk/configuration.py,sha256=hGp9L29DWn5hKff4TfGVEJxeUDvM9i2R8x2nfo-Seps,18485
4
+ pluggy_sdk/configuration.py,sha256=IljXJQG6d4r8lIHFQdhVb71QntDb4g0oYs9rAoIbC6s,18485
5
5
  pluggy_sdk/exceptions.py,sha256=nnh92yDlGdY1-zRsb0vQLebe4oyhrO63RXCYBhbrhoU,5953
6
6
  pluggy_sdk/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
7
7
  pluggy_sdk/rest.py,sha256=vVdVX3R4AbYt0r6TChhsMVAnyL1nf0RA6eZYjkaaBzY,9389
@@ -35,7 +35,7 @@ pluggy_sdk/api/smart_account_transfer_api.py,sha256=H-uScNzIIlUzymh8GHKLoypler5T
35
35
  pluggy_sdk/api/smart_transfer_api.py,sha256=txy3I7VsD8wlmzPAmKgva7szkTi_2ne3RDMo6zrcj-0,56198
36
36
  pluggy_sdk/api/transaction_api.py,sha256=P3uIVt77rC4f9ITPJjT9oi8-pFrM6RmpgXP55_unCME,37955
37
37
  pluggy_sdk/api/webhook_api.py,sha256=PmwRiQPIvl5vdDqNFdVKJLdBMGMyoccEHYmrxf7A4G4,56195
38
- pluggy_sdk/models/__init__.py,sha256=WSe6V3mGYIW9twpSaOm_D7mVSxufkh8VJzoJax3pHAM,11074
38
+ pluggy_sdk/models/__init__.py,sha256=NnMQ8oqM--bIoFcZvafaNTFJpDNf99PNlZ0kha8LoEU,11165
39
39
  pluggy_sdk/models/account.py,sha256=olFI5wpLnLLE7OO22B4zlNzSAf5TP8kGPVmYar_VUdg,5536
40
40
  pluggy_sdk/models/accounts_list200_response.py,sha256=B4SakmOjxyOmTHYtTMmYKJo2nnKScnvqCN348JP98aE,3441
41
41
  pluggy_sdk/models/acquirer_anticipation.py,sha256=_z-lkqKpAML1Tr60J8MoGnc3sN0AOXYPJaTk_DVmYNg,4617
@@ -65,7 +65,7 @@ pluggy_sdk/models/benefits_list200_response.py,sha256=2nvqxafhuuXbl2rq9lXOLcVtBY
65
65
  pluggy_sdk/models/bill.py,sha256=e2tOe1aFBZs9VJMxV9pwsT-d4I8A66M7USGP9mWijbI,4476
66
66
  pluggy_sdk/models/bill_finance_charge.py,sha256=HzAfznWSmKYuDWt7kHzTMlCXDN_kYZzD5uEMH2qRsUE,3776
67
67
  pluggy_sdk/models/bills_list200_response.py,sha256=iGWpb0feuyvZt_9OjJxsrO8bUycaq0n-guzr6yqMNlU,3416
68
- pluggy_sdk/models/boleto.py,sha256=tD6vJcN_wJC4cKAiEPsvlltmh_jN3BWPTlkAY8ab6ak,5378
68
+ pluggy_sdk/models/boleto.py,sha256=AXgr-nAs1EBqPVVRfuXdTDDnBbj0sLhOII2JlumeNpE,5402
69
69
  pluggy_sdk/models/boleto_payer.py,sha256=0zVxArLdsn9lQ68WcabB0oT4tD1QzTyKblN8aZxbjpo,2641
70
70
  pluggy_sdk/models/boleto_recipient.py,sha256=O89GyVOLrJVrTg9_0CHZjmjdlp9blpsMl5QlioE-Z_U,2665
71
71
  pluggy_sdk/models/bulk_payment.py,sha256=_EiKF2iM38AktGvOHGey0FG9_usnL6YPUM7gtTWPeJg,5717
@@ -91,9 +91,10 @@ pluggy_sdk/models/create_or_update_payment_customer.py,sha256=ZvN-Pa9LGAR33L5G4X
91
91
  pluggy_sdk/models/create_payment_customer_request_body.py,sha256=YvSSzXEW2yI7M9alWr4fHbPRqNvV4sxTUVp3FkMQSyU,3365
92
92
  pluggy_sdk/models/create_payment_intent.py,sha256=MCBRy8n1xXnajR3Q4gksZ07Qk_VvtrCPaldTvkBEfUw,4371
93
93
  pluggy_sdk/models/create_payment_recipient.py,sha256=B4vmHZB0uhOBPl9GPcvkno02fpIHIKFTM3EQvMoBoS8,4554
94
- pluggy_sdk/models/create_payment_request.py,sha256=p1Lwwhl07cSxfyxUVtLexshtGAoSI0mY3seqq5f3ffA,4612
94
+ pluggy_sdk/models/create_payment_request.py,sha256=H2SU4y28MxacJLrypgknHzIpPTp5m6z9VJEBoGcsazU,4852
95
+ pluggy_sdk/models/create_payment_request_schedule.py,sha256=Aj70mok-7IYtwhCRFg6_FeawrEiIl34mwcGb0yX6PcY,7159
95
96
  pluggy_sdk/models/create_pix_qr_payment_request.py,sha256=gyRV61yUjf_K4WeihOoBSQySS2NODl2sl4STITpMuIA,3354
96
- pluggy_sdk/models/create_smart_account_request.py,sha256=ZxfVt_baOOkWDaVB9ndDnmVMx3zwkVnbSRL9iCMfMSQ,3612
97
+ pluggy_sdk/models/create_smart_account_request.py,sha256=gSgbwmb6nun1fqtxu_1RWU-wvNRqbCuc5OwvuN1pxr0,4008
97
98
  pluggy_sdk/models/create_smart_account_transfer_request.py,sha256=cqYBbTfssI6jbZ4bxulvBsofin6d3k0qYcamSSIqzVE,3122
98
99
  pluggy_sdk/models/create_smart_transfer_payment.py,sha256=YqZQ7gg7oPFIlTwDCVH9wglNGETeOkxbiAeZT38e5nk,3397
99
100
  pluggy_sdk/models/create_smart_transfer_preauthorization.py,sha256=aSaFeY_pe-TX2kMyPA_sH89SshgqsJ7JJ4trwMP2zwQ,4149
@@ -125,7 +126,7 @@ pluggy_sdk/models/investments_list200_response.py,sha256=JqUTarakPV6yzY162pLugeF
125
126
  pluggy_sdk/models/item.py,sha256=z__AH74riALcam8VE0U_GPCZPH7JrQydR1QeEHvlQRg,7295
126
127
  pluggy_sdk/models/item_creation_error_response.py,sha256=_zdN0Go6iU2deVKxRrexeYlDxWxYfWhjyrxisyQbjUI,3607
127
128
  pluggy_sdk/models/item_error.py,sha256=2wbKBj82sw3NPhNqxCCnw-c15-QuFhy5Ywe29h2HicQ,3155
128
- pluggy_sdk/models/item_options.py,sha256=jM8JCsg2PCrp5uOYJrmlJ2YMQEPUZ3M_xKczDuE4F-U,3355
129
+ pluggy_sdk/models/item_options.py,sha256=_HtQch_MoHGlBSSxgfGhtCN083jSqKxov0KTmldRw6M,3390
129
130
  pluggy_sdk/models/loan.py,sha256=mTbqlJwpxopVEiZYUFn3sc5oi9yXrH8rK43tuBuNlnM,12231
130
131
  pluggy_sdk/models/loan_contracted_fee.py,sha256=k2EHfnbElL7scRmPQSKmzZ3oSxh50Z9wtAPe2Q2Oqzw,4205
131
132
  pluggy_sdk/models/loan_contracted_finance_charge.py,sha256=-2cHDwe9IfcWxtjLaL1Vs0PdWsqMv5RGO_Cx2fo3dj0,3153
@@ -214,7 +215,7 @@ pluggy_sdk/models/webhook.py,sha256=2KV31zqFfHMzYzdrfVW7Sam6BsKigdQnPOKjsRiFYqI,
214
215
  pluggy_sdk/models/webhook_creation_error_response.py,sha256=SMvNMvJANk1NTn9BEugfwRtnEsJuoMsFo8tVvci3ayw,2681
215
216
  pluggy_sdk/models/webhooks_list200_response.py,sha256=_C8cwBIpZZrODNt-BS_pwAyBjZPxls6ffsy8vqYA6RU,3384
216
217
  pluggy_sdk/models/weekly.py,sha256=rEjJdwn52bBC5sNRUoWsMQ2uoaX7tDz68R5OOgBF1uw,4096
217
- pluggy_sdk-1.0.0.post30.dist-info/METADATA,sha256=vpAVb8CaqO3V70GmvS2OplaGj4nkve01wFcyn8tXKsQ,22948
218
- pluggy_sdk-1.0.0.post30.dist-info/WHEEL,sha256=PZUExdf71Ui_so67QXpySuHtCi3-J3wvF4ORK6k_S8U,91
219
- pluggy_sdk-1.0.0.post30.dist-info/top_level.txt,sha256=4RLkSSAcNiYLnk0_CN2vRQoezuSTIa7VPuNnaVutZP0,11
220
- pluggy_sdk-1.0.0.post30.dist-info/RECORD,,
218
+ pluggy_sdk-1.0.0.post32.dist-info/METADATA,sha256=YRN6RIeE_7PUGAAVBLjtpYppci51pcFkv0osWado9a8,23020
219
+ pluggy_sdk-1.0.0.post32.dist-info/WHEEL,sha256=PZUExdf71Ui_so67QXpySuHtCi3-J3wvF4ORK6k_S8U,91
220
+ pluggy_sdk-1.0.0.post32.dist-info/top_level.txt,sha256=4RLkSSAcNiYLnk0_CN2vRQoezuSTIa7VPuNnaVutZP0,11
221
+ pluggy_sdk-1.0.0.post32.dist-info/RECORD,,