pluggy-sdk 1.0.0.post11__py3-none-any.whl → 1.0.0.post12__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.
@@ -0,0 +1,103 @@
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 pprint
18
+ import re # noqa: F401
19
+ import json
20
+
21
+ from datetime import date
22
+ from pydantic import BaseModel, ConfigDict, Field, StrictStr, field_validator
23
+ from typing import Any, ClassVar, Dict, List, Union
24
+ from typing_extensions import Annotated
25
+ from typing import Optional, Set
26
+ from typing_extensions import Self
27
+
28
+ class ScheduleTypeMonthly(BaseModel):
29
+ """
30
+ Schedule atribute to generate weekly payments
31
+ """ # noqa: E501
32
+ type: StrictStr = Field(description="Scheduled type")
33
+ start_date: date = Field(alias="startDate")
34
+ day_of_month: Union[Annotated[float, Field(le=30, strict=True, ge=2)], Annotated[int, Field(le=30, strict=True, ge=2)]] = Field(description="Day of the mont to generate the payment", alias="dayOfMonth")
35
+ quantity: Union[Annotated[float, Field(le=23, strict=True, ge=3)], Annotated[int, Field(le=23, strict=True, ge=3)]]
36
+ __properties: ClassVar[List[str]] = ["type", "startDate", "dayOfMonth", "quantity"]
37
+
38
+ @field_validator('type')
39
+ def type_validate_enum(cls, value):
40
+ """Validates the enum"""
41
+ if value not in set(['WEEKLY']):
42
+ raise ValueError("must be one of enum values ('WEEKLY')")
43
+ return value
44
+
45
+ model_config = ConfigDict(
46
+ populate_by_name=True,
47
+ validate_assignment=True,
48
+ protected_namespaces=(),
49
+ )
50
+
51
+
52
+ def to_str(self) -> str:
53
+ """Returns the string representation of the model using alias"""
54
+ return pprint.pformat(self.model_dump(by_alias=True))
55
+
56
+ def to_json(self) -> str:
57
+ """Returns the JSON representation of the model using alias"""
58
+ # TODO: pydantic v2: use .model_dump_json(by_alias=True, exclude_unset=True) instead
59
+ return json.dumps(self.to_dict())
60
+
61
+ @classmethod
62
+ def from_json(cls, json_str: str) -> Optional[Self]:
63
+ """Create an instance of ScheduleTypeMonthly from a JSON string"""
64
+ return cls.from_dict(json.loads(json_str))
65
+
66
+ def to_dict(self) -> Dict[str, Any]:
67
+ """Return the dictionary representation of the model using alias.
68
+
69
+ This has the following differences from calling pydantic's
70
+ `self.model_dump(by_alias=True)`:
71
+
72
+ * `None` is only added to the output dict for nullable fields that
73
+ were set at model initialization. Other fields with value `None`
74
+ are ignored.
75
+ """
76
+ excluded_fields: Set[str] = set([
77
+ ])
78
+
79
+ _dict = self.model_dump(
80
+ by_alias=True,
81
+ exclude=excluded_fields,
82
+ exclude_none=True,
83
+ )
84
+ return _dict
85
+
86
+ @classmethod
87
+ def from_dict(cls, obj: Optional[Dict[str, Any]]) -> Optional[Self]:
88
+ """Create an instance of ScheduleTypeMonthly from a dict"""
89
+ if obj is None:
90
+ return None
91
+
92
+ if not isinstance(obj, dict):
93
+ return cls.model_validate(obj)
94
+
95
+ _obj = cls.model_validate({
96
+ "type": obj.get("type"),
97
+ "startDate": obj.get("startDate"),
98
+ "dayOfMonth": obj.get("dayOfMonth"),
99
+ "quantity": obj.get("quantity")
100
+ })
101
+ return _obj
102
+
103
+
@@ -0,0 +1,98 @@
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 pprint
18
+ import re # noqa: F401
19
+ import json
20
+
21
+ from datetime import date
22
+ from pydantic import BaseModel, ConfigDict, Field, StrictStr, field_validator
23
+ from typing import Any, ClassVar, Dict, List
24
+ from typing import Optional, Set
25
+ from typing_extensions import Self
26
+
27
+ class ScheduleTypeSingle(BaseModel):
28
+ """
29
+ Schedule atribute to generate one payment in the future
30
+ """ # noqa: E501
31
+ type: StrictStr = Field(description="Scheduled type")
32
+ var_date: date = Field(alias="date")
33
+ __properties: ClassVar[List[str]] = ["type", "date"]
34
+
35
+ @field_validator('type')
36
+ def type_validate_enum(cls, value):
37
+ """Validates the enum"""
38
+ if value not in set(['SINGLE']):
39
+ raise ValueError("must be one of enum values ('SINGLE')")
40
+ return value
41
+
42
+ model_config = ConfigDict(
43
+ populate_by_name=True,
44
+ validate_assignment=True,
45
+ protected_namespaces=(),
46
+ )
47
+
48
+
49
+ def to_str(self) -> str:
50
+ """Returns the string representation of the model using alias"""
51
+ return pprint.pformat(self.model_dump(by_alias=True))
52
+
53
+ def to_json(self) -> str:
54
+ """Returns the JSON representation of the model using alias"""
55
+ # TODO: pydantic v2: use .model_dump_json(by_alias=True, exclude_unset=True) instead
56
+ return json.dumps(self.to_dict())
57
+
58
+ @classmethod
59
+ def from_json(cls, json_str: str) -> Optional[Self]:
60
+ """Create an instance of ScheduleTypeSingle from a JSON string"""
61
+ return cls.from_dict(json.loads(json_str))
62
+
63
+ def to_dict(self) -> Dict[str, Any]:
64
+ """Return the dictionary representation of the model using alias.
65
+
66
+ This has the following differences from calling pydantic's
67
+ `self.model_dump(by_alias=True)`:
68
+
69
+ * `None` is only added to the output dict for nullable fields that
70
+ were set at model initialization. Other fields with value `None`
71
+ are ignored.
72
+ """
73
+ excluded_fields: Set[str] = set([
74
+ ])
75
+
76
+ _dict = self.model_dump(
77
+ by_alias=True,
78
+ exclude=excluded_fields,
79
+ exclude_none=True,
80
+ )
81
+ return _dict
82
+
83
+ @classmethod
84
+ def from_dict(cls, obj: Optional[Dict[str, Any]]) -> Optional[Self]:
85
+ """Create an instance of ScheduleTypeSingle from a dict"""
86
+ if obj is None:
87
+ return None
88
+
89
+ if not isinstance(obj, dict):
90
+ return cls.model_validate(obj)
91
+
92
+ _obj = cls.model_validate({
93
+ "type": obj.get("type"),
94
+ "date": obj.get("date")
95
+ })
96
+ return _obj
97
+
98
+
@@ -0,0 +1,110 @@
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 pprint
18
+ import re # noqa: F401
19
+ import json
20
+
21
+ from datetime import date
22
+ from pydantic import BaseModel, ConfigDict, Field, StrictStr, field_validator
23
+ from typing import Any, ClassVar, Dict, List, Union
24
+ from typing_extensions import Annotated
25
+ from typing import Optional, Set
26
+ from typing_extensions import Self
27
+
28
+ class ScheduleTypeWeekly(BaseModel):
29
+ """
30
+ Schedule atribute to generate weekly payments
31
+ """ # noqa: E501
32
+ type: StrictStr = Field(description="Scheduled type")
33
+ start_date: date = Field(alias="startDate")
34
+ day_of_week: StrictStr = Field(description="Day of the week to generate the payment", alias="dayOfWeek")
35
+ quantity: Union[Annotated[float, Field(le=59, strict=True, ge=3)], Annotated[int, Field(le=59, strict=True, ge=3)]]
36
+ __properties: ClassVar[List[str]] = ["type", "startDate", "dayOfWeek", "quantity"]
37
+
38
+ @field_validator('type')
39
+ def type_validate_enum(cls, value):
40
+ """Validates the enum"""
41
+ if value not in set(['WEEKLY']):
42
+ raise ValueError("must be one of enum values ('WEEKLY')")
43
+ return value
44
+
45
+ @field_validator('day_of_week')
46
+ def day_of_week_validate_enum(cls, value):
47
+ """Validates the enum"""
48
+ if value not in set(['SEGUNDA_FEIRA', 'TERCA_FEIRA', 'QUARTA_FEIRA', 'QUINTA_FEIRA', 'SEXTA_FEIRA', 'SABADO', 'DOMINGO']):
49
+ raise ValueError("must be one of enum values ('SEGUNDA_FEIRA', 'TERCA_FEIRA', 'QUARTA_FEIRA', 'QUINTA_FEIRA', 'SEXTA_FEIRA', 'SABADO', 'DOMINGO')")
50
+ return value
51
+
52
+ model_config = ConfigDict(
53
+ populate_by_name=True,
54
+ validate_assignment=True,
55
+ protected_namespaces=(),
56
+ )
57
+
58
+
59
+ def to_str(self) -> str:
60
+ """Returns the string representation of the model using alias"""
61
+ return pprint.pformat(self.model_dump(by_alias=True))
62
+
63
+ def to_json(self) -> str:
64
+ """Returns the JSON representation of the model using alias"""
65
+ # TODO: pydantic v2: use .model_dump_json(by_alias=True, exclude_unset=True) instead
66
+ return json.dumps(self.to_dict())
67
+
68
+ @classmethod
69
+ def from_json(cls, json_str: str) -> Optional[Self]:
70
+ """Create an instance of ScheduleTypeWeekly from a JSON string"""
71
+ return cls.from_dict(json.loads(json_str))
72
+
73
+ def to_dict(self) -> Dict[str, Any]:
74
+ """Return the dictionary representation of the model using alias.
75
+
76
+ This has the following differences from calling pydantic's
77
+ `self.model_dump(by_alias=True)`:
78
+
79
+ * `None` is only added to the output dict for nullable fields that
80
+ were set at model initialization. Other fields with value `None`
81
+ are ignored.
82
+ """
83
+ excluded_fields: Set[str] = set([
84
+ ])
85
+
86
+ _dict = self.model_dump(
87
+ by_alias=True,
88
+ exclude=excluded_fields,
89
+ exclude_none=True,
90
+ )
91
+ return _dict
92
+
93
+ @classmethod
94
+ def from_dict(cls, obj: Optional[Dict[str, Any]]) -> Optional[Self]:
95
+ """Create an instance of ScheduleTypeWeekly from a dict"""
96
+ if obj is None:
97
+ return None
98
+
99
+ if not isinstance(obj, dict):
100
+ return cls.model_validate(obj)
101
+
102
+ _obj = cls.model_validate({
103
+ "type": obj.get("type"),
104
+ "startDate": obj.get("startDate"),
105
+ "dayOfWeek": obj.get("dayOfWeek"),
106
+ "quantity": obj.get("quantity")
107
+ })
108
+ return _obj
109
+
110
+
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: pluggy-sdk
3
- Version: 1.0.0.post11
3
+ Version: 1.0.0.post12
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.post11
22
+ - Package version: 1.0.0.post12
23
23
  - Generator version: 7.7.0-SNAPSHOT
