Skip to content

Commit cc14951

Browse files
committed
minimal upgrade to PyO3 0.23 (ignoring deprecations)
1 parent cd0346d commit cc14951

13 files changed

+81
-67
lines changed

Cargo.lock

+11-17
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

Cargo.toml

+4-4
Original file line numberDiff line numberDiff line change
@@ -29,7 +29,7 @@ rust-version = "1.75"
2929
[dependencies]
3030
# TODO it would be very nice to remove the "py-clone" feature as it can panic,
3131
# but needs a bit of work to make sure it's not used in the codebase
32-
pyo3 = { version = "0.22.5", features = ["generate-import-lib", "num-bigint", "py-clone"] }
32+
pyo3 = { git = "https://github.com/pyo3/pyo3", branch = "release-0.23", features = ["generate-import-lib", "num-bigint", "py-clone"] }
3333
regex = "1.11.1"
3434
strum = { version = "0.26.3", features = ["derive"] }
3535
strum_macros = "0.26.4"
@@ -46,7 +46,7 @@ base64 = "0.22.1"
4646
num-bigint = "0.4.6"
4747
python3-dll-a = "0.2.10"
4848
uuid = "1.11.0"
49-
jiter = { version = "0.7", features = ["python"] }
49+
jiter = { git = "https://github.com/pydantic/jiter", branch = "dh/pyo3-0.23", features = ["python"] }
5050
hex = "0.4.3"
5151

5252
[lib]
@@ -74,12 +74,12 @@ debug = true
7474
strip = false
7575

7676
[dev-dependencies]
77-
pyo3 = { version = "0.22.5", features = ["auto-initialize"] }
77+
pyo3 = { git = "https://github.com/pyo3/pyo3", branch = "release-0.23", features = ["auto-initialize"] }
7878

7979
[build-dependencies]
8080
version_check = "0.9.5"
8181
# used where logic has to be version/distribution specific, e.g. pypy
82-
pyo3-build-config = { version = "0.22.0" }
82+
pyo3-build-config = { git = "https://github.com/pyo3/pyo3", branch = "release-0.23" }
8383

8484
[lints.clippy]
8585
dbg_macro = "warn"

src/errors/validation_exception.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -274,7 +274,7 @@ impl ValidationError {
274274
.iter()
275275
.map(|error| PyLineError::try_from(&error))
276276
.collect::<PyResult<Vec<PyLineError>>>()?,
277-
InputType::try_from(input_type)?,
277+
InputType::try_from(input_type)?.into_py(cls.py()),
278278
hide_input,
279279
))
280280
}

src/input/datetime.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -527,7 +527,7 @@ impl TzInfo {
527527
}
528528

