pluggy-sdk 1.0.0.post37__py3-none-any.whl → 1.0.0.post39__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.
Files changed (29) hide show
  1. pluggy_sdk/__init__.py +7 -1
  2. pluggy_sdk/api/boleto_management_api.py +530 -0
  3. pluggy_sdk/api/payment_recipient_api.py +1 -18
  4. pluggy_sdk/api_client.py +1 -1
  5. pluggy_sdk/configuration.py +10 -3
  6. pluggy_sdk/models/__init__.py +6 -0
  7. pluggy_sdk/models/create_boleto_boleto.py +15 -3
  8. pluggy_sdk/models/create_boleto_boleto_fine.py +98 -0
  9. pluggy_sdk/models/create_boleto_boleto_interest.py +98 -0
  10. pluggy_sdk/models/create_boleto_connection_from_item.py +88 -0
  11. pluggy_sdk/models/create_or_update_payment_customer.py +1 -1
  12. pluggy_sdk/models/create_payment_customer_request_body.py +1 -1
  13. pluggy_sdk/models/create_payment_recipient.py +2 -4
  14. pluggy_sdk/models/create_webhook.py +2 -2
  15. pluggy_sdk/models/investment.py +1 -11
  16. pluggy_sdk/models/investment_transaction.py +3 -1
  17. pluggy_sdk/models/issued_boleto.py +48 -3
  18. pluggy_sdk/models/issued_boleto_fine.py +101 -0
  19. pluggy_sdk/models/issued_boleto_interest.py +101 -0
  20. pluggy_sdk/models/issued_boleto_payer.py +18 -4
  21. pluggy_sdk/models/schedule_payment.py +9 -3
  22. pluggy_sdk/models/schedule_payment_error_detail.py +92 -0
  23. pluggy_sdk/models/smart_account.py +4 -2
  24. pluggy_sdk/models/update_payment_recipient.py +2 -4
  25. pluggy_sdk/rest.py +1 -0
  26. {pluggy_sdk-1.0.0.post37.dist-info → pluggy_sdk-1.0.0.post39.dist-info}/METADATA +11 -3
  27. {pluggy_sdk-1.0.0.post37.dist-info → pluggy_sdk-1.0.0.post39.dist-info}/RECORD +29 -23
  28. {pluggy_sdk-1.0.0.post37.dist-info → pluggy_sdk-1.0.0.post39.dist-info}/WHEEL +1 -1
  29. {pluggy_sdk-1.0.0.post37.dist-info → pluggy_sdk-1.0.0.post39.dist-info}/top_level.txt +0 -0
@@ -0,0 +1,101 @@
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, field_validator
22
+ from typing import Any, ClassVar, Dict, List, Optional, Union
23
+ from typing_extensions import Annotated
24
+ from typing import Optional, Set
25
+ from typing_extensions import Self
26
+
27
+ class IssuedBoletoFine(BaseModel):
28
+ """
29
+ Fine information for late payment
30
+ """ # noqa: E501
31
+ value: Optional[Union[Annotated[float, Field(strict=True, ge=0)], Annotated[int, Field(strict=True, ge=0)]]] = Field(default=None, description="Fine value")
32
+ type: Optional[StrictStr] = Field(default=None, description="Type of fine calculation")
33
+ __properties: ClassVar[List[str]] = ["value", "type"]
34
+
35
+ @field_validator('type')
36
+ def type_validate_enum(cls, value):
37
+ """Validates the enum"""
38
+ if value is None:
39
+ return value
40
+
41
+ if value not in set(['PERCENTAGE', 'FIXED']):
42
+ raise ValueError("must be one of enum values ('PERCENTAGE', 'FIXED')")
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 IssuedBoletoFine 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 IssuedBoletoFine 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
+ "value": obj.get("value"),
97
+ "type": obj.get("type")
98
+ })
99
+ return _obj
100
+
101
+
@@ -0,0 +1,101 @@
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, field_validator
22
+ from typing import Any, ClassVar, Dict, List, Optional, Union
23
+ from typing_extensions import Annotated
24
+ from typing import Optional, Set
25
+ from typing_extensions import Self
26
+
27
+ class IssuedBoletoInterest(BaseModel):
28
+ """
29
+ Interest information for late payment
30
+ """ # noqa: E501
31
+ value: Optional[Union[Annotated[float, Field(strict=True, ge=0)], Annotated[int, Field(strict=True, ge=0)]]] = Field(default=None, description="Interest value")
32
+ type: Optional[StrictStr] = Field(default=None, description="Type of interest calculation")
33
+ __properties: ClassVar[List[str]] = ["value", "type"]
34
+
35
+ @field_validator('type')
36
+ def type_validate_enum(cls, value):
37
+ """Validates the enum"""
38
+ if value is None:
39
+ return value
40
+
41
+ if value not in set(['PERCENTAGE']):
42
+ raise ValueError("must be one of enum values ('PERCENTAGE')")
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 IssuedBoletoInterest 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 IssuedBoletoInterest 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
+ "value": obj.get("value"),
97
+ "type": obj.get("type")
98
+ })
99
+ return _obj
100
+
101
+
@@ -18,8 +18,8 @@ import pprint
18
18
  import re # noqa: F401
19
19
  import json
20
20
 
21
- from pydantic import BaseModel, ConfigDict, Field, StrictStr
22
- from typing import Any, ClassVar, Dict, List, Optional
21
+ from pydantic import BaseModel, ConfigDict, Field, StrictFloat, StrictInt, StrictStr, field_validator
22
+ from typing import Any, ClassVar, Dict, List, Optional, Union
23
23
  from typing import Optional, Set
24
24
  from typing_extensions import Self
25
25
 
@@ -40,7 +40,19 @@ class IssuedBoletoPayer(BaseModel):
40
40
  email: Optional[StrictStr] = Field(default=None, description="Payer email")