24
24
  - Build package: org.openapitools.codegen.languages.PythonClientCodegen
25
25
  For more information, please visit [https://pluggy.ai](https://pluggy.ai)
@@ -172,6 +172,9 @@ Class | Method | HTTP request | Description
172
172
  *PaymentRequestApi* | [**payment_request_retrieve**](docs/PaymentRequestApi.md#payment_request_retrieve) | **GET** /payments/requests/{id} | Retrieve
173
173
  *PaymentRequestApi* | [**payment_request_update**](docs/PaymentRequestApi.md#payment_request_update) | **PATCH** /payments/requests/{id} | Update
174
174
  *PaymentRequestApi* | [**payment_requests_list**](docs/PaymentRequestApi.md#payment_requests_list) | **GET** /payments/requests | List
175
+ *PaymentRequestApi* | [**payment_schedules_list**](docs/PaymentRequestApi.md#payment_schedules_list) | **GET** /payments/requests/{id}/schedules | Schedule List
176
+ *PayrollLoanApi* | [**payroll_loans_list**](docs/PayrollLoanApi.md#payroll_loans_list) | **GET** /payroll-loans | List
177
+ *PayrollLoanApi* | [**payroll_loans_retrieve**](docs/PayrollLoanApi.md#payroll_loans_retrieve) | **GET** /payroll-loans/{id} | Retrieve
175
178
  *PortfolioYieldApi* | [**aggregated_portfolio_find_by_item**](docs/PortfolioYieldApi.md#aggregated_portfolio_find_by_item) | **GET** /portfolio/{itemId} | Find aggregated portfolio yield by item
176
179
  *PortfolioYieldApi* | [**monthly_portfolio_find_by_item**](docs/PortfolioYieldApi.md#monthly_portfolio_find_by_item) | **GET** /portfolio/{itemId}/monthly | Find monthly portfolio yield by item
177
180
  *SmartAccountApi* | [**smart_account_balance_retrieve**](docs/SmartAccountApi.md#smart_account_balance_retrieve) | **GET** /payments/smart-accounts/{id}/balance | Retrieve Balance
@@ -232,6 +235,7 @@ Class | Method | HTTP request | Description
232
235
  - [ConnectorHealthDetails](docs/ConnectorHealthDetails.md)
233
236
  - [ConnectorListResponse](docs/ConnectorListResponse.md)
234
237
  - [ConnectorUserAction](docs/ConnectorUserAction.md)
238
+ - [Consent](docs/Consent.md)
235
239
  - [CreateBoletoPaymentRequest](docs/CreateBoletoPaymentRequest.md)
236
240
  - [CreateBulkPayment](docs/CreateBulkPayment.md)
237
241
  - [CreateClientCategoryRule](docs/CreateClientCategoryRule.md)
@@ -288,6 +292,7 @@ Class | Method | HTTP request | Description
288
292
  - [PageResponseAcquirerReceivables](docs/PageResponseAcquirerReceivables.md)
289
293
  - [PageResponseAcquirerSales](docs/PageResponseAcquirerSales.md)
290
294
  - [PageResponseCategoryRules](docs/PageResponseCategoryRules.md)
295
+ - [PageResponseConsents](docs/PageResponseConsents.md)
291
296
  - [PageResponseInvestmentTransactions](docs/PageResponseInvestmentTransactions.md)
292
297
  - [PageResponseTransactions](docs/PageResponseTransactions.md)
293
298
  - [ParameterValidationError](docs/ParameterValidationError.md)
@@ -310,10 +315,21 @@ Class | Method | HTTP request | Description
310
315
  - [PaymentRequest](docs/PaymentRequest.md)
311
316
  - [PaymentRequestCallbackUrls](docs/PaymentRequestCallbackUrls.md)
312
317
  - [PaymentRequestReceiptList200Response](docs/PaymentRequestReceiptList200Response.md)
318
+ - [PaymentRequestSchedule](docs/PaymentRequestSchedule.md)
313
319
  - [PaymentRequestsList200Response](docs/PaymentRequestsList200Response.md)
320
+ - [PaymentSchedulesList200Response](docs/PaymentSchedulesList200Response.md)
321
+ - [PayrollLoanResponse](docs/PayrollLoanResponse.md)
322
+ - [PayrollLoanResponseClient](docs/PayrollLoanResponseClient.md)
323
+ - [PayrollLoansList200Response](docs/PayrollLoansList200Response.md)
314
324
  - [PercentageOverIndex](docs/PercentageOverIndex.md)
315
325
  - [PhoneNumber](docs/PhoneNumber.md)
316
326
  - [PixData](docs/PixData.md)
327
+ - [SchedulePayment](docs/SchedulePayment.md)
328
+ - [ScheduleTypeCustom](docs/ScheduleTypeCustom.md)
329
+ - [ScheduleTypeDaily](docs/ScheduleTypeDaily.md)
330
+ - [ScheduleTypeMonthly](docs/ScheduleTypeMonthly.md)
331
+ - [ScheduleTypeSingle](docs/ScheduleTypeSingle.md)
332
+ - [ScheduleTypeWeekly](docs/ScheduleTypeWeekly.md)
317
333
  - [SmartAccount](docs/SmartAccount.md)
318
334
  - [SmartAccountAddress](docs/SmartAccountAddress.md)
319
335
  - [SmartAccountBalance](docs/SmartAccountBalance.md)
@@ -1,11 +1,11 @@
1
- pluggy_sdk/__init__.py,sha256=XgZKUllxv6KJFVKrsQv9jxRQHfcgi88appu3kpH6P5Y,12226
2
- pluggy_sdk/api_client.py,sha256=daVO2-oM0UN18sZYrfv3LL--4qjmuXs-feOOTBqly-0,26720
1
+ pluggy_sdk/__init__.py,sha256=RuuOHHHc8ToRXp7O3vCBM2SuuRw2iwAumacc0udq-kc,13239
2
+ pluggy_sdk/api_client.py,sha256=YxldQ5zn2oTwPuj7lC593McxouoTRUsTx72o05zKN5g,26720
3
3
  pluggy_sdk/api_response.py,sha256=eMxw1mpmJcoGZ3gs9z6jM4oYoZ10Gjk333s9sKxGv7s,652
4
- pluggy_sdk/configuration.py,sha256=qkeos298CpHi6myEPMCIQQanQf9XruK0aFI--g0OcVg,15331
4
+ pluggy_sdk/configuration.py,sha256=CQ7bWDlZcvY_1frOxYmy3TsC_10DAFb3w2U_YB_TU5o,15331
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=bul9ovAN4BXJwh9yRpC8xb9pZva6xIKmUD72sIQa2yM,9385
8
- pluggy_sdk/api/__init__.py,sha256=hf-AK-PC27JMHjjQm3Jt6wx3wHDhNh2yyY2-G-BjGzg,1319
8
+ pluggy_sdk/api/__init__.py,sha256=HyOmR9UVMhJdmykbt-wkWjBkXE3AJgPoR2D9NC80tqo,1378
9
9
  pluggy_sdk/api/account_api.py,sha256=WsxWuibe2G4IG2-_KVDKQ4D4NAlnnhrdrWo5h3csO9g,22047
10
10
  pluggy_sdk/api/acquirer_anticipation_api.py,sha256=atMj8leyJ2xpFTsZ0t1kR4BXxwfbgUPE2Mdt8lN1yW0,26206
11
11
  pluggy_sdk/api/acquirer_receivable_api.py,sha256=wCGsZ_4TM6TlG4NFbDhQfYlpmeFyxc92AyixW3C-IC0,26120
@@ -23,12 +23,13 @@ pluggy_sdk/api/loan_api.py,sha256=-SD37ZzfB9S2SaqyUl0Gg3Plko7olxmu04jcB2mA7Vg,20
23
23
  pluggy_sdk/api/payment_customer_api.py,sha256=qUiuhizeTkXMuISJTiaAVaTMycn_d1zNvAmc0uv2Vew,54784
24
24
  pluggy_sdk/api/payment_intent_api.py,sha256=jcf5dDrmMjSz90cQ9H-u1NaIHW0aATLs6nQyyRID1tc,32020
25
25
  pluggy_sdk/api/payment_recipient_api.py,sha256=icivhir7nkhkcnR-LLKsuJJGRydeGSEiDSeP-eX8LnU,77933
26
- pluggy_sdk/api/payment_request_api.py,sha256=VtIZ15EcTHyAL4TbIq_CvIT_kHRe2WTEuwJnGHqXQpc,105085
26
+ pluggy_sdk/api/payment_request_api.py,sha256=gsSHPlwUnK2QFRPWseBJTC0zAez2T_byHuO3tL_Mb8c,115192
27
+ pluggy_sdk/api/payroll_loan_api.py,sha256=UqHuWdWa6PYAFBLdeRQTw0tMhv-yuhdN8Jk1qd7h8SQ,21180
27
28
  pluggy_sdk/api/portfolio_yield_api.py,sha256=R_Cz-1G0s7qOUltG-VOXi8GSCNceM1j4lmu9V7zM0jM,22320
28
29
  pluggy_sdk/api/smart_account_api.py,sha256=yDx88F6Lep1iepL4pN9o305Ko9mUOB20a-U0Rkz282U,66193
29
30
  pluggy_sdk/api/transaction_api.py,sha256=EOqLMWbyLTz93FlzhvHF68DcJ4BAgJ6_81K1mmy4Qr0,37553
30
31
  pluggy_sdk/api/webhook_api.py,sha256=IRqHT_F6VVrMxE3JkXeXidNQnjORmC89xZLTzgpwZNQ,55525
31
- pluggy_sdk/models/__init__.py,sha256=EfOzvrA6xI_APdDwaHQei4Mz_8EmPTJPTS9o15QSus4,10440
32
+ pluggy_sdk/models/__init__.py,sha256=HSQwPoC66ZA-Fy3h54-DA8ZmkX_4WoL5-SCf6lcXmQY,11394
32
33
  pluggy_sdk/models/account.py,sha256=olFI5wpLnLLE7OO22B4zlNzSAf5TP8kGPVmYar_VUdg,5536
33
34
  pluggy_sdk/models/accounts_list200_response.py,sha256=P-3r6PIEv0uV5gkeOVD5pcQOu2M-c2wi2zkMLN9hxdI,3417
34
35
  pluggy_sdk/models/acquirer_anticipation.py,sha256=_z-lkqKpAML1Tr60J8MoGnc3sN0AOXYPJaTk_DVmYNg,4617
@@ -69,6 +70,7 @@ pluggy_sdk/models/connector_health.py,sha256=ZiWpsIT9dufUUL2EW1mc7XgR8wXGXV76zgv
69
70
  pluggy_sdk/models/connector_health_details.py,sha256=PhFQAkfS-R95jkKqvAGy_PQJ3NqzPyKPQmYTi5R1Cxo,3578
70
71
  pluggy_sdk/models/connector_list_response.py,sha256=PZp1tbF4gBZpSKjs2Tfb7Cq3FlCqUIOqlrn88Y-Ne8M,3362
71
72
  pluggy_sdk/models/connector_user_action.py,sha256=k1Y8DHn5zEVFRmTEVL7Z8J8js3i7G-aRf1zoCF-Vftw,3065
73
+ pluggy_sdk/models/consent.py,sha256=HgknVqrY7aoUgT4fKol5T6nrf9Fe6vgmIirbYNBqJos,5593
72
74
  pluggy_sdk/models/create_boleto_payment_request.py,sha256=j7aLjY1Pllj67K0BifGj43CZCBpIqfjI8xAPD1QoQgo,3577
73
75
  pluggy_sdk/models/create_bulk_payment.py,sha256=g5S2C_vtgvuTY9om2RvOZSebTXosp5WrzwdS4IbQMMs,3438
74
76
  pluggy_sdk/models/create_client_category_rule.py,sha256=w9dcSd3sLAAbCLoL-FUXHd_0hkclcfFD5fHwMpuITAY,2899
@@ -78,7 +80,7 @@ pluggy_sdk/models/create_or_update_payment_customer.py,sha256=ZvN-Pa9LGAR33L5G4X
78
80
  pluggy_sdk/models/create_payment_customer_request_body.py,sha256=YvSSzXEW2yI7M9alWr4fHbPRqNvV4sxTUVp3FkMQSyU,3365
79
81
  pluggy_sdk/models/create_payment_intent.py,sha256=MCBRy8n1xXnajR3Q4gksZ07Qk_VvtrCPaldTvkBEfUw,4371
80
82
  pluggy_sdk/models/create_payment_recipient.py,sha256=B4vmHZB0uhOBPl9GPcvkno02fpIHIKFTM3EQvMoBoS8,4554
81
- pluggy_sdk/models/create_payment_request.py,sha256=06Z_wx2Lb4SjgdRuj5n51MJUMC8kc6EStmqr0RcsEDE,4179
83
+ pluggy_sdk/models/create_payment_request.py,sha256=p1Lwwhl07cSxfyxUVtLexshtGAoSI0mY3seqq5f3ffA,4612
82
84
  pluggy_sdk/models/create_pix_qr_payment_request.py,sha256=gyRV61yUjf_K4WeihOoBSQySS2NODl2sl4STITpMuIA,3354
83
85
  pluggy_sdk/models/create_smart_account_request.py,sha256=ZxfVt_baOOkWDaVB9ndDnmVMx3zwkVnbSRL9iCMfMSQ,3612
84
86
  pluggy_sdk/models/create_smart_account_transfer_request.py,sha256=cqYBbTfssI6jbZ4bxulvBsofin6d3k0qYcamSSIqzVE,3122
@@ -125,6 +127,7 @@ pluggy_sdk/models/page_response_acquirer_anticipations.py,sha256=967j5IV8VTZ_FwP
125
127
  pluggy_sdk/models/page_response_acquirer_receivables.py,sha256=81lear_Yj4RA69bJGKwWaa-x6PATp9YfQ_PaCeRpDCY,3321
126
128
  pluggy_sdk/models/page_response_acquirer_sales.py,sha256=IRby_pcYkwF1tMf2v1wYlcATOwknqe0rK1X2nTGbb4s,3279
127
129
  pluggy_sdk/models/page_response_category_rules.py,sha256=Kpvfn_jkv41caB4zc9DLb2CE_U654VqnAR_r1KI3aDI,3304
130
+ pluggy_sdk/models/page_response_consents.py,sha256=vLiwRkJjzFN7qs0Yio_UKOwpLAc-rlFXXqVAzCH3LTc,3243
128
131
  pluggy_sdk/models/page_response_investment_transactions.py,sha256=EhGxebEu5qy36pf0f9kBUnSaOK83sd3Sg4vZiJe6ku4,3342
129
132
  pluggy_sdk/models/page_response_transactions.py,sha256=ivkBeUo0nvwaW3d4ZYJW2sYSid2Gvia5G-IcM9MUcFg,3271
130
133
  pluggy_sdk/models/parameter_validation_error.py,sha256=LHjLtSC2E0jlaDeljJONx2ljhUFDk3-sUgrZ_sGCHDs,2631
@@ -141,16 +144,27 @@ pluggy_sdk/models/payment_receipt.py,sha256=sVfVy75EBqzbrTzc2wFTStUIjIvDf8NbTHEO
141
144
  pluggy_sdk/models/payment_receipt_bank_account.py,sha256=eCDX7EPFmNErKl8x8LAZSGnlT8Ii7kHL4th6pVaU_9E,2881
142
145
  pluggy_sdk/models/payment_receipt_person.py,sha256=9eHiWC33eisDSZJgHW6ho_xD2ekaMuzq8AdvVEt5dUE,3246
143
146
  pluggy_sdk/models/payment_recipient.py,sha256=XGpf7503LIg9YADhESE-VGjaFSVWVq0_Dlgb6MUoeDw,4534
144
- pluggy_sdk/models/payment_recipient_account.py,sha256=eSnsoBv382LhyjMu172GXsZsBb1M1Ig0iim1dmAPCX0,3177
147
+ pluggy_sdk/models/payment_recipient_account.py,sha256=JPC0a_b2MdP6-gU9wPNXFnzHurIPX_yq3IN2eAcHYKU,2896
145
148
  pluggy_sdk/models/payment_recipients_institution_list200_response.py,sha256=a-gty_usP5fMRajNCL7zIPBO1WqWa1zwIhJgCDXMTF0,3544
146
149
  pluggy_sdk/models/payment_recipients_list200_response.py,sha256=9r8qMLzGDumoGG0HWfmQbhNC4kGjzBLZPz_6-YNzb08,3490
147
- pluggy_sdk/models/payment_request.py,sha256=O9c_N_8sJ4Y5xp5vSsL4SfANQ1tIv0qtVsuFZ26RtGo,5365
150
+ pluggy_sdk/models/payment_request.py,sha256=VPGOfUybrGaT97vQ7zGZmCzg37VDqFolpaLMyeNqicQ,5798
148
151
  pluggy_sdk/models/payment_request_callback_urls.py,sha256=EneGXM6_0zH4TehYNf9-OsmbEEMwsh8RLvGKEqjCvJE,3085
149
152
  pluggy_sdk/models/payment_request_receipt_list200_response.py,sha256=SCi20HZ0moUygGcGOHomevunrWJfQb3D6wTg_YjB6pI,3496
153
+ pluggy_sdk/models/payment_request_schedule.py,sha256=johuib7KZFwgEb4BbibXLBzaKN6Tj57xnu0c8i6Wjvo,8029
150
154
  pluggy_sdk/models/payment_requests_list200_response.py,sha256=0lAdZH19ZAeWYPdsQ-E0bREOZ0iDon7h96kI8xUTmYc,3472
155
+ pluggy_sdk/models/payment_schedules_list200_response.py,sha256=3CfbYqINW4RGrh0yeK2hoXr-rxP8Gd6QCFtTyKg6Gnk,3505
156
+ pluggy_sdk/models/payroll_loan_response.py,sha256=0LjS2R5BYHjhaaWAMTdQ5VRz3ugdQlwoec8piEeaf6U,6339
157
+ pluggy_sdk/models/payroll_loan_response_client.py,sha256=yTGMf7zBwp2Fks8CQn8XNc1fmDlLHFqktN37iev1qEg,3780
158
+ pluggy_sdk/models/payroll_loans_list200_response.py,sha256=zG54rlfMAINvraIn48n-1Ffe1AOgMnuMgANlgXlIuE4,3478
151
159
  pluggy_sdk/models/percentage_over_index.py,sha256=UMM-sXy36J5X_kfVCCy3glXjEGUXJzZxKQM0Ipt05uE,2861
152
160
  pluggy_sdk/models/phone_number.py,sha256=KtNMYqBE9K7Of-gVId3wV9gN9vf1XGbDnv3R_s-QGco,3087
153
161
  pluggy_sdk/models/pix_data.py,sha256=zygIaWicGwI93-q181yHzPVxKBZ7wpuhN70b_KvPm0c,2602
162
+ pluggy_sdk/models/schedule_payment.py,sha256=5F3SjAg0gYOvgNGxoxmqFI8sPYPGXEs-k4rDPncRcmw,3251
163
+ pluggy_sdk/models/schedule_type_custom.py,sha256=OIPS53NFeFbQ3rFR030CEdP1E0XY2bJUP4iHc8Iv-q4,3174
164
+ pluggy_sdk/models/schedule_type_daily.py,sha256=FWFTMERGd8ma9dVmp5oXm2CoXFX0Mxa81huli9Th83g,3145
165
+ pluggy_sdk/models/schedule_type_monthly.py,sha256=2sXy5AbY_YYqosEYRAk6GK94BuXITFUyNM2cjkSoYfg,3424
166
+ pluggy_sdk/models/schedule_type_single.py,sha256=4Z7BxTZLi4U989-EdB1DBzxaz_FLjalA2oHgli9EMvU,2915
167
+ pluggy_sdk/models/schedule_type_weekly.py,sha256=8e20wK6cSTOkCNr8pC8CvG_aqeZ0BRGjgVP1er4z7HQ,3749
154
168
  pluggy_sdk/models/smart_account.py,sha256=JU7cckNNPuBwkkIEcWTjf516pYcorqkTxTh71C35zfM,3633
155
169
  pluggy_sdk/models/smart_account_address.py,sha256=iSFjlo01nqtRtfsD24h0gABxmUamPfHcW3hzCiCCM5s,4266
156
170
  pluggy_sdk/models/smart_account_balance.py,sha256=FhPmk52iCQfrhTItJl6XQdV7fFIkxQed3H1vrp8o5o8,3217
@@ -168,7 +182,7 @@ pluggy_sdk/models/update_transaction.py,sha256=979zai0z2scYygWA7STBzZBjnWg6zoQFj
168
182
  pluggy_sdk/models/webhook.py,sha256=2KV31zqFfHMzYzdrfVW7Sam6BsKigdQnPOKjsRiFYqI,3827
169
183
  pluggy_sdk/models/webhook_creation_error_response.py,sha256=SMvNMvJANk1NTn9BEugfwRtnEsJuoMsFo8tVvci3ayw,2681
170
184
  pluggy_sdk/models/webhooks_list200_response.py,sha256=DITv0Fg0S1Jl8k9sSdKKwhWmzp0TmMmrJjQqgo36yL0,3360
171
- pluggy_sdk-1.0.0.post11.dist-info/METADATA,sha256=9DdwIMwMBCOEar0bGm32yKxtqI9-Sulsa95ENdTtaoU,21750
172
- pluggy_sdk-1.0.0.post11.dist-info/WHEEL,sha256=GJ7t_kWBFywbagK5eo9IoUwLW6oyOeTKmQ-9iHFVNxQ,92
173
- pluggy_sdk-1.0.0.post11.dist-info/top_level.txt,sha256=4RLkSSAcNiYLnk0_CN2vRQoezuSTIa7VPuNnaVutZP0,11
174
- pluggy_sdk-1.0.0.post11.dist-info/RECORD,,
185
+ pluggy_sdk-1.0.0.post12.dist-info/METADATA,sha256=hIbiNQN3Tfo1BeA5DvRuRMBWAOfcmaRhMN6t4tmzBe8,22886
186
+ pluggy_sdk-1.0.0.post12.dist-info/WHEEL,sha256=GJ7t_kWBFywbagK5eo9IoUwLW6oyOeTKmQ-9iHFVNxQ,92
187
+ pluggy_sdk-1.0.0.post12.dist-info/top_level.txt,sha256=4RLkSSAcNiYLnk0_CN2vRQoezuSTIa7VPuNnaVutZP0,11
188
+ pluggy_sdk-1.0.0.post12.dist-info/RECORD,,