pluggy-sdk 1.0.0.post11__py3-none-any.whl → 1.0.0.post13__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 +18 -1
- pluggy_sdk/api/__init__.py +2 -0
- pluggy_sdk/api/benefit_api.py +561 -0
- pluggy_sdk/api/consent_api.py +570 -0
- pluggy_sdk/api/payment_request_api.py +259 -0
- pluggy_sdk/api/payroll_loan_api.py +561 -0
- pluggy_sdk/api_client.py +1 -1
- pluggy_sdk/configuration.py +1 -1
- pluggy_sdk/models/__init__.py +15 -0
- pluggy_sdk/models/benefit_response.py +118 -0
- pluggy_sdk/models/benefit_response_paying_institution.py +94 -0
- pluggy_sdk/models/benefits_list200_response.py +102 -0
- pluggy_sdk/models/connector.py +2 -2
- pluggy_sdk/models/consent.py +120 -0
- pluggy_sdk/models/create_item.py +2 -2
- pluggy_sdk/models/create_payment_request.py +8 -2
- pluggy_sdk/models/item.py +2 -2
- pluggy_sdk/models/page_response_consents.py +102 -0
- pluggy_sdk/models/payment_recipient_account.py +2 -9
- pluggy_sdk/models/payment_request.py +10 -4
- pluggy_sdk/models/payment_request_schedule.py +183 -0
- pluggy_sdk/models/payment_schedules_list200_response.py +102 -0
- pluggy_sdk/models/payroll_loan.py +121 -0
- pluggy_sdk/models/payroll_loan_client.py +102 -0
- pluggy_sdk/models/payroll_loan_response.py +125 -0
- pluggy_sdk/models/payroll_loan_response_client.py +102 -0
- pluggy_sdk/models/payroll_loans_list200_response.py +102 -0
- pluggy_sdk/models/schedule_payment.py +102 -0
- pluggy_sdk/models/schedule_type_custom.py +100 -0
- pluggy_sdk/models/schedule_type_daily.py +101 -0
- pluggy_sdk/models/schedule_type_monthly.py +103 -0
- pluggy_sdk/models/schedule_type_single.py +98 -0
- pluggy_sdk/models/schedule_type_weekly.py +110 -0
- pluggy_sdk/models/update_item.py +2 -2
- {pluggy_sdk-1.0.0.post11.dist-info → pluggy_sdk-1.0.0.post13.dist-info}/METADATA +22 -2
- {pluggy_sdk-1.0.0.post11.dist-info → pluggy_sdk-1.0.0.post13.dist-info}/RECORD +38 -17
- {pluggy_sdk-1.0.0.post11.dist-info → pluggy_sdk-1.0.0.post13.dist-info}/WHEEL +1 -1
- {pluggy_sdk-1.0.0.post11.dist-info → pluggy_sdk-1.0.0.post13.dist-info}/top_level.txt +0 -0
@@ -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
|
+
|
pluggy_sdk/models/update_item.py
CHANGED
@@ -41,8 +41,8 @@ class UpdateItem(BaseModel):
|
|
41
41
|
return value
|
42
42
|
|
43
43
|
for i in value:
|
44
|
-
if i not in set(['ACCOUNTS', '
|
45
|
-
raise ValueError("each list item must be one of ('ACCOUNTS', '
|
44
|
+
if i not in set(['ACCOUNTS', 'CREDIT_CARDS', 'TRANSACTIONS', 'PAYMENT_DATA', 'INVESTMENTS', 'INVESTMENTS_TRANSACTIONS', 'IDENTITY', 'BROKERAGE_NOTE', 'OPPORTUNITIES', 'PORTFOLIO', 'INCOME_REPORTS', 'MOVE_SECURITY', 'LOANS', 'ACQUIRER_OPERATIONS']):
|
45
|
+
raise ValueError("each list item must be one of ('ACCOUNTS', 'CREDIT_CARDS', 'TRANSACTIONS', 'PAYMENT_DATA', 'INVESTMENTS', 'INVESTMENTS_TRANSACTIONS', 'IDENTITY', 'BROKERAGE_NOTE', 'OPPORTUNITIES', 'PORTFOLIO', 'INCOME_REPORTS', 'MOVE_SECURITY', 'LOANS', 'ACQUIRER_OPERATIONS')")
|
46
46
|
return value
|
47
47
|
|
48
48
|
model_config = ConfigDict(
|
@@ -1,6 +1,6 @@
|
|
1
1
|
Metadata-Version: 2.1
|
2
2
|
Name: pluggy-sdk
|
3
|
-
Version: 1.0.0.
|
3
|
+
Version: 1.0.0.post13
|
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.
|
22
|
+
- Package version: 1.0.0.post13
|
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)
|
@@ -122,6 +122,8 @@ Class | Method | HTTP request | Description
|
|
122
122
|
*AcquirerSaleApi* | [**acquirer_sales_retrieve**](docs/AcquirerSaleApi.md#acquirer_sales_retrieve) | **GET** /acquirer-sales/{id} | Retrieve
|
123
123
|
*AuthApi* | [**auth_create**](docs/AuthApi.md#auth_create) | **POST** /auth | Create API Key
|
124
124
|
*AuthApi* | [**connect_token_create**](docs/AuthApi.md#connect_token_create) | **POST** /connect_token | Create Connect Token
|
125
|
+
*BenefitApi* | [**benefit_retrieve_by_id**](docs/BenefitApi.md#benefit_retrieve_by_id) | **GET** /benefits/{id} | Retrieve
|
126
|
+
*BenefitApi* | [**benefits_list**](docs/BenefitApi.md#benefits_list) | **GET** /benefits | List
|
125
127
|
*BillApi* | [**bills_list**](docs/BillApi.md#bills_list) | **GET** /bills | List
|
126
128
|
*BillApi* | [**bills_retrieve**](docs/BillApi.md#bills_retrieve) | **GET** /bills/{id} | Retrieve
|
127
129
|
*BulkPaymentApi* | [**bulk_payment_create**](docs/BulkPaymentApi.md#bulk_payment_create) | **POST** /payments/bulk | Create
|
@@ -134,6 +136,8 @@ Class | Method | HTTP request | Description
|
|
134
136
|
*ConnectorApi* | [**connector_retrieve**](docs/ConnectorApi.md#connector_retrieve) | **GET** /connectors/{id} | Retrieve
|
135
137
|
*ConnectorApi* | [**connectors_list**](docs/ConnectorApi.md#connectors_list) | **GET** /connectors | List
|
136
138
|
*ConnectorApi* | [**connectors_validate**](docs/ConnectorApi.md#connectors_validate) | **POST** /connectors/{id}/validate | Validate
|
139
|
+
*ConsentApi* | [**consent_retrieve**](docs/ConsentApi.md#consent_retrieve) | **GET** /consents/{id} | Retrieve
|
140
|
+
*ConsentApi* | [**consents_list**](docs/ConsentApi.md#consents_list) | **GET** /consents | List
|
137
141
|
*IdentityApi* | [**identity_find_by_item**](docs/IdentityApi.md#identity_find_by_item) | **GET** /identity | Find by item
|
138
142
|
*IdentityApi* | [**identity_retrieve**](docs/IdentityApi.md#identity_retrieve) | **GET** /identity/{id} | Retrieve
|
139
143
|
*IncomeReportApi* | [**income_reports_find_by_item**](docs/IncomeReportApi.md#income_reports_find_by_item) | **GET** /income-reports | Find income reports by item
|
@@ -172,6 +176,7 @@ Class | Method | HTTP request | Description
|
|
172
176
|
*PaymentRequestApi* | [**payment_request_retrieve**](docs/PaymentRequestApi.md#payment_request_retrieve) | **GET** /payments/requests/{id} | Retrieve
|
173
177
|
*PaymentRequestApi* | [**payment_request_update**](docs/PaymentRequestApi.md#payment_request_update) | **PATCH** /payments/requests/{id} | Update
|
174
178
|
*PaymentRequestApi* | [**payment_requests_list**](docs/PaymentRequestApi.md#payment_requests_list) | **GET** /payments/requests | List
|
179
|
+
*PaymentRequestApi* | [**payment_schedules_list**](docs/PaymentRequestApi.md#payment_schedules_list) | **GET** /payments/requests/{id}/schedules | Schedule List
|
175
180
|
*PortfolioYieldApi* | [**aggregated_portfolio_find_by_item**](docs/PortfolioYieldApi.md#aggregated_portfolio_find_by_item) | **GET** /portfolio/{itemId} | Find aggregated portfolio yield by item
|
176
181
|
*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
182
|
*SmartAccountApi* | [**smart_account_balance_retrieve**](docs/SmartAccountApi.md#smart_account_balance_retrieve) | **GET** /payments/smart-accounts/{id}/balance | Retrieve Balance
|
@@ -213,6 +218,9 @@ Class | Method | HTTP request | Description
|
|
213
218
|
- [AuthRequest](docs/AuthRequest.md)
|
214
219
|
- [AuthResponse](docs/AuthResponse.md)
|
215
220
|
- [BankData](docs/BankData.md)
|
221
|
+
- [BenefitResponse](docs/BenefitResponse.md)
|
222
|
+
- [BenefitResponsePayingInstitution](docs/BenefitResponsePayingInstitution.md)
|
223
|
+
- [BenefitsList200Response](docs/BenefitsList200Response.md)
|
216
224
|
- [Bill](docs/Bill.md)
|
217
225
|
- [BillFinanceCharge](docs/BillFinanceCharge.md)
|
218
226
|
- [BillsList200Response](docs/BillsList200Response.md)
|
@@ -232,6 +240,7 @@ Class | Method | HTTP request | Description
|
|
232
240
|
- [ConnectorHealthDetails](docs/ConnectorHealthDetails.md)
|
233
241
|
- [ConnectorListResponse](docs/ConnectorListResponse.md)
|
234
242
|
- [ConnectorUserAction](docs/ConnectorUserAction.md)
|
243
|
+
- [Consent](docs/Consent.md)
|
235
244
|
- [CreateBoletoPaymentRequest](docs/CreateBoletoPaymentRequest.md)
|
236
245
|
- [CreateBulkPayment](docs/CreateBulkPayment.md)
|
237
246
|
- [CreateClientCategoryRule](docs/CreateClientCategoryRule.md)
|
@@ -288,6 +297,7 @@ Class | Method | HTTP request | Description
|
|
288
297
|
- [PageResponseAcquirerReceivables](docs/PageResponseAcquirerReceivables.md)
|
289
298
|
- [PageResponseAcquirerSales](docs/PageResponseAcquirerSales.md)
|
290
299
|
- [PageResponseCategoryRules](docs/PageResponseCategoryRules.md)
|
300
|
+
- [PageResponseConsents](docs/PageResponseConsents.md)
|
291
301
|
- [PageResponseInvestmentTransactions](docs/PageResponseInvestmentTransactions.md)
|
292
302
|
- [PageResponseTransactions](docs/PageResponseTransactions.md)
|
293
303
|
- [ParameterValidationError](docs/ParameterValidationError.md)
|
@@ -310,10 +320,20 @@ Class | Method | HTTP request | Description
|
|
310
320
|
- [PaymentRequest](docs/PaymentRequest.md)
|
311
321
|
- [PaymentRequestCallbackUrls](docs/PaymentRequestCallbackUrls.md)
|
312
322
|
- [PaymentRequestReceiptList200Response](docs/PaymentRequestReceiptList200Response.md)
|
323
|
+
- [PaymentRequestSchedule](docs/PaymentRequestSchedule.md)
|
313
324
|
- [PaymentRequestsList200Response](docs/PaymentRequestsList200Response.md)
|
325
|
+
- [PaymentSchedulesList200Response](docs/PaymentSchedulesList200Response.md)
|
326
|
+
- [PayrollLoan](docs/PayrollLoan.md)
|
327
|
+
- [PayrollLoanClient](docs/PayrollLoanClient.md)
|
314
328
|
- [PercentageOverIndex](docs/PercentageOverIndex.md)
|
315
329
|
- [PhoneNumber](docs/PhoneNumber.md)
|
316
330
|
- [PixData](docs/PixData.md)
|
331
|
+
- [SchedulePayment](docs/SchedulePayment.md)
|
332
|
+
- [ScheduleTypeCustom](docs/ScheduleTypeCustom.md)
|
333
|
+
- [ScheduleTypeDaily](docs/ScheduleTypeDaily.md)
|
334
|
+
- [ScheduleTypeMonthly](docs/ScheduleTypeMonthly.md)
|
335
|
+
- [ScheduleTypeSingle](docs/ScheduleTypeSingle.md)
|
336
|
+
- [ScheduleTypeWeekly](docs/ScheduleTypeWeekly.md)
|
317
337
|
- [SmartAccount](docs/SmartAccount.md)
|
318
338
|
- [SmartAccountAddress](docs/SmartAccountAddress.md)
|
319
339
|
- [SmartAccountBalance](docs/SmartAccountBalance.md)
|
@@ -1,20 +1,22 @@
|
|
1
|
-
pluggy_sdk/__init__.py,sha256=
|
2
|
-
pluggy_sdk/api_client.py,sha256=
|
1
|
+
pluggy_sdk/__init__.py,sha256=ARnZjGRprDfeKyIL-i_KnzNsvDWETebd8F6GsXaeeag,13399
|
2
|
+
pluggy_sdk/api_client.py,sha256=fLwPqZT05eooLHnYgIVQ4Uu72wy2LwzL_TdX-5BEqL0,26720
|
3
3
|
pluggy_sdk/api_response.py,sha256=eMxw1mpmJcoGZ3gs9z6jM4oYoZ10Gjk333s9sKxGv7s,652
|
4
|
-
pluggy_sdk/configuration.py,sha256=
|
4
|
+
pluggy_sdk/configuration.py,sha256=h6LZeHVGE5s3UOy95nGbKuVEAKU3PKVrMmatHy4Dk24,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=
|
8
|
+
pluggy_sdk/api/__init__.py,sha256=D_RNRreA40nKOqIPQZnJY_MyKxoGbS-lw34DVFrcTZk,1419
|
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
|
12
12
|
pluggy_sdk/api/acquirer_sale_api.py,sha256=APMdSUQMTSSGzUljDCv6En1YsYutLWW158CDd7_Uc9Y,25869
|
13
13
|
pluggy_sdk/api/auth_api.py,sha256=Cc96penvTCY8BwuYrxcKTSKr4V4iV4R9_d7aznMj2Mo,22882
|
14
|
+
pluggy_sdk/api/benefit_api.py,sha256=pq0eo6qkBtxZVFPBFSD-WVYuVVWo-7jk6iawYuaWIjQ,21061
|
14
15
|
pluggy_sdk/api/bill_api.py,sha256=QbcdCx12Xevz-BFp81r09YgTf2ll9amiZttx84V_jp4,20960
|
15
16
|
pluggy_sdk/api/bulk_payment_api.py,sha256=fn2xqKXEIJQk5P3foNE-6mTXFiVPCuotimhSnlvXJyY,32808
|
16
17
|
pluggy_sdk/api/category_api.py,sha256=HBD42oXK1HWA0QHNxVna6HYst525exzy_HE5p8ZSNnc,41577
|
17
18
|
pluggy_sdk/api/connector_api.py,sha256=XDOWte1nwrBOnJ7u3PMI0991K-L0u-kJ_thZbn_ZGmc,41008
|
19
|
+
pluggy_sdk/api/consent_api.py,sha256=9PUU_pIyUL0BnRR8K3y2S_AM1IE_9TOrg6SThpikQbw,21295
|
18
20
|
pluggy_sdk/api/identity_api.py,sha256=Mp85wNmruJHbxNb6l0JLBoUL644UHojY1nFpg9D02A8,21602
|
19
21
|
pluggy_sdk/api/income_report_api.py,sha256=CIUYSQvHZqaZzF3HfTOa3ZUvYeAFmcsgUc3FFKdf-O4,11593
|
20
22
|
pluggy_sdk/api/investment_api.py,sha256=szPkEkFWMHT7-IGVh0rVO35vSo39aDoF5AovewvnOzA,35989
|
@@ -23,12 +25,13 @@ pluggy_sdk/api/loan_api.py,sha256=-SD37ZzfB9S2SaqyUl0Gg3Plko7olxmu04jcB2mA7Vg,20
|
|
23
25
|
pluggy_sdk/api/payment_customer_api.py,sha256=qUiuhizeTkXMuISJTiaAVaTMycn_d1zNvAmc0uv2Vew,54784
|
24
26
|
pluggy_sdk/api/payment_intent_api.py,sha256=jcf5dDrmMjSz90cQ9H-u1NaIHW0aATLs6nQyyRID1tc,32020
|
25
27
|
pluggy_sdk/api/payment_recipient_api.py,sha256=icivhir7nkhkcnR-LLKsuJJGRydeGSEiDSeP-eX8LnU,77933
|
26
|
-
pluggy_sdk/api/payment_request_api.py,sha256=
|
28
|
+
pluggy_sdk/api/payment_request_api.py,sha256=gsSHPlwUnK2QFRPWseBJTC0zAez2T_byHuO3tL_Mb8c,115192
|
29
|
+
pluggy_sdk/api/payroll_loan_api.py,sha256=UqHuWdWa6PYAFBLdeRQTw0tMhv-yuhdN8Jk1qd7h8SQ,21180
|
27
30
|
pluggy_sdk/api/portfolio_yield_api.py,sha256=R_Cz-1G0s7qOUltG-VOXi8GSCNceM1j4lmu9V7zM0jM,22320
|
28
31
|
pluggy_sdk/api/smart_account_api.py,sha256=yDx88F6Lep1iepL4pN9o305Ko9mUOB20a-U0Rkz282U,66193
|
29
32
|
pluggy_sdk/api/transaction_api.py,sha256=EOqLMWbyLTz93FlzhvHF68DcJ4BAgJ6_81K1mmy4Qr0,37553
|
30
33
|
pluggy_sdk/api/webhook_api.py,sha256=IRqHT_F6VVrMxE3JkXeXidNQnjORmC89xZLTzgpwZNQ,55525
|
31
|
-
pluggy_sdk/models/__init__.py,sha256=
|
34
|
+
pluggy_sdk/models/__init__.py,sha256=8KH5e2uzC0OOQkyJ41Ucy1hYNHy3CFwkfwAa8dKg_94,11513
|
32
35
|
pluggy_sdk/models/account.py,sha256=olFI5wpLnLLE7OO22B4zlNzSAf5TP8kGPVmYar_VUdg,5536
|
33
36
|
pluggy_sdk/models/accounts_list200_response.py,sha256=P-3r6PIEv0uV5gkeOVD5pcQOu2M-c2wi2zkMLN9hxdI,3417
|
34
37
|
pluggy_sdk/models/acquirer_anticipation.py,sha256=_z-lkqKpAML1Tr60J8MoGnc3sN0AOXYPJaTk_DVmYNg,4617
|
@@ -50,6 +53,9 @@ pluggy_sdk/models/asset_distribution.py,sha256=v_K-fNtviugnJLfSAYSgzoit0JIDQoq-m
|
|
50
53
|
pluggy_sdk/models/auth_request.py,sha256=CegRciH-OX64aMnj6WYuzEj58w87amkUxzrVLDaSo7U,2726
|
51
54
|
pluggy_sdk/models/auth_response.py,sha256=x5hEPWBfbOye7m35QGiBo7TWz1JAaPZ0n0jNnN2F5As,2577
|
52
55
|
pluggy_sdk/models/bank_data.py,sha256=mfNQfxIA0i2swgd3ODsaIgtMhBG_imQCNXEucaPewZE,3243
|
56
|
+
pluggy_sdk/models/benefit_response.py,sha256=MfhHzAHZLK2FIKxHzXvVp4h_XnLD8sK1vADO5mFOqvA,5465
|
57
|
+
pluggy_sdk/models/benefit_response_paying_institution.py,sha256=sur_yb6li6GoQqbt49OsD9FbPNx-kQ077fVMtuFOG5M,3044
|
58
|
+
pluggy_sdk/models/benefits_list200_response.py,sha256=Q9O4rOyzNtGebcpxcE2W8XXBwUiBkgdrCJpa5NOH0wA,3440
|
53
59
|
pluggy_sdk/models/bill.py,sha256=Y8OyTNUp7oBeEHG-xH0lq7PLA_NlnCw9kx5runjMjyk,4428
|
54
60
|
pluggy_sdk/models/bill_finance_charge.py,sha256=HzAfznWSmKYuDWt7kHzTMlCXDN_kYZzD5uEMH2qRsUE,3776
|
55
61
|
pluggy_sdk/models/bills_list200_response.py,sha256=PkG522y0madvJU4vmp7RZJxlrXmGWtwBXcHyeZACe5s,3392
|
@@ -63,22 +69,23 @@ pluggy_sdk/models/client_category_rule.py,sha256=MiJA4luKDsgTCfSV1jZj-MclCk46WF7
|
|
63
69
|
pluggy_sdk/models/company.py,sha256=jbN82UfXw13h4PJTJ_f0xxbBgbodfFKU-5s6VgG6770,2685
|
64
70
|
pluggy_sdk/models/connect_token_request.py,sha256=nBNgl5MmhJBjNgNtHD_Ee-Gvxp-2SbsJc_PLQLPEsG4,3030
|
65
71
|
pluggy_sdk/models/connect_token_response.py,sha256=ycW3-Z7o0k8K7ibtcKQ2FfzFiguScVGQcTLVKWfwyo8,2623
|
66
|
-
pluggy_sdk/models/connector.py,sha256=
|
72
|
+
pluggy_sdk/models/connector.py,sha256=QtR3K3eJQIXew-vzkhgUwZhVZD3cDNX2oiyBBTDM_qA,6878
|
67
73
|
pluggy_sdk/models/connector_credential.py,sha256=n9roD8qlX3VHOpug-zM7tXNizzIwp36PyBtf4J--39Q,4901
|
68
74
|
pluggy_sdk/models/connector_health.py,sha256=ZiWpsIT9dufUUL2EW1mc7XgR8wXGXV76zgvbgkEO57w,3081
|
69
75
|
pluggy_sdk/models/connector_health_details.py,sha256=PhFQAkfS-R95jkKqvAGy_PQJ3NqzPyKPQmYTi5R1Cxo,3578
|
70
76
|
pluggy_sdk/models/connector_list_response.py,sha256=PZp1tbF4gBZpSKjs2Tfb7Cq3FlCqUIOqlrn88Y-Ne8M,3362
|
71
77
|
pluggy_sdk/models/connector_user_action.py,sha256=k1Y8DHn5zEVFRmTEVL7Z8J8js3i7G-aRf1zoCF-Vftw,3065
|
78
|
+
pluggy_sdk/models/consent.py,sha256=HgknVqrY7aoUgT4fKol5T6nrf9Fe6vgmIirbYNBqJos,5593
|
72
79
|
pluggy_sdk/models/create_boleto_payment_request.py,sha256=j7aLjY1Pllj67K0BifGj43CZCBpIqfjI8xAPD1QoQgo,3577
|
73
80
|
pluggy_sdk/models/create_bulk_payment.py,sha256=g5S2C_vtgvuTY9om2RvOZSebTXosp5WrzwdS4IbQMMs,3438
|
74
81
|
pluggy_sdk/models/create_client_category_rule.py,sha256=w9dcSd3sLAAbCLoL-FUXHd_0hkclcfFD5fHwMpuITAY,2899
|
75
|
-
pluggy_sdk/models/create_item.py,sha256=
|
82
|
+
pluggy_sdk/models/create_item.py,sha256=Z5JuvRAFFUSS0IrobbUD6W73MSYqX7e4YwqVDywjM-Y,4442
|
76
83
|
pluggy_sdk/models/create_item_parameters.py,sha256=ZAT3HYQRIJMCTO6XRJtBFWLix2LrKrZTWnLtuYMw11k,5380
|
77
84
|
pluggy_sdk/models/create_or_update_payment_customer.py,sha256=ZvN-Pa9LGAR33L5G4XFSbIUPP3RaUsOeD45K5oOKZ-U,3455
|
78
85
|
pluggy_sdk/models/create_payment_customer_request_body.py,sha256=YvSSzXEW2yI7M9alWr4fHbPRqNvV4sxTUVp3FkMQSyU,3365
|
79
86
|
pluggy_sdk/models/create_payment_intent.py,sha256=MCBRy8n1xXnajR3Q4gksZ07Qk_VvtrCPaldTvkBEfUw,4371
|
80
87
|
pluggy_sdk/models/create_payment_recipient.py,sha256=B4vmHZB0uhOBPl9GPcvkno02fpIHIKFTM3EQvMoBoS8,4554
|
81
|
-
pluggy_sdk/models/create_payment_request.py,sha256=
|
88
|
+
pluggy_sdk/models/create_payment_request.py,sha256=p1Lwwhl07cSxfyxUVtLexshtGAoSI0mY3seqq5f3ffA,4612
|
82
89
|
pluggy_sdk/models/create_pix_qr_payment_request.py,sha256=gyRV61yUjf_K4WeihOoBSQySS2NODl2sl4STITpMuIA,3354
|
83
90
|
pluggy_sdk/models/create_smart_account_request.py,sha256=ZxfVt_baOOkWDaVB9ndDnmVMx3zwkVnbSRL9iCMfMSQ,3612
|
84
91
|
pluggy_sdk/models/create_smart_account_transfer_request.py,sha256=cqYBbTfssI6jbZ4bxulvBsofin6d3k0qYcamSSIqzVE,3122
|
@@ -99,7 +106,7 @@ pluggy_sdk/models/investment_expenses.py,sha256=Tggx0ZhQV-EF1amRK5Qc-qTGMjw1bUkM
|
|
99
106
|
pluggy_sdk/models/investment_metadata.py,sha256=iPjyP8eP7IM6Yp2angdHGN9ZrRlbIa4m9eO8XDxYQU8,3696
|
100
107
|
pluggy_sdk/models/investment_transaction.py,sha256=sxdtNZ0ppU34lOqWDnK5r6zFmVOItVIaGv0dCcd-8yk,4733
|
101
108
|
pluggy_sdk/models/investments_list200_response.py,sha256=m2PraWmNbGIMbw_9Jw7-IKSGwyuiH8u95lo_VGKdM8I,3434
|
102
|
-
pluggy_sdk/models/item.py,sha256=
|
109
|
+
pluggy_sdk/models/item.py,sha256=Qa-gl-ikLarijDjvIt4V9faNyuWZlnqu9e1nHgG7Fp4,7226
|
103
110
|
pluggy_sdk/models/item_creation_error_response.py,sha256=n_AF0t3rg1XK9H1P_LHDalrUBK6uAQeR5aEpEe1vNOc,3586
|
104
111
|
pluggy_sdk/models/item_error.py,sha256=2wbKBj82sw3NPhNqxCCnw-c15-QuFhy5Ywe29h2HicQ,3155
|
105
112
|
pluggy_sdk/models/item_options.py,sha256=cTRMzwsK1JUQvTAsKeENOy7qEyt4NJ01zSf8wZ62sgo,2882
|
@@ -125,6 +132,7 @@ pluggy_sdk/models/page_response_acquirer_anticipations.py,sha256=967j5IV8VTZ_FwP
|
|
125
132
|
pluggy_sdk/models/page_response_acquirer_receivables.py,sha256=81lear_Yj4RA69bJGKwWaa-x6PATp9YfQ_PaCeRpDCY,3321
|
126
133
|
pluggy_sdk/models/page_response_acquirer_sales.py,sha256=IRby_pcYkwF1tMf2v1wYlcATOwknqe0rK1X2nTGbb4s,3279
|
127
134
|
pluggy_sdk/models/page_response_category_rules.py,sha256=Kpvfn_jkv41caB4zc9DLb2CE_U654VqnAR_r1KI3aDI,3304
|
135
|
+
pluggy_sdk/models/page_response_consents.py,sha256=vLiwRkJjzFN7qs0Yio_UKOwpLAc-rlFXXqVAzCH3LTc,3243
|
128
136
|
pluggy_sdk/models/page_response_investment_transactions.py,sha256=EhGxebEu5qy36pf0f9kBUnSaOK83sd3Sg4vZiJe6ku4,3342
|
129
137
|
pluggy_sdk/models/page_response_transactions.py,sha256=ivkBeUo0nvwaW3d4ZYJW2sYSid2Gvia5G-IcM9MUcFg,3271
|
130
138
|
pluggy_sdk/models/parameter_validation_error.py,sha256=LHjLtSC2E0jlaDeljJONx2ljhUFDk3-sUgrZ_sGCHDs,2631
|
@@ -141,16 +149,29 @@ pluggy_sdk/models/payment_receipt.py,sha256=sVfVy75EBqzbrTzc2wFTStUIjIvDf8NbTHEO
|
|
141
149
|
pluggy_sdk/models/payment_receipt_bank_account.py,sha256=eCDX7EPFmNErKl8x8LAZSGnlT8Ii7kHL4th6pVaU_9E,2881
|
142
150
|
pluggy_sdk/models/payment_receipt_person.py,sha256=9eHiWC33eisDSZJgHW6ho_xD2ekaMuzq8AdvVEt5dUE,3246
|
143
151
|
pluggy_sdk/models/payment_recipient.py,sha256=XGpf7503LIg9YADhESE-VGjaFSVWVq0_Dlgb6MUoeDw,4534
|
144
|
-
pluggy_sdk/models/payment_recipient_account.py,sha256=
|
152
|
+
pluggy_sdk/models/payment_recipient_account.py,sha256=JPC0a_b2MdP6-gU9wPNXFnzHurIPX_yq3IN2eAcHYKU,2896
|
145
153
|
pluggy_sdk/models/payment_recipients_institution_list200_response.py,sha256=a-gty_usP5fMRajNCL7zIPBO1WqWa1zwIhJgCDXMTF0,3544
|
146
154
|
pluggy_sdk/models/payment_recipients_list200_response.py,sha256=9r8qMLzGDumoGG0HWfmQbhNC4kGjzBLZPz_6-YNzb08,3490
|
147
|
-
pluggy_sdk/models/payment_request.py,sha256=
|
155
|
+
pluggy_sdk/models/payment_request.py,sha256=5Bmj4lcoIpuAV1kTLd4tGCAnuvrFgaby_hmMyWUrGjA,5986
|
148
156
|
pluggy_sdk/models/payment_request_callback_urls.py,sha256=EneGXM6_0zH4TehYNf9-OsmbEEMwsh8RLvGKEqjCvJE,3085
|
149
157
|
pluggy_sdk/models/payment_request_receipt_list200_response.py,sha256=SCi20HZ0moUygGcGOHomevunrWJfQb3D6wTg_YjB6pI,3496
|
158
|
+
pluggy_sdk/models/payment_request_schedule.py,sha256=johuib7KZFwgEb4BbibXLBzaKN6Tj57xnu0c8i6Wjvo,8029
|
150
159
|
pluggy_sdk/models/payment_requests_list200_response.py,sha256=0lAdZH19ZAeWYPdsQ-E0bREOZ0iDon7h96kI8xUTmYc,3472
|
160
|
+
pluggy_sdk/models/payment_schedules_list200_response.py,sha256=3CfbYqINW4RGrh0yeK2hoXr-rxP8Gd6QCFtTyKg6Gnk,3505
|
161
|
+
pluggy_sdk/models/payroll_loan.py,sha256=rX7FRaG_yWmfhM3IOLmq_9uLSa-oZ1PO1-uFkWHtWiI,6158
|
162
|
+
pluggy_sdk/models/payroll_loan_client.py,sha256=_5zEk1OsZcUdWYVTrU04qfI98CJnceuuJr1k08qXRYk,3756
|
163
|
+
pluggy_sdk/models/payroll_loan_response.py,sha256=0LjS2R5BYHjhaaWAMTdQ5VRz3ugdQlwoec8piEeaf6U,6339
|
164
|
+
pluggy_sdk/models/payroll_loan_response_client.py,sha256=yTGMf7zBwp2Fks8CQn8XNc1fmDlLHFqktN37iev1qEg,3780
|
165
|
+
pluggy_sdk/models/payroll_loans_list200_response.py,sha256=zG54rlfMAINvraIn48n-1Ffe1AOgMnuMgANlgXlIuE4,3478
|
151
166
|
pluggy_sdk/models/percentage_over_index.py,sha256=UMM-sXy36J5X_kfVCCy3glXjEGUXJzZxKQM0Ipt05uE,2861
|
152
167
|
pluggy_sdk/models/phone_number.py,sha256=KtNMYqBE9K7Of-gVId3wV9gN9vf1XGbDnv3R_s-QGco,3087
|
153
168
|
pluggy_sdk/models/pix_data.py,sha256=zygIaWicGwI93-q181yHzPVxKBZ7wpuhN70b_KvPm0c,2602
|
169
|
+
pluggy_sdk/models/schedule_payment.py,sha256=5F3SjAg0gYOvgNGxoxmqFI8sPYPGXEs-k4rDPncRcmw,3251
|
170
|
+
pluggy_sdk/models/schedule_type_custom.py,sha256=OIPS53NFeFbQ3rFR030CEdP1E0XY2bJUP4iHc8Iv-q4,3174
|
171
|
+
pluggy_sdk/models/schedule_type_daily.py,sha256=FWFTMERGd8ma9dVmp5oXm2CoXFX0Mxa81huli9Th83g,3145
|
172
|
+
pluggy_sdk/models/schedule_type_monthly.py,sha256=2sXy5AbY_YYqosEYRAk6GK94BuXITFUyNM2cjkSoYfg,3424
|
173
|
+
pluggy_sdk/models/schedule_type_single.py,sha256=4Z7BxTZLi4U989-EdB1DBzxaz_FLjalA2oHgli9EMvU,2915
|
174
|
+
pluggy_sdk/models/schedule_type_weekly.py,sha256=8e20wK6cSTOkCNr8pC8CvG_aqeZ0BRGjgVP1er4z7HQ,3749
|
154
175
|
pluggy_sdk/models/smart_account.py,sha256=JU7cckNNPuBwkkIEcWTjf516pYcorqkTxTh71C35zfM,3633
|
155
176
|
pluggy_sdk/models/smart_account_address.py,sha256=iSFjlo01nqtRtfsD24h0gABxmUamPfHcW3hzCiCCM5s,4266
|
156
177
|
pluggy_sdk/models/smart_account_balance.py,sha256=FhPmk52iCQfrhTItJl6XQdV7fFIkxQed3H1vrp8o5o8,3217
|
@@ -160,7 +181,7 @@ pluggy_sdk/models/status_detail.py,sha256=k8td6igNro4YcAtwz86ouk1QZnhQPXDsn0NC86
|
|
160
181
|
pluggy_sdk/models/status_detail_product.py,sha256=kCUJkx5IFhVGTk9OrbKcj4a6AsthUlTDFaibWFwT-o8,3624
|
161
182
|
pluggy_sdk/models/status_detail_product_warning.py,sha256=LFYFdkpQxvS5W2Kj3cxGGvnWhOhLpMYvpUcr8rplVVs,2955
|
162
183
|
pluggy_sdk/models/transaction.py,sha256=a9B3D6fwMZJcJxNEtWPF7IhQT-f5SfuUJfqmL0nMCJI,6919
|
163
|
-
pluggy_sdk/models/update_item.py,sha256=
|
184
|
+
pluggy_sdk/models/update_item.py,sha256=OKSiocu9_yk9tTbBdBWYlFHMbDPTlYCxhkVtEInsELI,4234
|
164
185
|
pluggy_sdk/models/update_item_parameters.py,sha256=yeIMinw_yVyCr9OxyZcxEe-17zCNNoKK8MkysO7yDcc,5324
|
165
186
|
pluggy_sdk/models/update_payment_recipient.py,sha256=CvKd2orRdEYgroSy42bkzxqiJ_JjELQhnxwf7R7bx3Y,4187
|
166
187
|
pluggy_sdk/models/update_payment_request.py,sha256=T69l1LZAOn2Zbc7Vlaat5eiB-iuv2G_VMYuqOQBNR78,3936
|
@@ -168,7 +189,7 @@ pluggy_sdk/models/update_transaction.py,sha256=979zai0z2scYygWA7STBzZBjnWg6zoQFj
|
|
168
189
|
pluggy_sdk/models/webhook.py,sha256=2KV31zqFfHMzYzdrfVW7Sam6BsKigdQnPOKjsRiFYqI,3827
|
169
190
|
pluggy_sdk/models/webhook_creation_error_response.py,sha256=SMvNMvJANk1NTn9BEugfwRtnEsJuoMsFo8tVvci3ayw,2681
|
170
191
|
pluggy_sdk/models/webhooks_list200_response.py,sha256=DITv0Fg0S1Jl8k9sSdKKwhWmzp0TmMmrJjQqgo36yL0,3360
|
171
|
-
pluggy_sdk-1.0.0.
|
172
|
-
pluggy_sdk-1.0.0.
|
173
|
-
pluggy_sdk-1.0.0.
|
174
|
-
pluggy_sdk-1.0.0.
|
192
|
+
pluggy_sdk-1.0.0.post13.dist-info/METADATA,sha256=64dce-1VgyKsVZzQpZoSF2nekQadazqRR832umWdxn8,23143
|
193
|
+
pluggy_sdk-1.0.0.post13.dist-info/WHEEL,sha256=cpQTJ5IWu9CdaPViMhC9YzF8gZuS5-vlfoFihTBC86A,91
|
194
|
+
pluggy_sdk-1.0.0.post13.dist-info/top_level.txt,sha256=4RLkSSAcNiYLnk0_CN2vRQoezuSTIa7VPuNnaVutZP0,11
|
195
|
+
pluggy_sdk-1.0.0.post13.dist-info/RECORD,,
|
File without changes
|