pluggy-sdk 1.0.0.post12__py3-none-any.whl → 1.0.0.post14__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,102 @@
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 pydantic import BaseModel, ConfigDict, Field, StrictStr
22
+ from typing import Any, ClassVar, Dict, List, Optional
23
+ from typing import Optional, Set
24
+ from typing_extensions import Self
25
+
26
+ class PayrollLoanClient(BaseModel):
27
+ """
28
+ Client information
29
+ """ # noqa: E501
30
+ name: Optional[StrictStr] = Field(default=None, description="Client name")
31
+ document: Optional[StrictStr] = Field(default=None, description="Client CPF")
32
+ phone: Optional[StrictStr] = Field(default=None, description="Client phone")
33
+ addres_street: Optional[StrictStr] = Field(default=None, description="Client email", alias="addresStreet")
34
+ address_number: Optional[StrictStr] = Field(default=None, description="Client address number", alias="addressNumber")
35
+ address_city: Optional[StrictStr] = Field(default=None, description="Client address city", alias="addressCity")
36
+ address_zip_code: Optional[StrictStr] = Field(default=None, description="Client address zip code", alias="addressZipCode")
37
+ address_state: Optional[StrictStr] = Field(default=None, description="Client address state", alias="addressState")
38
+ __properties: ClassVar[List[str]] = ["name", "document", "phone", "addresStreet", "addressNumber", "addressCity", "addressZipCode", "addressState"]
39
+
40
+ model_config = ConfigDict(
41
+ populate_by_name=True,
42
+ validate_assignment=True,
43
+ protected_namespaces=(),
44
+ )
45
+
46
+
47
+ def to_str(self) -> str:
48
+ """Returns the string representation of the model using alias"""
49
+ return pprint.pformat(self.model_dump(by_alias=True))
50
+
51
+ def to_json(self) -> str:
52
+ """Returns the JSON representation of the model using alias"""
53
+ # TODO: pydantic v2: use .model_dump_json(by_alias=True, exclude_unset=True) instead
54
+ return json.dumps(self.to_dict())
55
+
56
+ @classmethod
57
+ def from_json(cls, json_str: str) -> Optional[Self]:
58
+ """Create an instance of PayrollLoanClient from a JSON string"""
59
+ return cls.from_dict(json.loads(json_str))
60
+
61
+ def to_dict(self) -> Dict[str, Any]:
62
+ """Return the dictionary representation of the model using alias.
63
+
64
+ This has the following differences from calling pydantic's
65
+ `self.model_dump(by_alias=True)`:
66
+
67
+ * `None` is only added to the output dict for nullable fields that
68
+ were set at model initialization. Other fields with value `None`
69
+ are ignored.
70
+ """
71
+ excluded_fields: Set[str] = set([
72
+ ])
73
+
74
+ _dict = self.model_dump(
75
+ by_alias=True,
76
+ exclude=excluded_fields,
77
+ exclude_none=True,
78
+ )
79
+ return _dict
80
+
81
+ @classmethod
82
+ def from_dict(cls, obj: Optional[Dict[str, Any]]) -> Optional[Self]:
83
+ """Create an instance of PayrollLoanClient from a dict"""
84
+ if obj is None:
85
+ return None
86
+
87
+ if not isinstance(obj, dict):
88
+ return cls.model_validate(obj)
89
+
90
+ _obj = cls.model_validate({
91
+ "name": obj.get("name"),
92
+ "document": obj.get("document"),
93
+ "phone": obj.get("phone"),
94
+ "addresStreet": obj.get("addresStreet"),
95
+ "addressNumber": obj.get("addressNumber"),
96
+ "addressCity": obj.get("addressCity"),
97
+ "addressZipCode": obj.get("addressZipCode"),
98
+ "addressState": obj.get("addressState")
99
+ })
100
+ return _obj
101
+
102
+
@@ -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 SINGLE(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 SINGLE 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 SINGLE 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
+
@@ -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', 'TRANSACTIONS', 'CREDIT_CARDS', 'INVESTMENTS', 'INVESTMENTS_TRANSACTIONS', 'PAYMENT_DATA', 'IDENTITY', 'BROKERAGE_NOTE', 'OPPORTUNITIES', 'PORTFOLIO', 'INCOME_REPORTS']):
45
- raise ValueError("each list item must be one of ('ACCOUNTS', 'TRANSACTIONS', 'CREDIT_CARDS', 'INVESTMENTS', 'INVESTMENTS_TRANSACTIONS', 'PAYMENT_DATA', 'IDENTITY', 'BROKERAGE_NOTE', 'OPPORTUNITIES', 'PORTFOLIO', 'INCOME_REPORTS')")
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(
@@ -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, Optional, Union
24
+ from typing_extensions import Annotated
25
+ from typing import Optional, Set
26
+ from typing_extensions import Self
27
+
28
+ class WEEKLY(BaseModel):
29
+ """
30
+ Schedule atribute to generate weekly payments
31
+ """ # noqa: E501
32
+ type: StrictStr = Field(description="Scheduled type")
33
+ start_date: date = Field(description="The start date of the validity of the scheduled payment authorization.", alias="startDate")
34
+ day_of_week: StrictStr = Field(description="Day of the week on which each payment will occur. For instance, if set to 'MONDAY', the first payment will occur on the first monday after the startDate (or the same day, if it is already monday), and every monday after that.", alias="dayOfWeek")
35
+ occurrences: Optional[Union[Annotated[float, Field(le=59, strict=True, ge=3)], Annotated[int, Field(le=59, strict=True, ge=3)]]] = Field(default=None, description="Under the specified schedule frequency, how many payments will be scheduled to occur.")
36
+ __properties: ClassVar[List[str]] = ["type", "startDate", "dayOfWeek", "occurrences"]
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(['MONDAY', 'TUESDAY', 'WEDNESDAY', 'THURDSAY', 'FRIDAY', 'SATURDAY', 'SUNDAY']):
49
+ raise ValueError("must be one of enum values ('MONDAY', 'TUESDAY', 'WEDNESDAY', 'THURDSAY', 'FRIDAY', 'SATURDAY', 'SUNDAY')")
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 WEEKLY 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 WEEKLY 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
+ "occurrences": obj.get("occurrences")
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.post12
3
+ Version: 1.0.0.post14
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.post12
22
+ - Package version: 1.0.0.post14
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
@@ -166,15 +170,13 @@ Class | Method | HTTP request | Description
166
170
  *PaymentRequestApi* | [**payment_request_create_boleto**](docs/PaymentRequestApi.md#payment_request_create_boleto) | **POST** /payments/requests/boleto | Create boleto payment request
167
171
  *PaymentRequestApi* | [**payment_request_create_pix_qr**](docs/PaymentRequestApi.md#payment_request_create_pix_qr) | **POST** /payments/requests/pix-qr | Create PIX QR payment request
168
172
  *PaymentRequestApi* | [**payment_request_delete**](docs/PaymentRequestApi.md#payment_request_delete) | **DELETE** /payments/requests/{id} | Delete
169
- *PaymentRequestApi* | [**payment_request_receipt_create**](docs/PaymentRequestApi.md#payment_request_receipt_create) | **POST** /payments/requests/{id}/receipts | Create
170
- *PaymentRequestApi* | [**payment_request_receipt_list**](docs/PaymentRequestApi.md#payment_request_receipt_list) | **GET** /payments/requests/{id}/receipts | List
171
- *PaymentRequestApi* | [**payment_request_receipt_retrieve**](docs/PaymentRequestApi.md#payment_request_receipt_retrieve) | **GET** /payments/requests/{payment-request-id}/receipts/{payment-receipt-id} | Retrieve
173
+ *PaymentRequestApi* | [**payment_request_receipt_create**](docs/PaymentRequestApi.md#payment_request_receipt_create) | **POST** /payments/requests/{id}/receipts | Create Payment Receipt
174
+ *PaymentRequestApi* | [**payment_request_receipt_list**](docs/PaymentRequestApi.md#payment_request_receipt_list) | **GET** /payments/requests/{id}/receipts | List Payment Receipts
175
+ *PaymentRequestApi* | [**payment_request_receipt_retrieve**](docs/PaymentRequestApi.md#payment_request_receipt_retrieve) | **GET** /payments/requests/{payment-request-id}/receipts/{payment-receipt-id} | Retrieve Payment Receipt
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
175
179
  *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
178
180
  *PortfolioYieldApi* | [**aggregated_portfolio_find_by_item**](docs/PortfolioYieldApi.md#aggregated_portfolio_find_by_item) | **GET** /portfolio/{itemId} | Find aggregated portfolio yield by item
179
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
180
182
  *SmartAccountApi* | [**smart_account_balance_retrieve**](docs/SmartAccountApi.md#smart_account_balance_retrieve) | **GET** /payments/smart-accounts/{id}/balance | Retrieve Balance
@@ -216,6 +218,11 @@ Class | Method | HTTP request | Description
216
218
  - [AuthRequest](docs/AuthRequest.md)
217
219
  - [AuthResponse](docs/AuthResponse.md)
218
220
  - [BankData](docs/BankData.md)
221
+ - [BenefitLoan](docs/BenefitLoan.md)
222
+ - [BenefitLoanClient](docs/BenefitLoanClient.md)
223
+ - [BenefitResponse](docs/BenefitResponse.md)
224
+ - [BenefitResponsePayingInstitution](docs/BenefitResponsePayingInstitution.md)
225
+ - [BenefitsList200Response](docs/BenefitsList200Response.md)
219
226
  - [Bill](docs/Bill.md)
220
227
  - [BillFinanceCharge](docs/BillFinanceCharge.md)
221
228
  - [BillsList200Response](docs/BillsList200Response.md)
@@ -224,6 +231,7 @@ Class | Method | HTTP request | Description
224
231
  - [BoletoRecipient](docs/BoletoRecipient.md)
225
232
  - [BulkPayment](docs/BulkPayment.md)
226
233
  - [BulkPaymentsList200Response](docs/BulkPaymentsList200Response.md)
234
+ - [CUSTOM](docs/CUSTOM.md)
227
235
  - [Category](docs/Category.md)
228
236
  - [ClientCategoryRule](docs/ClientCategoryRule.md)
229
237
  - [Company](docs/Company.md)
@@ -253,6 +261,7 @@ Class | Method | HTTP request | Description
253
261
  - [CredentialSelectOption](docs/CredentialSelectOption.md)
254
262
  - [CreditCardMetadata](docs/CreditCardMetadata.md)
255
263
  - [CreditData](docs/CreditData.md)
264
+ - [DAILY](docs/DAILY.md)
256
265
  - [Document](docs/Document.md)
257
266
  - [Email](docs/Email.md)
258
267
  - [GlobalErrorResponse](docs/GlobalErrorResponse.md)
@@ -284,6 +293,7 @@ Class | Method | HTTP request | Description
284
293
  - [LoanPayments](docs/LoanPayments.md)
285
294
  - [LoanWarranty](docs/LoanWarranty.md)
286
295
  - [LoansList200Response](docs/LoansList200Response.md)
296
+ - [MONTHLY](docs/MONTHLY.md)
287
297
  - [Merchant](docs/Merchant.md)
288
298
  - [MonthlyPortfolio](docs/MonthlyPortfolio.md)
289
299
  - [MonthlyPortfolioResponse](docs/MonthlyPortfolioResponse.md)
@@ -318,18 +328,11 @@ Class | Method | HTTP request | Description
318
328
  - [PaymentRequestSchedule](docs/PaymentRequestSchedule.md)
319
329
  - [PaymentRequestsList200Response](docs/PaymentRequestsList200Response.md)
320
330
  - [PaymentSchedulesList200Response](docs/PaymentSchedulesList200Response.md)
321
- - [PayrollLoanResponse](docs/PayrollLoanResponse.md)
322
- - [PayrollLoanResponseClient](docs/PayrollLoanResponseClient.md)
323
- - [PayrollLoansList200Response](docs/PayrollLoansList200Response.md)
324
331
  - [PercentageOverIndex](docs/PercentageOverIndex.md)
325
332
  - [PhoneNumber](docs/PhoneNumber.md)
326
333
  - [PixData](docs/PixData.md)
334
+ - [SINGLE](docs/SINGLE.md)
327
335
  - [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)
333
336
  - [SmartAccount](docs/SmartAccount.md)
334
337
  - [SmartAccountAddress](docs/SmartAccountAddress.md)
335
338
  - [SmartAccountBalance](docs/SmartAccountBalance.md)
@@ -344,6 +347,7 @@ Class | Method | HTTP request | Description
344
347
  - [UpdatePaymentRecipient](docs/UpdatePaymentRecipient.md)
345
348
  - [UpdatePaymentRequest](docs/UpdatePaymentRequest.md)
346
349
  - [UpdateTransaction](docs/UpdateTransaction.md)
350
+ - [WEEKLY](docs/WEEKLY.md)
347
351
  - [Webhook](docs/Webhook.md)
348
352
  - [WebhookCreationErrorResponse](docs/WebhookCreationErrorResponse.md)
349
353
  - [WebhooksList200Response](docs/WebhooksList200Response.md)
@@ -1,20 +1,22 @@
1
- pluggy_sdk/__init__.py,sha256=RuuOHHHc8ToRXp7O3vCBM2SuuRw2iwAumacc0udq-kc,13239
2
- pluggy_sdk/api_client.py,sha256=YxldQ5zn2oTwPuj7lC593McxouoTRUsTx72o05zKN5g,26720
1
+ pluggy_sdk/__init__.py,sha256=W95FLtsgQuD8TzrKa0hD9R5kYspPe0Ny4pFe-rZkO0s,13269
2
+ pluggy_sdk/api_client.py,sha256=sZEfjv3edhLEkh1NZKB0TAArpvji3s4xxmew4wigFxE,26720
3
3
  pluggy_sdk/api_response.py,sha256=eMxw1mpmJcoGZ3gs9z6jM4oYoZ10Gjk333s9sKxGv7s,652
4
- pluggy_sdk/configuration.py,sha256=CQ7bWDlZcvY_1frOxYmy3TsC_10DAFb3w2U_YB_TU5o,15331
4
+ pluggy_sdk/configuration.py,sha256=MPe6YTOSgWuilINAOzfi4JScLV4NODG5Bva8IWUo7Rk,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=HyOmR9UVMhJdmykbt-wkWjBkXE3AJgPoR2D9NC80tqo,1378
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,13 +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=gsSHPlwUnK2QFRPWseBJTC0zAez2T_byHuO3tL_Mb8c,115192
28
+ pluggy_sdk/api/payment_request_api.py,sha256=NFJ4eioioo5HysQPY_sICft-QOzyeF5CC_6afCvLLWs,115339
27
29
  pluggy_sdk/api/payroll_loan_api.py,sha256=UqHuWdWa6PYAFBLdeRQTw0tMhv-yuhdN8Jk1qd7h8SQ,21180
28
30
  pluggy_sdk/api/portfolio_yield_api.py,sha256=R_Cz-1G0s7qOUltG-VOXi8GSCNceM1j4lmu9V7zM0jM,22320
29
31
  pluggy_sdk/api/smart_account_api.py,sha256=yDx88F6Lep1iepL4pN9o305Ko9mUOB20a-U0Rkz282U,66193
30
32
  pluggy_sdk/api/transaction_api.py,sha256=EOqLMWbyLTz93FlzhvHF68DcJ4BAgJ6_81K1mmy4Qr0,37553
31
33
  pluggy_sdk/api/webhook_api.py,sha256=IRqHT_F6VVrMxE3JkXeXidNQnjORmC89xZLTzgpwZNQ,55525
32
- pluggy_sdk/models/__init__.py,sha256=HSQwPoC66ZA-Fy3h54-DA8ZmkX_4WoL5-SCf6lcXmQY,11394
34
+ pluggy_sdk/models/__init__.py,sha256=v4eVO5kef0i_hya7pF0lvR5WWBfcUgtxQnJot0VfSLE,11383
33
35
  pluggy_sdk/models/account.py,sha256=olFI5wpLnLLE7OO22B4zlNzSAf5TP8kGPVmYar_VUdg,5536
34
36
  pluggy_sdk/models/accounts_list200_response.py,sha256=P-3r6PIEv0uV5gkeOVD5pcQOu2M-c2wi2zkMLN9hxdI,3417
35
37
  pluggy_sdk/models/acquirer_anticipation.py,sha256=_z-lkqKpAML1Tr60J8MoGnc3sN0AOXYPJaTk_DVmYNg,4617
@@ -51,6 +53,11 @@ pluggy_sdk/models/asset_distribution.py,sha256=v_K-fNtviugnJLfSAYSgzoit0JIDQoq-m
51
53
  pluggy_sdk/models/auth_request.py,sha256=CegRciH-OX64aMnj6WYuzEj58w87amkUxzrVLDaSo7U,2726
52
54
  pluggy_sdk/models/auth_response.py,sha256=x5hEPWBfbOye7m35QGiBo7TWz1JAaPZ0n0jNnN2F5As,2577
53
55
  pluggy_sdk/models/bank_data.py,sha256=mfNQfxIA0i2swgd3ODsaIgtMhBG_imQCNXEucaPewZE,3243
56
+ pluggy_sdk/models/benefit_loan.py,sha256=ojAmaDDAk_SS5ySuVP2H0C5SpNN4FhMWXLSOaHSeFqQ,6158
57
+ pluggy_sdk/models/benefit_loan_client.py,sha256=03tOGl75FA3qNc36ya002_LUBY5YOBDbQFotx8tJ0P8,3756
58
+ pluggy_sdk/models/benefit_response.py,sha256=Xtlg_Y87Ie9al_PQTv_Cc2UPttnqBJkBxxNozl3XBxo,5332
59
+ pluggy_sdk/models/benefit_response_paying_institution.py,sha256=sur_yb6li6GoQqbt49OsD9FbPNx-kQ077fVMtuFOG5M,3044
60
+ pluggy_sdk/models/benefits_list200_response.py,sha256=Q9O4rOyzNtGebcpxcE2W8XXBwUiBkgdrCJpa5NOH0wA,3440
54
61
  pluggy_sdk/models/bill.py,sha256=Y8OyTNUp7oBeEHG-xH0lq7PLA_NlnCw9kx5runjMjyk,4428
55
62
  pluggy_sdk/models/bill_finance_charge.py,sha256=HzAfznWSmKYuDWt7kHzTMlCXDN_kYZzD5uEMH2qRsUE,3776
56
63
  pluggy_sdk/models/bills_list200_response.py,sha256=PkG522y0madvJU4vmp7RZJxlrXmGWtwBXcHyeZACe5s,3392
@@ -64,7 +71,7 @@ pluggy_sdk/models/client_category_rule.py,sha256=MiJA4luKDsgTCfSV1jZj-MclCk46WF7
64
71
  pluggy_sdk/models/company.py,sha256=jbN82UfXw13h4PJTJ_f0xxbBgbodfFKU-5s6VgG6770,2685
65
72
  pluggy_sdk/models/connect_token_request.py,sha256=nBNgl5MmhJBjNgNtHD_Ee-Gvxp-2SbsJc_PLQLPEsG4,3030
66
73
  pluggy_sdk/models/connect_token_response.py,sha256=ycW3-Z7o0k8K7ibtcKQ2FfzFiguScVGQcTLVKWfwyo8,2623
67
- pluggy_sdk/models/connector.py,sha256=0U-lh3ziSv6cVXRtN3Oq8cFN1_LTUdYQkehnxd_cmJU,6814
74
+ pluggy_sdk/models/connector.py,sha256=QtR3K3eJQIXew-vzkhgUwZhVZD3cDNX2oiyBBTDM_qA,6878
68
75
  pluggy_sdk/models/connector_credential.py,sha256=n9roD8qlX3VHOpug-zM7tXNizzIwp36PyBtf4J--39Q,4901
69
76
  pluggy_sdk/models/connector_health.py,sha256=ZiWpsIT9dufUUL2EW1mc7XgR8wXGXV76zgvbgkEO57w,3081
70
77
  pluggy_sdk/models/connector_health_details.py,sha256=PhFQAkfS-R95jkKqvAGy_PQJ3NqzPyKPQmYTi5R1Cxo,3578
@@ -74,7 +81,7 @@ pluggy_sdk/models/consent.py,sha256=HgknVqrY7aoUgT4fKol5T6nrf9Fe6vgmIirbYNBqJos,
74
81
  pluggy_sdk/models/create_boleto_payment_request.py,sha256=j7aLjY1Pllj67K0BifGj43CZCBpIqfjI8xAPD1QoQgo,3577
75
82
  pluggy_sdk/models/create_bulk_payment.py,sha256=g5S2C_vtgvuTY9om2RvOZSebTXosp5WrzwdS4IbQMMs,3438
76
83
  pluggy_sdk/models/create_client_category_rule.py,sha256=w9dcSd3sLAAbCLoL-FUXHd_0hkclcfFD5fHwMpuITAY,2899
77
- pluggy_sdk/models/create_item.py,sha256=6CAefEt0OufD63Lz_I-rE8NKcTGwawkng-OU2Nc3EXA,4344
84
+ pluggy_sdk/models/create_item.py,sha256=Z5JuvRAFFUSS0IrobbUD6W73MSYqX7e4YwqVDywjM-Y,4442
78
85
  pluggy_sdk/models/create_item_parameters.py,sha256=ZAT3HYQRIJMCTO6XRJtBFWLix2LrKrZTWnLtuYMw11k,5380
79
86
  pluggy_sdk/models/create_or_update_payment_customer.py,sha256=ZvN-Pa9LGAR33L5G4XFSbIUPP3RaUsOeD45K5oOKZ-U,3455
80
87
  pluggy_sdk/models/create_payment_customer_request_body.py,sha256=YvSSzXEW2yI7M9alWr4fHbPRqNvV4sxTUVp3FkMQSyU,3365
@@ -88,6 +95,8 @@ pluggy_sdk/models/create_webhook.py,sha256=WmTF6jyUKisYewt2smFPoN6Di4zR5iZNX1_sj
88
95
  pluggy_sdk/models/credential_select_option.py,sha256=aniQKmQU7mGKMqJj78dGmS_ZxTw19mIaB6HX3CdyxOI,2676
89
96
  pluggy_sdk/models/credit_card_metadata.py,sha256=EpVcejr4hL5oJpvvqLRFUNBv5kcAR36FkQKbrONJ3XU,4102
90
97
  pluggy_sdk/models/credit_data.py,sha256=LcdJCDgQEmdm60NPzx-hcq_cRHYic8OCr_zVBVuNcpE,5142
98
+ pluggy_sdk/models/custom.py,sha256=zjjIW93-oGUgaHiVfAimPHPyfFIeRf47c4i-5TpmujE,3138
99
+ pluggy_sdk/models/daily.py,sha256=_5HI2mqTi-LTPyLJyu6bSDGVqw6Y-58keirwFiOcLhk,3350
91
100
  pluggy_sdk/models/document.py,sha256=kVgB5z4IAsO8snka8yeAABtoEm5KWlx3TtzbW2SuaXE,3003
92
101
  pluggy_sdk/models/email.py,sha256=X7c8gC0n13Y-aKyOdVoIEnnyi-7jMlFBmKJyYeiezpc,2965
93
102
  pluggy_sdk/models/global_error_response.py,sha256=JP7wgaEYQN4wp35fB74XTYsh_AdviIcuaUexrymj1S8,3025
@@ -101,7 +110,7 @@ pluggy_sdk/models/investment_expenses.py,sha256=Tggx0ZhQV-EF1amRK5Qc-qTGMjw1bUkM
101
110
  pluggy_sdk/models/investment_metadata.py,sha256=iPjyP8eP7IM6Yp2angdHGN9ZrRlbIa4m9eO8XDxYQU8,3696
102
111
  pluggy_sdk/models/investment_transaction.py,sha256=sxdtNZ0ppU34lOqWDnK5r6zFmVOItVIaGv0dCcd-8yk,4733
103
112
  pluggy_sdk/models/investments_list200_response.py,sha256=m2PraWmNbGIMbw_9Jw7-IKSGwyuiH8u95lo_VGKdM8I,3434
104
- pluggy_sdk/models/item.py,sha256=yKW3WFybiQDDnnphM6aRFRRpizpG-vt9EDPI2WzkPHc,7162
113
+ pluggy_sdk/models/item.py,sha256=Qa-gl-ikLarijDjvIt4V9faNyuWZlnqu9e1nHgG7Fp4,7226
105
114
  pluggy_sdk/models/item_creation_error_response.py,sha256=n_AF0t3rg1XK9H1P_LHDalrUBK6uAQeR5aEpEe1vNOc,3586
106
115
  pluggy_sdk/models/item_error.py,sha256=2wbKBj82sw3NPhNqxCCnw-c15-QuFhy5Ywe29h2HicQ,3155
107
116
  pluggy_sdk/models/item_options.py,sha256=cTRMzwsK1JUQvTAsKeENOy7qEyt4NJ01zSf8wZ62sgo,2882
@@ -120,6 +129,7 @@ pluggy_sdk/models/loan_payments.py,sha256=s3IOiaTB-HsAG0qo_iUfdwhkNhYsGvQs7fK4pG
120
129
  pluggy_sdk/models/loan_warranty.py,sha256=d5fioDjaxbCJwm71mBzIqGhlnV16PpGwmSwwbegzOS8,3493
121
130
  pluggy_sdk/models/loans_list200_response.py,sha256=sIde0lVc6k_b9EaVIawpliJ5JFU6LQehyHvG-umQFlA,3380
122
131
  pluggy_sdk/models/merchant.py,sha256=Fq34vFzqnRy_ayQfJP8gVcNJlfc3PSg0wnuHFNr9HWE,3225
132
+ pluggy_sdk/models/monthly.py,sha256=tudXeIGL9JslMcDQwQAyKuHU_FfwEW1BRuy3jS8euCw,3734
123
133
  pluggy_sdk/models/monthly_portfolio.py,sha256=Q6anY9WVhr7ISpzD9wje5KJRQRo5pcBkuNePRuOUg_k,3967
124
134
  pluggy_sdk/models/monthly_portfolio_response.py,sha256=8APonGILGC46YWWAKTLilT40lIJfqDw5mVR0wwoo7zs,3601
125
135
  pluggy_sdk/models/not_authenticated_response.py,sha256=8xqADcfaba8G0ctU78DnIeywPVwbUDHjEEk6WdqQSK4,2665
@@ -147,12 +157,14 @@ pluggy_sdk/models/payment_recipient.py,sha256=XGpf7503LIg9YADhESE-VGjaFSVWVq0_Dl
147
157
  pluggy_sdk/models/payment_recipient_account.py,sha256=JPC0a_b2MdP6-gU9wPNXFnzHurIPX_yq3IN2eAcHYKU,2896
148
158
  pluggy_sdk/models/payment_recipients_institution_list200_response.py,sha256=a-gty_usP5fMRajNCL7zIPBO1WqWa1zwIhJgCDXMTF0,3544
149
159
  pluggy_sdk/models/payment_recipients_list200_response.py,sha256=9r8qMLzGDumoGG0HWfmQbhNC4kGjzBLZPz_6-YNzb08,3490
150
- pluggy_sdk/models/payment_request.py,sha256=VPGOfUybrGaT97vQ7zGZmCzg37VDqFolpaLMyeNqicQ,5798
160
+ pluggy_sdk/models/payment_request.py,sha256=5Bmj4lcoIpuAV1kTLd4tGCAnuvrFgaby_hmMyWUrGjA,5986
151
161
  pluggy_sdk/models/payment_request_callback_urls.py,sha256=EneGXM6_0zH4TehYNf9-OsmbEEMwsh8RLvGKEqjCvJE,3085
152
162
  pluggy_sdk/models/payment_request_receipt_list200_response.py,sha256=SCi20HZ0moUygGcGOHomevunrWJfQb3D6wTg_YjB6pI,3496
153
- pluggy_sdk/models/payment_request_schedule.py,sha256=johuib7KZFwgEb4BbibXLBzaKN6Tj57xnu0c8i6Wjvo,8029
163
+ pluggy_sdk/models/payment_request_schedule.py,sha256=gQqGFVYZLe8NguGwzpREBMa0b2KCUhmgudUlSUMazY4,6999
154
164
  pluggy_sdk/models/payment_requests_list200_response.py,sha256=0lAdZH19ZAeWYPdsQ-E0bREOZ0iDon7h96kI8xUTmYc,3472
155
165
  pluggy_sdk/models/payment_schedules_list200_response.py,sha256=3CfbYqINW4RGrh0yeK2hoXr-rxP8Gd6QCFtTyKg6Gnk,3505
166
+ pluggy_sdk/models/payroll_loan.py,sha256=rX7FRaG_yWmfhM3IOLmq_9uLSa-oZ1PO1-uFkWHtWiI,6158
167
+ pluggy_sdk/models/payroll_loan_client.py,sha256=_5zEk1OsZcUdWYVTrU04qfI98CJnceuuJr1k08qXRYk,3756
156
168
  pluggy_sdk/models/payroll_loan_response.py,sha256=0LjS2R5BYHjhaaWAMTdQ5VRz3ugdQlwoec8piEeaf6U,6339
157
169
  pluggy_sdk/models/payroll_loan_response_client.py,sha256=yTGMf7zBwp2Fks8CQn8XNc1fmDlLHFqktN37iev1qEg,3780
158
170
  pluggy_sdk/models/payroll_loans_list200_response.py,sha256=zG54rlfMAINvraIn48n-1Ffe1AOgMnuMgANlgXlIuE4,3478
@@ -165,6 +177,7 @@ pluggy_sdk/models/schedule_type_daily.py,sha256=FWFTMERGd8ma9dVmp5oXm2CoXFX0Mxa8
165
177
  pluggy_sdk/models/schedule_type_monthly.py,sha256=2sXy5AbY_YYqosEYRAk6GK94BuXITFUyNM2cjkSoYfg,3424
166
178
  pluggy_sdk/models/schedule_type_single.py,sha256=4Z7BxTZLi4U989-EdB1DBzxaz_FLjalA2oHgli9EMvU,2915
167
179
  pluggy_sdk/models/schedule_type_weekly.py,sha256=8e20wK6cSTOkCNr8pC8CvG_aqeZ0BRGjgVP1er4z7HQ,3749
180
+ pluggy_sdk/models/single.py,sha256=gbYj-8Dzspav04aP3b-J_01jJEi4luacnzm4GVr3Rn8,2879
168
181
  pluggy_sdk/models/smart_account.py,sha256=JU7cckNNPuBwkkIEcWTjf516pYcorqkTxTh71C35zfM,3633
169
182
  pluggy_sdk/models/smart_account_address.py,sha256=iSFjlo01nqtRtfsD24h0gABxmUamPfHcW3hzCiCCM5s,4266
170
183
  pluggy_sdk/models/smart_account_balance.py,sha256=FhPmk52iCQfrhTItJl6XQdV7fFIkxQed3H1vrp8o5o8,3217
@@ -174,7 +187,7 @@ pluggy_sdk/models/status_detail.py,sha256=k8td6igNro4YcAtwz86ouk1QZnhQPXDsn0NC86
174
187
  pluggy_sdk/models/status_detail_product.py,sha256=kCUJkx5IFhVGTk9OrbKcj4a6AsthUlTDFaibWFwT-o8,3624
175
188
  pluggy_sdk/models/status_detail_product_warning.py,sha256=LFYFdkpQxvS5W2Kj3cxGGvnWhOhLpMYvpUcr8rplVVs,2955
176
189
  pluggy_sdk/models/transaction.py,sha256=a9B3D6fwMZJcJxNEtWPF7IhQT-f5SfuUJfqmL0nMCJI,6919
177
- pluggy_sdk/models/update_item.py,sha256=zlSVOxAgzCERzCjaIViapLzbi8nCAfz2LndU9dumkFM,4136
190
+ pluggy_sdk/models/update_item.py,sha256=OKSiocu9_yk9tTbBdBWYlFHMbDPTlYCxhkVtEInsELI,4234
178
191
  pluggy_sdk/models/update_item_parameters.py,sha256=yeIMinw_yVyCr9OxyZcxEe-17zCNNoKK8MkysO7yDcc,5324
179
192
  pluggy_sdk/models/update_payment_recipient.py,sha256=CvKd2orRdEYgroSy42bkzxqiJ_JjELQhnxwf7R7bx3Y,4187
180
193
  pluggy_sdk/models/update_payment_request.py,sha256=T69l1LZAOn2Zbc7Vlaat5eiB-iuv2G_VMYuqOQBNR78,3936
@@ -182,7 +195,8 @@ pluggy_sdk/models/update_transaction.py,sha256=979zai0z2scYygWA7STBzZBjnWg6zoQFj
182
195
  pluggy_sdk/models/webhook.py,sha256=2KV31zqFfHMzYzdrfVW7Sam6BsKigdQnPOKjsRiFYqI,3827
183
196
  pluggy_sdk/models/webhook_creation_error_response.py,sha256=SMvNMvJANk1NTn9BEugfwRtnEsJuoMsFo8tVvci3ayw,2681
184
197
  pluggy_sdk/models/webhooks_list200_response.py,sha256=DITv0Fg0S1Jl8k9sSdKKwhWmzp0TmMmrJjQqgo36yL0,3360
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,,
198
+ pluggy_sdk/models/weekly.py,sha256=rEjJdwn52bBC5sNRUoWsMQ2uoaX7tDz68R5OOgBF1uw,4096
199
+ pluggy_sdk-1.0.0.post14.dist-info/METADATA,sha256=8Eo-ZGq2XDHEN0nKqMVCf_sRqOl3-AavhFPd6VtZWOI,23072
200
+ pluggy_sdk-1.0.0.post14.dist-info/WHEEL,sha256=mguMlWGMX-VHnMpKOjjQidIo1ssRlCFu4a4mBpz1s2M,91
201
+ pluggy_sdk-1.0.0.post14.dist-info/top_level.txt,sha256=4RLkSSAcNiYLnk0_CN2vRQoezuSTIa7VPuNnaVutZP0,11
202
+ pluggy_sdk-1.0.0.post14.dist-info/RECORD,,
@@ -1,5 +1,5 @@
1
1
  Wheel-Version: 1.0
2
- Generator: bdist_wheel (0.43.0)
2
+ Generator: setuptools (70.1.1)
3
3
  Root-Is-Purelib: true
4
4
  Tag: py3-none-any
5
5