41
41
  ddd: Optional[StrictStr] = Field(default=None, description="Payer area code")
42
42
  phone_number: Optional[StrictStr] = Field(default=None, description="Payer phone number", alias="phoneNumber")
43
- __properties: ClassVar[List[str]] = ["taxNumber", "personType", "name", "addressStreet", "addressNumber", "addressComplement", "addressNeighborhood", "addressCity", "addressState", "addressZipCode", "email", "ddd", "phoneNumber"]
43
+ amount_paid: Optional[Union[StrictFloat, StrictInt]] = Field(default=None, description="Amount paid or null if it hasn't been paid yet", alias="amountPaid")
44
+ payment_origin: Optional[StrictStr] = Field(default=None, description="Payment origin for the boleto", alias="paymentOrigin")
45
+ __properties: ClassVar[List[str]] = ["taxNumber", "personType", "name", "addressStreet", "addressNumber", "addressComplement", "addressNeighborhood", "addressCity", "addressState", "addressZipCode", "email", "ddd", "phoneNumber", "amountPaid", "paymentOrigin"]
46
+
47
+ @field_validator('payment_origin')
48
+ def payment_origin_validate_enum(cls, value):
49
+ """Validates the enum"""
50
+ if value is None:
51
+ return value
52
+
53
+ if value not in set(['PIX', 'BOLETO']):
54
+ raise ValueError("must be one of enum values ('PIX', 'BOLETO')")
55
+ return value
44
56
 
45
57
  model_config = ConfigDict(
46
58
  populate_by_name=True,
@@ -105,7 +117,9 @@ class IssuedBoletoPayer(BaseModel):
105
117
  "addressZipCode": obj.get("addressZipCode"),
106
118
  "email": obj.get("email"),
107
119
  "ddd": obj.get("ddd"),
108
- "phoneNumber": obj.get("phoneNumber")
120
+ "phoneNumber": obj.get("phoneNumber"),
121
+ "amountPaid": obj.get("amountPaid"),
122
+ "paymentOrigin": obj.get("paymentOrigin")
109
123
  })
110
124
  return _obj
111
125
 
@@ -20,7 +20,8 @@ import json
20
20
 
21
21
  from datetime import date
22
22
  from pydantic import BaseModel, ConfigDict, Field, StrictStr, field_validator
23
- from typing import Any, ClassVar, Dict, List
23
+ from typing import Any, ClassVar, Dict, List, Optional
24
+ from pluggy_sdk.models.schedule_payment_error_detail import SchedulePaymentErrorDetail
24
25
  from typing import Optional, Set
25
26
  from typing_extensions import Self
26
27
 
@@ -32,7 +33,8 @@ class SchedulePayment(BaseModel):
32
33
  description: StrictStr = Field(description="Scheduled payment description")
33
34
  status: StrictStr = Field(description="Scheduled payment status")
34
35
  scheduled_date: date = Field(description="Date when the payment is scheduled", alias="scheduledDate")
35
- __properties: ClassVar[List[str]] = ["id", "description", "status", "scheduledDate"]
36
+ error_detail: Optional[SchedulePaymentErrorDetail] = Field(default=None, alias="errorDetail")
37
+ __properties: ClassVar[List[str]] = ["id", "description", "status", "scheduledDate", "errorDetail"]
36
38
 
37
39
  @field_validator('status')
38
40
  def status_validate_enum(cls, value):
@@ -80,6 +82,9 @@ class SchedulePayment(BaseModel):
80
82
  exclude=excluded_fields,
81
83
  exclude_none=True,
82
84
  )
85
+ # override the default output from pydantic by calling `to_dict()` of error_detail
86
+ if self.error_detail:
87
+ _dict['errorDetail'] = self.error_detail.to_dict()
83
88
  return _dict
84
89
 
85
90
  @classmethod
@@ -95,7 +100,8 @@ class SchedulePayment(BaseModel):
95
100
  "id": obj.get("id"),
96
101
  "description": obj.get("description"),
97
102
  "status": obj.get("status"),
98
- "scheduledDate": obj.get("scheduledDate")
103
+ "scheduledDate": obj.get("scheduledDate"),
104
+ "errorDetail": SchedulePaymentErrorDetail.from_dict(obj["errorDetail"]) if obj.get("errorDetail") is not None else None
99
105
  })
100
106
  return _obj
101
107
 
@@ -0,0 +1,92 @@
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 SchedulePaymentErrorDetail(BaseModel):
27
+ """
28
+ Details about an error that occurred with the scheduled payment
29
+ """ # noqa: E501
30
+ code: Optional[StrictStr] = Field(default=None, description="Error code")
31
+ description: Optional[StrictStr] = Field(default=None, description="Human-readable description of the error")
32
+ detail: Optional[StrictStr] = Field(default=None, description="Additional details about the error in the provider's language")
33
+ __properties: ClassVar[List[str]] = ["code", "description", "detail"]
34
+
35
+ model_config = ConfigDict(
36
+ populate_by_name=True,
37
+ validate_assignment=True,
38
+ protected_namespaces=(),
39
+ )
40
+
41
+
42
+ def to_str(self) -> str:
43
+ """Returns the string representation of the model using alias"""
44
+ return pprint.pformat(self.model_dump(by_alias=True))
45
+
46
+ def to_json(self) -> str:
47
+ """Returns the JSON representation of the model using alias"""
48
+ # TODO: pydantic v2: use .model_dump_json(by_alias=True, exclude_unset=True) instead
49
+ return json.dumps(self.to_dict())
50
+
51
+ @classmethod
52
+ def from_json(cls, json_str: str) -> Optional[Self]:
53
+ """Create an instance of SchedulePaymentErrorDetail from a JSON string"""
54
+ return cls.from_dict(json.loads(json_str))
55
+
56
+ def to_dict(self) -> Dict[str, Any]:
57
+ """Return the dictionary representation of the model using alias.
58
+
59
+ This has the following differences from calling pydantic's
60
+ `self.model_dump(by_alias=True)`:
61
+
62
+ * `None` is only added to the output dict for nullable fields that
63
+ were set at model initialization. Other fields with value `None`
64
+ are ignored.
65
+ """
66
+ excluded_fields: Set[str] = set([
67
+ ])
68
+
69
+ _dict = self.model_dump(
70
+ by_alias=True,
71
+ exclude=excluded_fields,
72
+ exclude_none=True,
73
+ )
74
+ return _dict
75
+
76
+ @classmethod
77
+ def from_dict(cls, obj: Optional[Dict[str, Any]]) -> Optional[Self]:
78
+ """Create an instance of SchedulePaymentErrorDetail from a dict"""
79
+ if obj is None:
80
+ return None
81
+
82
+ if not isinstance(obj, dict):
83
+ return cls.model_validate(obj)
84
+
85
+ _obj = cls.model_validate({
86
+ "code": obj.get("code"),
87
+ "description": obj.get("description"),
88
+ "detail": obj.get("detail")
89
+ })
90
+ return _obj
91
+
92
+
@@ -34,7 +34,8 @@ class SmartAccount(BaseModel):
34
34
  verifying_digit: StrictStr = Field(description="Smart account verifying digit", alias="verifyingDigit")