529529
#[allow(unused_variables)]
530-
fn dst(&self, dt: &Bound<'_, PyAny>) -> Option<&PyDelta> {
530+
fn dst(&self, dt: &Bound<'_, PyAny>) -> Option<&Bound<'_, PyDelta>> {
531531
None
532532
}
533533

src/input/return_enums.rs

+3-5
Original file line numberDiff line numberDiff line change
@@ -269,18 +269,16 @@ pub(crate) fn iterate_mapping_items<'a, 'py>(
269269
.items()
270270
.map_err(|e| mapping_err(e, py, input))?
271271
.iter()
272-
.map_err(|e| mapping_err(e, py, input))?
273-
.map(move |item| match item {
274-
Ok(item) => item.extract().map_err(|_| {
272+
.map(move |item| {
273+
item.extract().map_err(|_| {
275274
ValError::new(
276275
ErrorType::MappingType {
277276
error: MAPPING_TUPLE_ERROR.into(),
278277
context: None,
279278
},
280279
input,
281280
)
282-
}),
283-
Err(e) => Err(mapping_err(e, py, input)),
281+
})
284282
});
285283
Ok(iterator)
286284
}

src/lib.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
11
#![cfg_attr(has_coverage_attribute, feature(coverage_attribute))]
2+
#![allow(deprecated)] // FIXME: just used during upgrading PyO3 to 0.23
23

34
extern crate core;
45

src/lookup_key.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -448,7 +448,7 @@ impl PathItem {
448448
None
449449
} else {
450450
// otherwise, blindly try getitem on v since no better logic is realistic
451-
py_any.get_item(self).ok()
451+
py_any.get_item(self.to_object(py_any.py())).ok()
452452
}
453453
}
454454

src/serializers/extra.rs

+38-24
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
1-
use std::cell::RefCell;
21
use std::fmt;
2+
use std::sync::Mutex;
33

44
use pyo3::exceptions::{PyTypeError, PyValueError};
55
use pyo3::intern;
@@ -366,18 +366,27 @@ impl From<bool> for WarningsMode {
366366
}
367367
}
368368

369-
#[derive(Clone)]
370369
#[cfg_attr(debug_assertions, derive(Debug))]
371370
pub(crate) struct CollectWarnings {
372371
mode: WarningsMode,
373-
warnings: RefCell<Option<Vec<String>>>,
372+
// FIXME: mutex is to satisfy PyO3 0.23, we should be able to refactor this away
373+
warnings: Mutex<Vec<String>>,
374+
}
375+
376+
impl Clone for CollectWarnings {
377+
fn clone(&self) -> Self {
378+
Self {
379+
mode: self.mode,
380+
warnings: Mutex::new(self.warnings.lock().expect("lock poisoned").clone()),
381+
}
382+
}
374383
}
375384

376385
impl CollectWarnings {
377386
pub(crate) fn new(mode: WarningsMode) -> Self {
378387
Self {
379388
mode,
380-
warnings: RefCell::new(None),
389+
warnings: Mutex::new(Vec::new()),
381390
}
382391
}
383392

@@ -443,41 +452,46 @@ impl CollectWarnings {
443452
}
444453

445454
fn add_warning(&self, message: String) {
446-
let mut op_warnings = self.warnings.borrow_mut();
447-
if let Some(ref mut warnings) = *op_warnings {
448-
warnings.push(message);
449-
} else {
450-
*op_warnings = Some(vec![message]);
451-
}
455+
self.warnings.lock().expect("lock poisoned").push(message)
452456
}
453457

454458
pub fn final_check(&self, py: Python) -> PyResult<()> {
455459
if self.mode == WarningsMode::None {
456460
return Ok(());
457461
}
458-
match *self.warnings.borrow() {
459-
Some(ref warnings) => {
460-
let message = format!("Pydantic serializer warnings:\n {}", warnings.join("\n "));
461-
if self.mode == WarningsMode::Warn {
462-
let user_warning_type = py.import_bound("builtins")?.getattr("UserWarning")?;
463-
PyErr::warn_bound(py, &user_warning_type, &message, 0)
464-
} else {
465-
Err(PydanticSerializationError::new_err(message))
466-
}
467-
}
468-
_ => Ok(()),
462+
let warnings = self.warnings.lock().expect("lock poisoned");
463+
464+
if warnings.is_empty() {
465+
return Ok(());
466+
}
467+
468+
let message = format!("Pydantic serializer warnings:\n {}", warnings.join("\n "));
469+
if self.mode == WarningsMode::Warn {
470+
let user_warning_type = py.import_bound("builtins")?.getattr("UserWarning")?;
471+
PyErr::warn_bound(py, &user_warning_type, &message, 0)
472+
} else {
473+
Err(PydanticSerializationError::new_err(message))
469474
}
470475
}
471476
}
472477

473-
#[derive(Default, Clone)]
478+
#[derive(Default)]
474479
#[cfg_attr(debug_assertions, derive(Debug))]
475480
pub struct SerRecursionState {
476-
guard: RefCell<RecursionState>,
481+
// FIXME: mutex is to satisfy PyO3 0.23, we should be able to refactor this away
482+
guard: Mutex<RecursionState>,
483+
}
484+
485+
impl Clone for SerRecursionState {
486+
fn clone(&self) -> Self {
487+
Self {
488+
guard: Mutex::new(self.guard.lock().expect("lock poisoned").clone()),
489+
}
490+
}
477491
}
478492

479493
impl ContainsRecursionState for &'_ Extra<'_> {
480494
fn access_recursion_state<R>(&mut self, f: impl FnOnce(&mut RecursionState) -> R) -> R {
481-
f(&mut self.rec_guard.guard.borrow_mut())
495+
f(&mut self.rec_guard.guard.lock().expect("lock poisoned"))
482496
}
483497
}

src/serializers/filter.rs

+7-3
Original file line numberDiff line numberDiff line change
@@ -173,7 +173,9 @@ trait FilterLogic<T: Eq + Copy> {
173173
next_exclude = Some(exc_value);
174174
}
175175
} else if let Ok(exclude_set) = exclude.downcast::<PySet>() {
176-
if exclude_set.contains(py_key)? || exclude_set.contains(intern!(exclude_set.py(), "__all__"))? {
176+
if exclude_set.contains(py_key.to_object(exclude_set.py()))?
177+
|| exclude_set.contains(intern!(exclude_set.py(), "__all__"))?
178+
{
177179
// index is in the exclude set, we return Ok(None) to omit this index
178180
return Ok(None);
179181
}
@@ -205,7 +207,9 @@ trait FilterLogic<T: Eq + Copy> {
205207
return Ok(None);
206208
}
207209
} else if let Ok(include_set) = include.downcast::<PySet>() {
208-
if include_set.contains(py_key)? || include_set.contains(intern!(include_set.py(), "__all__"))? {
210+
if include_set.contains(py_key.to_object(include_set.py()))?
211+
|| include_set.contains(intern!(include_set.py(), "__all__"))?
212+
{
209213
return Ok(Some((None, next_exclude)));
210214
} else if !self.explicit_include(int_key) {
211215
// if the index is not in include, include exists, AND it's not in schema include,
@@ -332,7 +336,7 @@ fn merge_all_value<'py>(
332336
dict: &Bound<'py, PyDict>,
333337
py_key: impl ToPyObject + Copy,
334338
) -> PyResult<Option<Bound<'py, PyAny>>> {
335-
let op_item_value = dict.get_item(py_key)?;
339+
let op_item_value = dict.get_item(py_key.to_object(dict.py()))?;
336340
let op_all_value = dict.get_item(intern!(dict.py(), "__all__"))?;
337341

338342
match (op_item_value, op_all_value) {

src/tools.rs

+6-6
Original file line numberDiff line numberDiff line change
@@ -11,17 +11,17 @@ use crate::input::Int;
1111
use jiter::{cached_py_string, pystring_fast_new, StringCacheMode};
1212

1313
pub trait SchemaDict<'py> {
14-
fn get_as<T>(&self, key: &Bound<'_, PyString>) -> PyResult<Option<T>>
14+
fn get_as<T>(&self, key: &Bound<'py, PyString>) -> PyResult<Option<T>>
1515
where
1616
T: FromPyObject<'py>;
1717

18-
fn get_as_req<T>(&self, key: &Bound<'_, PyString>) -> PyResult<T>
18+
fn get_as_req<T>(&self, key: &Bound<'py, PyString>) -> PyResult<T>
1919
where
2020
T: FromPyObject<'py>;
2121
}
2222

2323
impl<'py> SchemaDict<'py> for Bound<'py, PyDict> {
24-
fn get_as<T>(&self, key: &Bound<'_, PyString>) -> PyResult<Option<T>>
24+
fn get_as<T>(&self, key: &Bound<'py, PyString>) -> PyResult<Option<T>>
2525
where
2626
T: FromPyObject<'py>,
2727
{
@@ -31,7 +31,7 @@ impl<'py> SchemaDict<'py> for Bound<'py, PyDict> {
3131
}
3232
}
3333

34-
fn get_as_req<T>(&self, key: &Bound<'_, PyString>) -> PyResult<T>
34+
fn get_as_req<T>(&self, key: &Bound<'py, PyString>) -> PyResult<T>
3535
where
3636
T: FromPyObject<'py>,
3737
{
@@ -43,7 +43,7 @@ impl<'py> SchemaDict<'py> for Bound<'py, PyDict> {
4343
}
4444

4545
impl<'py> SchemaDict<'py> for Option<&Bound<'py, PyDict>> {
46-
fn get_as<T>(&self, key: &Bound<'_, PyString>) -> PyResult<Option<T>>
46+
fn get_as<T>(&self, key: &Bound<'py, PyString>) -> PyResult<Option<T>>
4747
where
4848
T: FromPyObject<'py>,
4949
{
@@ -54,7 +54,7 @@ impl<'py> SchemaDict<'py> for Option<&Bound<'py, PyDict>> {
5454
}
5555

5656
#[cfg_attr(has_coverage_attribute, coverage(off))]
57-
fn get_as_req<T>(&self, key: &Bound<'_, PyString>) -> PyResult<T>
57+
fn get_as_req<T>(&self, key: &Bound<'py, PyString>) -> PyResult<T>
5858
where
5959
T: FromPyObject<'py>,
6060
{

src/validators/arguments.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -348,7 +348,8 @@ impl Validator for ArgumentsValidator {
348348
},
349349
VarKwargsMode::UnpackedTypedDict => {
350350
// Save to the remaining kwargs, we will validate as a single dict:
351-
remaining_kwargs.set_item(either_str.as_py_string(py, state.cache_str()), value)?;
351+
remaining_kwargs
352+
.set_item(either_str.as_py_string(py, state.cache_str()), value.to_object(py))?;
352353
}
353354
}
354355
}

src/validators/dataclass.rs

+4-2
Original file line numberDiff line numberDiff line change
@@ -326,8 +326,10 @@ impl Validator for DataclassArgsValidator {
326326
Err(err) => return Err(err),
327327
}
328328
} else {
329-
output_dict
330-
.set_item(either_str.as_py_string(py, state.cache_str()), value)?;
329+
output_dict.set_item(
330+
either_str.as_py_string(py, state.cache_str()),
331+
value.to_object(py),
332+
)?;
331333
}
332334
}
333335
}

src/validators/decimal.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -279,9 +279,9 @@ pub(crate) fn create_decimal<'py>(arg: &Bound<'py, PyAny>, input: impl ToErrorVa
279279

280280
fn handle_decimal_new_error(input: impl ToErrorValue, error: PyErr, decimal_exception: Bound<'_, PyAny>) -> ValError {
281281
let py = decimal_exception.py();
282-
if error.matches(py, decimal_exception) {
282+
if error.matches(py, decimal_exception).unwrap_or(false) {
283283
ValError::new(ErrorTypeDefaults::DecimalParsing, input)
284-
} else if error.matches(py, PyTypeError::type_object_bound(py)) {
284+
} else if error.matches(py, PyTypeError::type_object_bound(py)).unwrap_or(false) {
285285
ValError::new(ErrorTypeDefaults::DecimalType, input)
286286
} else {
287287
ValError::InternalErr(error)

0 commit comments

Comments
 (0)