35
35
  type: StrictStr = Field(description="Smart account type")
36
36
  is_sandbox: StrictBool = Field(description="Indicates if the smart account is a sandbox account", alias="isSandbox")
37
- __properties: ClassVar[List[str]] = ["id", "ispb", "agency", "number", "verifyingDigit", "type", "isSandbox"]
37
+ pix_key: StrictStr = Field(description="Smart account PIX key", alias="pixKey")
38
+ __properties: ClassVar[List[str]] = ["id", "ispb", "agency", "number", "verifyingDigit", "type", "isSandbox", "pixKey"]
38
39
 
39
40
  @field_validator('type')
40
41
  def type_validate_enum(cls, value):
@@ -100,7 +101,8 @@ class SmartAccount(BaseModel):
100
101
  "number": obj.get("number"),
101
102
  "verifyingDigit": obj.get("verifyingDigit"),
102
103
  "type": obj.get("type"),
103
- "isSandbox": obj.get("isSandbox")
104
+ "isSandbox": obj.get("isSandbox"),
105
+ "pixKey": obj.get("pixKey")
104
106
  })
105
107
  return _obj
106
108
 
@@ -18,7 +18,7 @@ import pprint
18
18
  import re # noqa: F401
19
19
  import json
20
20
 
21
- from pydantic import BaseModel, ConfigDict, Field, StrictBool, StrictStr
21
+ from pydantic import BaseModel, ConfigDict, Field, StrictStr
22
22
  from typing import Any, ClassVar, Dict, List, Optional
23
23
  from pluggy_sdk.models.payment_recipient_account import PaymentRecipientAccount
24
24
  from typing import Optional, Set
@@ -32,9 +32,8 @@ class UpdatePaymentRecipient(BaseModel):
32
32
  name: Optional[StrictStr] = Field(default=None, description="Account owner name. Send only if the recipient doesn't have a pixKey.")
33
33
  payment_institution_id: Optional[StrictStr] = Field(default=None, description="Primary identifier of the institution associated to the payment recipient. Send only if the recipient doesn't have a pixKey.", alias="paymentInstitutionId")
34
34
  account: Optional[PaymentRecipientAccount] = Field(default=None, description="Recipient's bank account destination. Send only if the recipient doesn't have a pixKey.")
35
- is_default: Optional[StrictBool] = Field(default=None, description="Indicates if the recipient is the default one", alias="isDefault")
36
35
  pix_key: Optional[StrictStr] = Field(default=None, description="Pix key associated with the payment recipient", alias="pixKey")
37
- __properties: ClassVar[List[str]] = ["taxNumber", "name", "paymentInstitutionId", "account", "isDefault", "pixKey"]
36
+ __properties: ClassVar[List[str]] = ["taxNumber", "name", "paymentInstitutionId", "account", "pixKey"]
38
37
 
39
38
  model_config = ConfigDict(
40
39
  populate_by_name=True,
@@ -94,7 +93,6 @@ class UpdatePaymentRecipient(BaseModel):
94
93
  "name": obj.get("name"),
95
94
  "paymentInstitutionId": obj.get("paymentInstitutionId"),
96
95
  "account": PaymentRecipientAccount.from_dict(obj["account"]) if obj.get("account") is not None else None,
97
- "isDefault": obj.get("isDefault"),
98
96
  "pixKey": obj.get("pixKey")
99
97
  })
100
98
  return _obj
pluggy_sdk/rest.py CHANGED
@@ -77,6 +77,7 @@ class RESTClientObject:
77
77
  "ca_certs": configuration.ssl_ca_cert,
78
78
  "cert_file": configuration.cert_file,
79
79
  "key_file": configuration.key_file,
80
+ "ca_cert_data": configuration.ca_cert_data,
80
81
  }
81
82
  if configuration.assert_hostname is not None:
82
83
  pool_args['assert_hostname'] = (
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.2
2
2
  Name: pluggy-sdk
3
- Version: 1.0.0.post37
3
+ Version: 1.0.0.post39
4
4
  Summary: Pluggy API
5
5
  Home-page: https://github.com/diraol/pluggy-python
6
6
  Author: Pluggy
@@ -28,8 +28,8 @@ Pluggy's main API to review data and execute connectors
28
28
  This Python package is automatically generated by the [OpenAPI Generator](https://openapi-generator.tech) project:
29
29
 
30
30
  - API version: 1.0.0
31
- - Package version: 1.0.0.post37
32
- - Generator version: 7.12.0-SNAPSHOT
31
+ - Package version: 1.0.0.post39
32
+ - Generator version: 7.13.0-SNAPSHOT
33
33
  - Build package: org.openapitools.codegen.languages.PythonClientCodegen
34
34
  For more information, please visit [https://pluggy.ai](https://pluggy.ai)
35
35
 
@@ -131,7 +131,9 @@ Class | Method | HTTP request | Description
131
131
  *BillApi* | [**bills_retrieve**](docs/BillApi.md#bills_retrieve) | **GET** /bills/{id} | Retrieve
132
132
  *BoletoManagementApi* | [**boleto_cancel**](docs/BoletoManagementApi.md#boleto_cancel) | **POST** /boletos/{id}/cancel | Cancel Boleto
133
133
  *BoletoManagementApi* | [**boleto_connection_create**](docs/BoletoManagementApi.md#boleto_connection_create) | **POST** /boleto-connections | Connect boleto credentials
134
+ *BoletoManagementApi* | [**boleto_connection_create_from_item**](docs/BoletoManagementApi.md#boleto_connection_create_from_item) | **POST** /boleto-connections/from-item | Create boleto connection from Item
134
135
  *BoletoManagementApi* | [**boleto_create**](docs/BoletoManagementApi.md#boleto_create) | **POST** /boletos | Issue Boleto
136
+ *BoletoManagementApi* | [**boleto_get**](docs/BoletoManagementApi.md#boleto_get) | **GET** /boletos/{id} | Get Boleto
135
137
  *BulkPaymentApi* | [**bulk_payment_create**](docs/BulkPaymentApi.md#bulk_payment_create) | **POST** /payments/bulk | Create
136
138
  *BulkPaymentApi* | [**bulk_payment_delete**](docs/BulkPaymentApi.md#bulk_payment_delete) | **DELETE** /payments/bulk/{id} | Delete
137
139
  *BulkPaymentApi* | [**bulk_payment_retrieve**](docs/BulkPaymentApi.md#bulk_payment_retrieve) | **GET** /payments/bulk/{id} | Retrieve
@@ -244,8 +246,11 @@ Class | Method | HTTP request | Description
244
246
  - [Consent](docs/Consent.md)
245
247
  - [CreateBoleto](docs/CreateBoleto.md)
246
248
  - [CreateBoletoBoleto](docs/CreateBoletoBoleto.md)
249
+ - [CreateBoletoBoletoFine](docs/CreateBoletoBoletoFine.md)
250
+ - [CreateBoletoBoletoInterest](docs/CreateBoletoBoletoInterest.md)
247
251
  - [CreateBoletoBoletoPayer](docs/CreateBoletoBoletoPayer.md)
248
252
  - [CreateBoletoConnection](docs/CreateBoletoConnection.md)
253
+ - [CreateBoletoConnectionFromItem](docs/CreateBoletoConnectionFromItem.md)
249
254
  - [CreateBoletoPaymentRequest](docs/CreateBoletoPaymentRequest.md)
250
255
  - [CreateBulkPayment](docs/CreateBulkPayment.md)
251
256
  - [CreateClientCategoryRule](docs/CreateClientCategoryRule.md)
@@ -285,6 +290,8 @@ Class | Method | HTTP request | Description
285
290
  - [InvestmentTransaction](docs/InvestmentTransaction.md)
286
291
  - [InvestmentsList200Response](docs/InvestmentsList200Response.md)
287
292
  - [IssuedBoleto](docs/IssuedBoleto.md)
293
+ - [IssuedBoletoFine](docs/IssuedBoletoFine.md)
294
+ - [IssuedBoletoInterest](docs/IssuedBoletoInterest.md)
288
295
  - [IssuedBoletoPayer](docs/IssuedBoletoPayer.md)
289
296
  - [Item](docs/Item.md)
290
297
  - [ItemCreationErrorResponse](docs/ItemCreationErrorResponse.md)
@@ -341,6 +348,7 @@ Class | Method | HTTP request | Description
341
348
  - [PixData](docs/PixData.md)
342
349
  - [SINGLE](docs/SINGLE.md)
343
350
  - [SchedulePayment](docs/SchedulePayment.md)
351
+ - [SchedulePaymentErrorDetail](docs/SchedulePaymentErrorDetail.md)
344
352
  - [SmartAccount](docs/SmartAccount.md)
345
353
  - [SmartAccountAddress](docs/SmartAccountAddress.md)
346
354
  - [SmartAccountBalance](docs/SmartAccountBalance.md)
@@ -1,10 +1,10 @@
1
- pluggy_sdk/__init__.py,sha256=_gqSb9r9oaG5KlX1_tGNMPwMGRBR6qWneKBU4cVg2cg,13557
2
- pluggy_sdk/api_client.py,sha256=4N6GnTCuXZvJJ81vYc15LQtmTLO-TnhZdxRWYa1OvIk,27438
1
+ pluggy_sdk/__init__.py,sha256=9Tilb5ov_G8PpgK4SZc4XxgLnozKNjEWFPvf5U4Aitg,14046
2
+ pluggy_sdk/api_client.py,sha256=7hbSr86X8bfbFBdUqCO72YR79LpJKE3g3JrXQg0tU4g,27438
3
3
  pluggy_sdk/api_response.py,sha256=eMxw1mpmJcoGZ3gs9z6jM4oYoZ10Gjk333s9sKxGv7s,652
4
- pluggy_sdk/configuration.py,sha256=fnCIH-MWbrOYKzo7zNABul6F5zi1tZwCdeGkp-mbj1o,18485
4
+ pluggy_sdk/configuration.py,sha256=abdEPLYQwklNWRxgJh7i0BHCFue_f513obWkkBc6dhY,18823
5
5
  pluggy_sdk/exceptions.py,sha256=i3cDTqzBiyuMq9VdCqE6CVVf09vq_TDYL9uOVvFoZis,6452
6
6
  pluggy_sdk/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
7
- pluggy_sdk/rest.py,sha256=vVdVX3R4AbYt0r6TChhsMVAnyL1nf0RA6eZYjkaaBzY,9389
7
+ pluggy_sdk/rest.py,sha256=GHVGUFTXDukPvnXQi5AUNhTb1Ko-ZdZdvJQLnovZlbs,9445
8
8
  pluggy_sdk/api/__init__.py,sha256=w6-OiRjnUPM9FPxcmgsQdoP1W9uLRRa53U3aEEwn2uk,1281
9
9
  pluggy_sdk/api/account_api.py,sha256=mq0js0NSfiGeRHIFR6FSwO7Ng8bUAKNn88Ai58vr5zQ,22315
10
10
  pluggy_sdk/api/acquirer_anticipation_api.py,sha256=bk4FXqDIxttRyIL1ms2GXPR5mFJtc9SbVnD_v5gaGE4,26474
@@ -13,7 +13,7 @@ pluggy_sdk/api/acquirer_sale_api.py,sha256=YZYt2Hy3vA-dIKFouejtQY8BTws3lNrY3NHdX
13
13
  pluggy_sdk/api/auth_api.py,sha256=TXqmhFum1h1bqt9BMANyvcwLLaS0M1Y0mIELutv9spo,23150
14
14
  pluggy_sdk/api/benefit_api.py,sha256=WSa3Hp-6Dc1fA0dHUnYP5gu-iXgDD-0NC5yuxBuIouo,21329
15
15
  pluggy_sdk/api/bill_api.py,sha256=_qkNNQIlImQEGpzHko9wxyIrGlNKfc7Aq1MOdGCy5Ac,21228
16
- pluggy_sdk/api/boleto_management_api.py,sha256=dMcmNdi-GO-By5kllAwkp80_JJV1cQ7YoZSHl_2apfo,31883
16
+ pluggy_sdk/api/boleto_management_api.py,sha256=MRgO-66KatFI8A7pTVVkAds8sDJqNowg2Tb5mLnS3sI,52583
17
17
  pluggy_sdk/api/bulk_payment_api.py,sha256=-Qac97nDXdqWUJlvNIONxJLrbKE7Wt1crK03_ARxbKY,43205
18
18
  pluggy_sdk/api/category_api.py,sha256=ATCtlmkDmbNqS2kJV6f6P3G0_rgwqEip-PgQ9iUm_Nc,42113
19
19
  pluggy_sdk/api/connector_api.py,sha256=Zmo8ZYrYaaa98eAF_DXGlnd7AFS7hK6SURAGhsL3NPM,41410
@@ -26,7 +26,7 @@ pluggy_sdk/api/loan_api.py,sha256=0F4282MRf2XZ6KkRq9zZ9Bjfp4_gr628_Zjc3vnCnNU,21
26
26
  pluggy_sdk/api/payment_customer_api.py,sha256=2oxLDZt8BvDhg1P942AQaQUNsGBgvFL9BpctRvDW1w8,55454
27
27
  pluggy_sdk/api/payment_intent_api.py,sha256=xb5TAryR7WH6uMFH8-M1jeQonnnYxJ1TPkw2lZ3P_E0,32422
28
28
  pluggy_sdk/api/payment_receipts_api.py,sha256=kIf-vRlUK9yr6Udt8Xfvv3_8kL9c1_w8J8fyrWt3ylU,32644
29
- pluggy_sdk/api/payment_recipient_api.py,sha256=nvV5zoyTMMr3geRBD0ztaSrBe9tkusS9rJSdvG-mq2g,78871
29
+ pluggy_sdk/api/payment_recipient_api.py,sha256=WbprFZ_w1CXt9QAJPGWlbpPm5zhqFpD88mD_B9QR3ug,77923
30
30
  pluggy_sdk/api/payment_request_api.py,sha256=Pg1Wv0Jz0-tNyxpd8-0NRbWXgMvu7tnnOgjgFlL2EhQ,116891
31
31
  pluggy_sdk/api/payment_schedule_api.py,sha256=YUmE5fJktDrFHHm-SPphqQJmW-2CaBOlfX7QqZdQCk4,31605
32
32
  pluggy_sdk/api/payroll_loan_api.py,sha256=UqHuWdWa6PYAFBLdeRQTw0tMhv-yuhdN8Jk1qd7h8SQ,21180
@@ -36,7 +36,7 @@ pluggy_sdk/api/smart_account_transfer_api.py,sha256=H-uScNzIIlUzymh8GHKLoypler5T
36
36
  pluggy_sdk/api/smart_transfer_api.py,sha256=txy3I7VsD8wlmzPAmKgva7szkTi_2ne3RDMo6zrcj-0,56198
37
37
  pluggy_sdk/api/transaction_api.py,sha256=hJdOkkOB0PEl1eSceLppyaX7Ot1SSSSz7CPWl4JbxRU,41854
38
38
  pluggy_sdk/api/webhook_api.py,sha256=PmwRiQPIvl5vdDqNFdVKJLdBMGMyoccEHYmrxf7A4G4,56195
39
- pluggy_sdk/models/__init__.py,sha256=nuszvXM_mxqSPu4M-XlRKXFBr-B8xw29qBpuKjjOoPM,11809
39
+ pluggy_sdk/models/__init__.py,sha256=OtRvgm7lbGonqM4z7IiWueRJ65gl3cffkzQJ9r1Eg3Y,12298
40
40
  pluggy_sdk/models/account.py,sha256=olFI5wpLnLLE7OO22B4zlNzSAf5TP8kGPVmYar_VUdg,5536
41
41
  pluggy_sdk/models/accounts_list200_response.py,sha256=B4SakmOjxyOmTHYtTMmYKJo2nnKScnvqCN348JP98aE,3441
42
42
  pluggy_sdk/models/acquirer_anticipation.py,sha256=_z-lkqKpAML1Tr60J8MoGnc3sN0AOXYPJaTk_DVmYNg,4617
@@ -85,18 +85,21 @@ pluggy_sdk/models/connector_list_response.py,sha256=PetHjZ1wAJ2k2gacrg9EmM0fnvSZ
85
85
  pluggy_sdk/models/connector_user_action.py,sha256=k1Y8DHn5zEVFRmTEVL7Z8J8js3i7G-aRf1zoCF-Vftw,3065
86
86
  pluggy_sdk/models/consent.py,sha256=2iGU-3JCbWzjUsFU1g4UYXz_zm0EziBJgki8XaBz1Kk,5451
87
87
  pluggy_sdk/models/create_boleto.py,sha256=RdxH90W5WtT4CNounAk7_A7Jpgi_a9u4WKmoHwgDf-s,3018
88
- pluggy_sdk/models/create_boleto_boleto.py,sha256=1lPWcLArLua3hN6z3WswJSZoPrUlyysQfdUeed9GLro,3439
88
+ pluggy_sdk/models/create_boleto_boleto.py,sha256=Hcl29eZ2u_53s-kgOJhEKybaNVVXfOreYr7sqayU_so,4297
89
+ pluggy_sdk/models/create_boleto_boleto_fine.py,sha256=EzNMpnTjd_b_PFPB3HSjSaBX0iFHyStZOwC4_-TJEvE,3061
90
+ pluggy_sdk/models/create_boleto_boleto_interest.py,sha256=hfL0jcAAex5zy5x36h7sMHvl1_X4sNEjx5LmiV7HAAQ,3067
89
91
  pluggy_sdk/models/create_boleto_boleto_payer.py,sha256=9EvWdoc_hDd2MlrqeRlKjj4rk2t8IcTOC__IWABxojA,3386
90
92
  pluggy_sdk/models/create_boleto_connection.py,sha256=ZQodldN2duex0o-SF_klZZyEtzDVGe-YODjWdQlcw0A,3149
93
+ pluggy_sdk/models/create_boleto_connection_from_item.py,sha256=d5Xq1K6m3uE1FNOZHjTZl_1vl7FPOUzDbEjpngNlh_g,2617
91
94
  pluggy_sdk/models/create_boleto_payment_request.py,sha256=j7aLjY1Pllj67K0BifGj43CZCBpIqfjI8xAPD1QoQgo,3577
92
95
  pluggy_sdk/models/create_bulk_payment.py,sha256=g5S2C_vtgvuTY9om2RvOZSebTXosp5WrzwdS4IbQMMs,3438
93
96
  pluggy_sdk/models/create_client_category_rule.py,sha256=CBmaEU87ba_EgxLIcFwb8YWe-FcMdKcaOiu9hGDoGFo,3448
94
97
  pluggy_sdk/models/create_item.py,sha256=iz0JMSwXcC2iemswn6Wq-2-SUG015vDMrQ01OWmVLBM,4843
95
98
  pluggy_sdk/models/create_item_parameters.py,sha256=ZAT3HYQRIJMCTO6XRJtBFWLix2LrKrZTWnLtuYMw11k,5380
96
- pluggy_sdk/models/create_or_update_payment_customer.py,sha256=ZvN-Pa9LGAR33L5G4XFSbIUPP3RaUsOeD45K5oOKZ-U,3455
97
- pluggy_sdk/models/create_payment_customer_request_body.py,sha256=YvSSzXEW2yI7M9alWr4fHbPRqNvV4sxTUVp3FkMQSyU,3365
99
+ pluggy_sdk/models/create_or_update_payment_customer.py,sha256=jM5YueP_je65I8koHuKY7c6ssz0KQgTaiRrS3XMDz7o,3479
100
+ pluggy_sdk/models/create_payment_customer_request_body.py,sha256=xwJ5ZA645R7Dm14BCpnLVxNH77pRGEOpKZ4pETlPFBg,3389
98
101
  pluggy_sdk/models/create_payment_intent.py,sha256=fa-y9mIq6ubcFtAJMTTSSpKmjUstF2mmO3GvdaMymW4,4719
99
- pluggy_sdk/models/create_payment_recipient.py,sha256=B4vmHZB0uhOBPl9GPcvkno02fpIHIKFTM3EQvMoBoS8,4554
102
+ pluggy_sdk/models/create_payment_recipient.py,sha256=HE23GlpKT0WlEKJ1btg98rBb7E-dx3WQuB38E8FmoIo,4343
100
103
  pluggy_sdk/models/create_payment_request.py,sha256=H2SU4y28MxacJLrypgknHzIpPTp5m6z9VJEBoGcsazU,4852
101
104
  pluggy_sdk/models/create_payment_request_schedule.py,sha256=Aj70mok-7IYtwhCRFg6_FeawrEiIl34mwcGb0yX6PcY,7159
102
105
  pluggy_sdk/models/create_pix_qr_payment_request.py,sha256=gyRV61yUjf_K4WeihOoBSQySS2NODl2sl4STITpMuIA,3354
@@ -104,7 +107,7 @@ pluggy_sdk/models/create_smart_account_request.py,sha256=Z0fL0SDXZHhP1zONXhHLxIQ
104
107
  pluggy_sdk/models/create_smart_account_transfer_request.py,sha256=cqYBbTfssI6jbZ4bxulvBsofin6d3k0qYcamSSIqzVE,3122
105
108
  pluggy_sdk/models/create_smart_transfer_payment.py,sha256=YqZQ7gg7oPFIlTwDCVH9wglNGETeOkxbiAeZT38e5nk,3397
106
109
  pluggy_sdk/models/create_smart_transfer_preauthorization.py,sha256=aSaFeY_pe-TX2kMyPA_sH89SshgqsJ7JJ4trwMP2zwQ,4149
107
- pluggy_sdk/models/create_webhook.py,sha256=Zi59xKJua3OBKdQNjZzJkZlK4gwoXtSDSolCF6kZeVw,4136
110
+ pluggy_sdk/models/create_webhook.py,sha256=9diD0I9ji_B6sYlEbTbFyYz_dYVJtkcpad9XGX9qctE,4172
108
111
  pluggy_sdk/models/credential_select_option.py,sha256=aniQKmQU7mGKMqJj78dGmS_ZxTw19mIaB6HX3CdyxOI,2676
109
112
  pluggy_sdk/models/credit_card_metadata.py,sha256=EpVcejr4hL5oJpvvqLRFUNBv5kcAR36FkQKbrONJ3XU,4102
110
113
  pluggy_sdk/models/credit_data.py,sha256=LcdJCDgQEmdm60NPzx-hcq_cRHYic8OCr_zVBVuNcpE,5142
@@ -124,13 +127,15 @@ pluggy_sdk/models/identity_response_qualifications_informed_income.py,sha256=L0Q
124
127
  pluggy_sdk/models/identity_response_qualifications_informed_patrimony.py,sha256=DxOFOA6Mw8fjoj8FXmXemFop_58-6rbAOxVjkcBvvtA,2797
125
128
  pluggy_sdk/models/income_report.py,sha256=MscdLVudpzaySJ__mKCBVD0vJcHoOKVIYyFJ6xaNS5U,2788
126
129
  pluggy_sdk/models/income_reports_response.py,sha256=cXTY6QSoXZ5gSzJD2rz992dQRHk01QImadetCVg_fy8,3538
127
- pluggy_sdk/models/investment.py,sha256=Wgrcn1BupoR-_2GRYHI5w_r7iuJJhQ-hNFPxaypXu7E,11148
130
+ pluggy_sdk/models/investment.py,sha256=6ZFQE3_JTw2b5hyKwqvNSuu_9j_dWpFM0UYgJ5WgQEA,10214
128
131
  pluggy_sdk/models/investment_expenses.py,sha256=Tggx0ZhQV-EF1amRK5Qc-qTGMjw1bUkM4bo3re18OCk,5224
129
132
  pluggy_sdk/models/investment_metadata.py,sha256=iPjyP8eP7IM6Yp2angdHGN9ZrRlbIa4m9eO8XDxYQU8,3696
130
- pluggy_sdk/models/investment_transaction.py,sha256=0NMEFh-yV0zTw1cstAz8x8kq8_oVLIPCh9kjXkxc1Ks,5004
133
+ pluggy_sdk/models/investment_transaction.py,sha256=v1fEA1fnIc5blphDfJ8QC-D8U-Ft3B2baEVsBiulRHw,5126
131
134
  pluggy_sdk/models/investments_list200_response.py,sha256=JqUTarakPV6yzY162pLugeFudbwj6pHeCJYGdKVz8Js,3458
132
- pluggy_sdk/models/issued_boleto.py,sha256=sOZz3Te2NAyB_tt_VQpw8nq2ntLwH_9T6-3vB21booA,4832
133
- pluggy_sdk/models/issued_boleto_payer.py,sha256=WTNrW5i9YP-_NkiWwmIpK02CGClzv8GSaSb5Xt9iulI,4629
135
+ pluggy_sdk/models/issued_boleto.py,sha256=FAYV9i7UrUv5tf9pPK-xklJ0Vx2a4XE0qUIaLE8RhVo,7396
136
+ pluggy_sdk/models/issued_boleto_fine.py,sha256=O6isBtogPBwg2sPK0n4k2MoT7F_JCXICiT8voDk1HL0,3153
137
+ pluggy_sdk/models/issued_boleto_interest.py,sha256=MJQ9bwFSzqYtjjn4q0ir6Ywspl1gaa7f7FwEJ8cNt7k,3159
138
+ pluggy_sdk/models/issued_boleto_payer.py,sha256=rbeI6pMo1lHqsHr3DnTza0eJJYh2qdLa9Ki7J6lcJAk,5424
134
139
  pluggy_sdk/models/item.py,sha256=z__AH74riALcam8VE0U_GPCZPH7JrQydR1QeEHvlQRg,7295
135
140
  pluggy_sdk/models/item_creation_error_response.py,sha256=_zdN0Go6iU2deVKxRrexeYlDxWxYfWhjyrxisyQbjUI,3607
136
141
  pluggy_sdk/models/item_error.py,sha256=2wbKBj82sw3NPhNqxCCnw-c15-QuFhy5Ywe29h2HicQ,3155
@@ -195,14 +200,15 @@ pluggy_sdk/models/payroll_loans_list200_response.py,sha256=zG54rlfMAINvraIn48n-1
195
200
  pluggy_sdk/models/percentage_over_index.py,sha256=UMM-sXy36J5X_kfVCCy3glXjEGUXJzZxKQM0Ipt05uE,2861
196
201
  pluggy_sdk/models/phone_number.py,sha256=KtNMYqBE9K7Of-gVId3wV9gN9vf1XGbDnv3R_s-QGco,3087
197
202
  pluggy_sdk/models/pix_data.py,sha256=zygIaWicGwI93-q181yHzPVxKBZ7wpuhN70b_KvPm0c,2602
198
- pluggy_sdk/models/schedule_payment.py,sha256=5F3SjAg0gYOvgNGxoxmqFI8sPYPGXEs-k4rDPncRcmw,3251
203
+ pluggy_sdk/models/schedule_payment.py,sha256=KuVZOx_jK6GXJvfZ-fcEONxPrglfZwwcughJoBhm5OQ,3778
204
+ pluggy_sdk/models/schedule_payment_error_detail.py,sha256=9bqhCPmKOkIKXE6nnjN72PQ28QE9-jJtQZKB8fET-AA,2975
199
205
  pluggy_sdk/models/schedule_type_custom.py,sha256=OIPS53NFeFbQ3rFR030CEdP1E0XY2bJUP4iHc8Iv-q4,3174
200
206
  pluggy_sdk/models/schedule_type_daily.py,sha256=FWFTMERGd8ma9dVmp5oXm2CoXFX0Mxa81huli9Th83g,3145
201
207
  pluggy_sdk/models/schedule_type_monthly.py,sha256=2sXy5AbY_YYqosEYRAk6GK94BuXITFUyNM2cjkSoYfg,3424
202
208
  pluggy_sdk/models/schedule_type_single.py,sha256=4Z7BxTZLi4U989-EdB1DBzxaz_FLjalA2oHgli9EMvU,2915
203
209
  pluggy_sdk/models/schedule_type_weekly.py,sha256=8e20wK6cSTOkCNr8pC8CvG_aqeZ0BRGjgVP1er4z7HQ,3749
204
210
  pluggy_sdk/models/single.py,sha256=gbYj-8Dzspav04aP3b-J_01jJEi4luacnzm4GVr3Rn8,2879
205
- pluggy_sdk/models/smart_account.py,sha256=qEXq6v5t5mCr2YEZdvMncCiwNh_fbUqNzqze6RoPMtc,3625
211
+ pluggy_sdk/models/smart_account.py,sha256=PnMgxutND-ezmq7otcEOJG_PqooEZ5UgM41YbBE5xwM,3760
206
212
  pluggy_sdk/models/smart_account_address.py,sha256=iSFjlo01nqtRtfsD24h0gABxmUamPfHcW3hzCiCCM5s,4266
207
213
  pluggy_sdk/models/smart_account_balance.py,sha256=FhPmk52iCQfrhTItJl6XQdV7fFIkxQed3H1vrp8o5o8,3217
208
214
  pluggy_sdk/models/smart_account_transfer.py,sha256=UaOK1DFUJXotRZTpF3fhdEtIVrOXka0ItWp7NtWBsC4,5111
@@ -218,14 +224,14 @@ pluggy_sdk/models/status_detail_product_warning.py,sha256=LFYFdkpQxvS5W2Kj3cxGGv
218
224
  pluggy_sdk/models/transaction.py,sha256=Aokv7FMDJ0ubyX51FKeTMzEVMbLS0MmgQkTfv6yGaPY,6671
219
225
  pluggy_sdk/models/update_item.py,sha256=3YeJaipa-omyCB3Ux0Mig5fnt_7UrXyiI6yrtZt6wCA,4134
220
226
  pluggy_sdk/models/update_item_parameters.py,sha256=yeIMinw_yVyCr9OxyZcxEe-17zCNNoKK8MkysO7yDcc,5324
221
- pluggy_sdk/models/update_payment_recipient.py,sha256=CvKd2orRdEYgroSy42bkzxqiJ_JjELQhnxwf7R7bx3Y,4187
227
+ pluggy_sdk/models/update_payment_recipient.py,sha256=eVnwQqnLsZVqx58FrWriIiVynNnLbHzwizdm2yLZbAE,3976
222
228
  pluggy_sdk/models/update_payment_request.py,sha256=T69l1LZAOn2Zbc7Vlaat5eiB-iuv2G_VMYuqOQBNR78,3936
223
229
  pluggy_sdk/models/update_transaction.py,sha256=979zai0z2scYygWA7STBzZBjnWg6zoQFjNpgso7fIqM,2590
224
230
  pluggy_sdk/models/webhook.py,sha256=2KV31zqFfHMzYzdrfVW7Sam6BsKigdQnPOKjsRiFYqI,3827
225
231
  pluggy_sdk/models/webhook_creation_error_response.py,sha256=SMvNMvJANk1NTn9BEugfwRtnEsJuoMsFo8tVvci3ayw,2681
226
232
  pluggy_sdk/models/webhooks_list200_response.py,sha256=_C8cwBIpZZrODNt-BS_pwAyBjZPxls6ffsy8vqYA6RU,3384
227
233
  pluggy_sdk/models/weekly.py,sha256=rEjJdwn52bBC5sNRUoWsMQ2uoaX7tDz68R5OOgBF1uw,4096
228
- pluggy_sdk-1.0.0.post37.dist-info/METADATA,sha256=7ArVqDIqL2ryp3pSHcyX_Vw50QdtHwMmD7iUv_hkHI4,24283
229
- pluggy_sdk-1.0.0.post37.dist-info/WHEEL,sha256=In9FTNxeP60KnTkGw7wk6mJPYd_dQSjEZmXdBdMCI-8,91
230
- pluggy_sdk-1.0.0.post37.dist-info/top_level.txt,sha256=4RLkSSAcNiYLnk0_CN2vRQoezuSTIa7VPuNnaVutZP0,11
231
- pluggy_sdk-1.0.0.post37.dist-info/RECORD,,
234
+ pluggy_sdk-1.0.0.post39.dist-info/METADATA,sha256=ypd9W010UpfOAtGIA59UDpL6NSC2OgpFOL5Vn5Y1hLk,24984
235
+ pluggy_sdk-1.0.0.post39.dist-info/WHEEL,sha256=52BFRY2Up02UkjOa29eZOS2VxUrpPORXg1pkohGGUS8,91
236
+ pluggy_sdk-1.0.0.post39.dist-info/top_level.txt,sha256=4RLkSSAcNiYLnk0_CN2vRQoezuSTIa7VPuNnaVutZP0,11
237
+ pluggy_sdk-1.0.0.post39.dist-info/RECORD,,
@@ -1,5 +1,5 @@
1
1
  Wheel-Version: 1.0
2
- Generator: setuptools (75.8.0)
2
+ Generator: setuptools (76.0.0)
3
3
  Root-Is-Purelib: true
4
4
  Tag: py3-none-any
5
5