Run overview
swe_bench / lite / dev
Run 1890039a...6b42
Benchmark pass rate
17%
1 of 6 tasks passed
Pass rate is the share of benchmark tasks that passed.
Passed
1
Tasks that passed
Failed
5
Tasks that failed
Total spend
$0.15
Duration 72 s
Task review
Completed tasks
6 completed tasks. Open a card only when you need logs, patch text, or scoring detail.
pvlib__pvlib-python-1707
pvlib/pvlib-python
Score
0%
Outcome
Error
Task cost
$0.00
Duration
0 ms
Summary
Error
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
View task details
Run metadata
Benchmark
swe_bench/lite/dev
Model
Not reported
Started
Not started
Completed
Mar 30, 2026, 3:38 AM UTC
Sandbox
Not provisioned yet
Tokens
Not reported
F2P / P2P
Pending
Passed benchmark
Pending
Task failed
Benchmark context
Task input
regression: iam.physical returns nan for aoi > 90° when n = 1 **Describe the bug** For pvlib==0.9.5, when n = 1 (no reflection) and aoi > 90°, we get nan as result. **To Reproduce** ```python import pvlib pvlib.iam.physical(aoi=100, n=1) ``` returns `nan`. **Expected behavior** The result should be `0`, as it was for pvlib <= 0.9.4. **Versions:** - ``pvlib.__version__``: '0.9.5' - ``pandas.__version__``: '1.5.3' - python: 3.10.4
Fix tests
pvlib/tests/test_iam.py::test_physical_n1_L0
Regression tests
pvlib/tests/test_iam.py::test_ashrae pvlib/tests/test_iam.py::test_ashrae_scalar pvlib/tests/test_iam.py::test_physical pvlib/tests/test_iam.py::test_physical_ar pvlib/tests/test_iam.py::test_physical_noar pvlib/tests/test_iam.py::test_physical_scalar pvlib/tests/test_iam.py::test_martin_ruiz pvlib/tests/test_iam.py::test_martin_ruiz_exception pvlib/tests/test_iam.py::test_martin_ruiz_diffuse pvlib/tests/test_iam.py::test_iam_interp pvlib/tests/test_iam.py::test_sapm[45-0.9975036250000002] pvlib/tests/test_iam.py::test_sapm[aoi1-expected1] pvlib/tests/test_iam.py::test_sapm[aoi2-expected2] pvlib/tests/test_iam.py::test_sapm_limits pvlib/tests/test_iam.py::test_marion_diffuse_model pvlib/tests/test_iam.py::test_marion_diffuse_kwargs pvlib/tests/test_iam.py::test_marion_diffuse_invalid pvlib/tests/test_iam.py::test_marion_integrate_scalar[sky-180-0.9596085829811408] pvlib/tests/test_iam.py::test_marion_integrate_scalar[horizon-1800-0.8329070417832541] pvlib/tests/test_iam.py::test_marion_integrate_scalar[ground-180-0.719823559106309] pvlib/tests/test_iam.py::test_marion_integrate_list[sky-180-expected0] pvlib/tests/test_iam.py::test_marion_integrate_list[horizon-1800-expected1] pvlib/tests/test_iam.py::test_marion_integrate_list[ground-180-expected2] pvlib/tests/test_iam.py::test_marion_integrate_series[sky-180-expected0] pvlib/tests/test_iam.py::test_marion_integrate_series[horizon-1800-expected1] pvlib/tests/test_iam.py::test_marion_integrate_series[ground-180-expected2] pvlib/tests/test_iam.py::test_marion_integrate_ground_flat pvlib/tests/test_iam.py::test_marion_integrate_invalid pvlib/tests/test_iam.py::test_schlick pvlib/tests/test_iam.py::test_schlick_diffuse
Execution
Scorer detail
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
Patch text
No patch captured yet.
Stdout
No stdout captured yet.
Stderr
No stderr captured yet.
Agent output
No agent output captured yet.
Scoring
Passing target tests
No fail-to-pass successes recorded yet.
Failing target tests
No fail-to-pass failures recorded yet.
Maintained regression tests
No pass-to-pass successes recorded yet.
Regressed tests
No regression failures recorded yet.
Harness output
No harness output captured yet.
Reference output
diff --git a/pvlib/iam.py b/pvlib/iam.py
--- a/pvlib/iam.py
+++ b/pvlib/iam.py
@@ -175,8 +175,12 @@ def physical(aoi, n=1.526, K=4.0, L=0.002, *, n_ar=None):
n2costheta2 = n2 * costheta
# reflectance of s-, p-polarized, and normal light by the first interface
- rho12_s = ((n1costheta1 - n2costheta2) / (n1costheta1 + n2costheta2)) ** 2
- rho12_p = ((n1costheta2 - n2costheta1) / (n1costheta2 + n2costheta1)) ** 2
+ with np.errstate(divide='ignore', invalid='ignore'):
+ rho12_s = \
+ ((n1costheta1 - n2costheta2) / (n1costheta1 + n2costheta2)) ** 2
+ rho12_p = \
+ ((n1costheta2 - n2costheta1) / (n1costheta2 + n2costheta1)) ** 2
+
rho12_0 = ((n1 - n2) / (n1 + n2)) ** 2
# transmittance through the first interface
@@ -208,13 +212,22 @@ def physical(aoi, n=1.526, K=4.0, L=0.002, *, n_ar=None):
tau_0 *= (1 - rho23_0) / (1 - rho23_0 * rho12_0)
# transmittance after absorption in the glass
- tau_s *= np.exp(-K * L / costheta)
- tau_p *= np.exp(-K * L / costheta)
+ with np.errstate(divide='ignore', invalid='ignore'):
+ tau_s *= np.exp(-K * L / costheta)
+ tau_p *= np.exp(-K * L / costheta)
+
tau_0 *= np.exp(-K * L)
# incidence angle modifier
iam = (tau_s + tau_p) / 2 / tau_0
+ # for light coming from behind the plane, none can enter the module
+ # when n2 > 1, this is already the case
+ if np.isclose(n2, 1).any():
+ iam = np.where(aoi >= 90, 0, iam)
+ if isinstance(aoi, pd.Series):
+ iam = pd.Series(iam, index=aoi.index)
+
return iam
pvlib__pvlib-python-1154
pvlib/pvlib-python
Score
0%
Outcome
Error
Task cost
$0.00
Duration
0 ms
Summary
Error
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
View task details
Run metadata
Benchmark
swe_bench/lite/dev
Model
Not reported
Started
Not started
Completed
Mar 30, 2026, 3:38 AM UTC
Sandbox
Not provisioned yet
Tokens
Not reported
F2P / P2P
Pending
Passed benchmark
Pending
Task failed
Benchmark context
Task input
pvlib.irradiance.reindl() model generates NaNs when GHI = 0 **Describe the bug** The reindl function should give zero sky diffuse when GHI is zero. Instead it generates NaN or Inf values due to "term3" having a quotient that divides by GHI. **Expected behavior** The reindl function should result in zero sky diffuse when GHI is zero. pvlib.irradiance.reindl() model generates NaNs when GHI = 0 **Describe the bug** The reindl function should give zero sky diffuse when GHI is zero. Instead it generates NaN or Inf values due to "term3" having a quotient that divides by GHI. **Expected behavior** The reindl function should result in zero sky diffuse when GHI is zero.
Fix tests
pvlib/tests/test_irradiance.py::test_reindl
Regression tests
pvlib/tests/test_irradiance.py::test_get_extra_radiation[asce-300-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[asce-300.0-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[asce-testval2-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[asce-testval3-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[asce-testval4-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[asce-testval5-expected5] pvlib/tests/test_irradiance.py::test_get_extra_radiation[asce-testval6-expected6] pvlib/tests/test_irradiance.py::test_get_extra_radiation[asce-testval7-expected7] pvlib/tests/test_irradiance.py::test_get_extra_radiation[asce-testval8-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[spencer-300-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[spencer-300.0-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[spencer-testval2-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[spencer-testval3-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[spencer-testval4-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[spencer-testval5-expected5] pvlib/tests/test_irradiance.py::test_get_extra_radiation[spencer-testval6-expected6] pvlib/tests/test_irradiance.py::test_get_extra_radiation[spencer-testval7-expected7] pvlib/tests/test_irradiance.py::test_get_extra_radiation[spencer-testval8-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[nrel-300-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[nrel-300.0-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[nrel-testval2-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[nrel-testval3-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[nrel-testval4-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[nrel-testval5-expected5] pvlib/tests/test_irradiance.py::test_get_extra_radiation[nrel-testval6-expected6] pvlib/tests/test_irradiance.py::test_get_extra_radiation[nrel-testval7-expected7] pvlib/tests/test_irradiance.py::test_get_extra_radiation[nrel-testval8-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[pyephem-300-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[pyephem-300.0-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[pyephem-testval2-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[pyephem-testval3-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[pyephem-testval4-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation[pyephem-testval5-expected5] pvlib/tests/test_irradiance.py::test_get_extra_radiation[pyephem-testval6-expected6] pvlib/tests/test_irradiance.py::test_get_extra_radiation[pyephem-testval7-expected7] pvlib/tests/test_irradiance.py::test_get_extra_radiation[pyephem-testval8-1383.636203] pvlib/tests/test_irradiance.py::test_get_extra_radiation_epoch_year pvlib/tests/test_irradiance.py::test_get_extra_radiation_nrel_numba pvlib/tests/test_irradiance.py::test_get_extra_radiation_invalid pvlib/tests/test_irradiance.py::test_grounddiffuse_simple_float pvlib/tests/test_irradiance.py::test_grounddiffuse_simple_series pvlib/tests/test_irradiance.py::test_grounddiffuse_albedo_0 pvlib/tests/test_irradiance.py::test_grounddiffuse_albedo_invalid_surface pvlib/tests/test_irradiance.py::test_grounddiffuse_albedo_surface pvlib/tests/test_irradiance.py::test_isotropic_float pvlib/tests/test_irradiance.py::test_isotropic_series pvlib/tests/test_irradiance.py::test_klucher_series_float pvlib/tests/test_irradiance.py::test_klucher_series pvlib/tests/test_irradiance.py::test_haydavies pvlib/tests/test_irradiance.py::test_king pvlib/tests/test_irradiance.py::test_perez pvlib/tests/test_irradiance.py::test_perez_components pvlib/tests/test_irradiance.py::test_perez_arrays pvlib/tests/test_irradiance.py::test_perez_scalar pvlib/tests/test_irradiance.py::test_sky_diffuse_zenith_close_to_90[isotropic] pvlib/tests/test_irradiance.py::test_sky_diffuse_zenith_close_to_90[klucher] pvlib/tests/test_irradiance.py::test_sky_diffuse_zenith_close_to_90[haydavies] pvlib/tests/test_irradiance.py::test_sky_diffuse_zenith_close_to_90[reindl] pvlib/tests/test_irradiance.py::test_sky_diffuse_zenith_close_to_90[king] pvlib/tests/test_irradiance.py::test_sky_diffuse_zenith_close_to_90[perez] pvlib/tests/test_irradiance.py::test_get_sky_diffuse_invalid pvlib/tests/test_irradiance.py::test_campbell_norman pvlib/tests/test_irradiance.py::test_get_total_irradiance pvlib/tests/test_irradiance.py::test_get_total_irradiance_scalars[isotropic] pvlib/tests/test_irradiance.py::test_get_total_irradiance_scalars[klucher] pvlib/tests/test_irradiance.py::test_get_total_irradiance_scalars[haydavies] pvlib/tests/test_irradiance.py::test_get_total_irradiance_scalars[reindl] pvlib/tests/test_irradiance.py::test_get_total_irradiance_scalars[king] pvlib/tests/test_irradiance.py::test_get_total_irradiance_scalars[perez] pvlib/tests/test_irradiance.py::test_poa_components pvlib/tests/test_irradiance.py::test_disc_value[93193-expected0] pvlib/tests/test_irradiance.py::test_disc_value[None-expected1] pvlib/tests/test_irradiance.py::test_disc_value[101325-expected2] pvlib/tests/test_irradiance.py::test_disc_overirradiance pvlib/tests/test_irradiance.py::test_disc_min_cos_zenith_max_zenith pvlib/tests/test_irradiance.py::test_dirint_value pvlib/tests/test_irradiance.py::test_dirint_nans pvlib/tests/test_irradiance.py::test_dirint_tdew pvlib/tests/test_irradiance.py::test_dirint_no_delta_kt pvlib/tests/test_irradiance.py::test_dirint_coeffs pvlib/tests/test_irradiance.py::test_dirint_min_cos_zenith_max_zenith pvlib/tests/test_irradiance.py::test_gti_dirint pvlib/tests/test_irradiance.py::test_erbs pvlib/tests/test_irradiance.py::test_erbs_min_cos_zenith_max_zenith pvlib/tests/test_irradiance.py::test_erbs_all_scalar pvlib/tests/test_irradiance.py::test_dirindex pvlib/tests/test_irradiance.py::test_dirindex_min_cos_zenith_max_zenith pvlib/tests/test_irradiance.py::test_dni pvlib/tests/test_irradiance.py::test_aoi_and_aoi_projection[0-0-0-0-0-1] pvlib/tests/test_irradiance.py::test_aoi_and_aoi_projection[30-180-30-180-0-1] pvlib/tests/test_irradiance.py::test_aoi_and_aoi_projection[30-180-150-0-180--1] pvlib/tests/test_irradiance.py::test_aoi_and_aoi_projection[90-0-30-60-75.5224878-0.25] pvlib/tests/test_irradiance.py::test_aoi_and_aoi_projection[90-0-30-170-119.4987042--0.4924038] pvlib/tests/test_irradiance.py::test_kt_kt_prime_factor pvlib/tests/test_irradiance.py::test_clearsky_index pvlib/tests/test_irradiance.py::test_clearness_index pvlib/tests/test_irradiance.py::test_clearness_index_zenith_independent
Execution
Scorer detail
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
Patch text
No patch captured yet.
Stdout
No stdout captured yet.
Stderr
No stderr captured yet.
Agent output
No agent output captured yet.
Scoring
Passing target tests
No fail-to-pass successes recorded yet.
Failing target tests
No fail-to-pass failures recorded yet.
Maintained regression tests
No pass-to-pass successes recorded yet.
Regressed tests
No regression failures recorded yet.
Harness output
No harness output captured yet.
Reference output
diff --git a/pvlib/irradiance.py b/pvlib/irradiance.py
--- a/pvlib/irradiance.py
+++ b/pvlib/irradiance.py
@@ -886,8 +886,9 @@ def reindl(surface_tilt, surface_azimuth, dhi, dni, ghi, dni_extra,
# these are the () and [] sub-terms of the second term of eqn 8
term1 = 1 - AI
term2 = 0.5 * (1 + tools.cosd(surface_tilt))
- term3 = 1 + np.sqrt(HB / ghi) * (tools.sind(0.5 * surface_tilt) ** 3)
-
+ with np.errstate(invalid='ignore', divide='ignore'):
+ hb_to_ghi = np.where(ghi == 0, 0, np.divide(HB, ghi))
+ term3 = 1 + np.sqrt(hb_to_ghi) * (tools.sind(0.5 * surface_tilt)**3)
sky_diffuse = dhi * (AI * Rb + term1 * term2 * term3)
sky_diffuse = np.maximum(sky_diffuse, 0)
pvlib__pvlib-python-1606
pvlib/pvlib-python
Score
0%
Outcome
Error
Task cost
$0.00
Duration
0 ms
Summary
Error
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
View task details
Run metadata
Benchmark
swe_bench/lite/dev
Model
Not reported
Started
Not started
Completed
Mar 30, 2026, 3:38 AM UTC
Sandbox
Not provisioned yet
Tokens
Not reported
F2P / P2P
Pending
Passed benchmark
Pending
Task failed
Benchmark context
Task input
golden-section search fails when upper and lower bounds are equal
**Describe the bug**
I was using pvlib for sometime now and until now I was always passing a big dataframe containing readings of a long period. Because of some changes in our software architecture, I need to pass the weather readings as a single reading (a dataframe with only one row) and I noticed that for readings that GHI-DHI are zero pvlib fails to calculate the output and returns below error while the same code executes correctly with weather information that has non-zero GHI-DHI:
```python
import os
import pathlib
import time
import json
from datetime import datetime
from time import mktime, gmtime
import pandas as pd
from pvlib import pvsystem
from pvlib import location as pvlocation
from pvlib import modelchain
from pvlib.temperature import TEMPERATURE_MODEL_PARAMETERS as PARAMS # not used -- to remove
from pvlib.bifacial.pvfactors import pvfactors_timeseries
from pvlib.temperature import TEMPERATURE_MODEL_PARAMETERS
class PV:
def pv_transform_time(self, val):
# tt = gmtime(val / 1000)
tt = gmtime(val)
dd = datetime.fromtimestamp(mktime(tt))
timestamp = pd.Timestamp(dd)
return timestamp
def __init__(self, model: str, inverter: str, latitude: float, longitude: float, **kwargs):
# super().__init__(**kwargs)
temperature_model_parameters = TEMPERATURE_MODEL_PARAMETERS["sapm"][
"open_rack_glass_glass"
]
# Load the database of CEC module model parameters
modules = pvsystem.retrieve_sam("cecmod")
# Load the database of CEC inverter model parameters
inverters = pvsystem.retrieve_sam("cecinverter")
# A bare bone PV simulator
# Load the database of CEC module model parameters
modules = pvsystem.retrieve_sam('cecmod')
inverters = pvsystem.retrieve_sam('cecinverter')
module_parameters = modules[model]
inverter_parameters = inverters[inverter]
location = pvlocation.Location(latitude=latitude, longitude=longitude)
system = pvsystem.PVSystem(module_parameters=module_parameters, inverter_parameters=inverter_parameters, temperature_model_parameters=temperature_model_parameters)
self.modelchain = modelchain.ModelChain(system, location, aoi_model='no_loss', spectral_model="no_loss")
def process(self, data):
weather = pd.read_json(data)
# print(f"raw_weather: {weather}")
weather.drop('time.1', axis=1, inplace=True)
weather['time'] = pd.to_datetime(weather['time']).map(datetime.timestamp) # --> this works for the new process_weather code and also the old weather file
weather["time"] = weather["time"].apply(self.pv_transform_time)
weather.index = weather["time"]
# print(f"weather: {weather}")
# print(weather.dtypes)
# print(weather['ghi'][0])
# print(type(weather['ghi'][0]))
# simulate
self.modelchain.run_model(weather)
# print(self.modelchain.results.ac.to_frame().to_json())
print(self.modelchain.results.ac)
# good data
good_data = "{\"time\":{\"12\":\"2010-01-01 13:30:00+00:00\"},\"ghi\":{\"12\":36},\"dhi\":{\"12\":36},\"dni\":{\"12\":0},\"Tamb\":{\"12\":8.0},\"WindVel\":{\"12\":5.0},\"WindDir\":{\"12\":270},\"time.1\":{\"12\":\"2010-01-01 13:30:00+00:00\"}}"
# data that causes error
data = "{\"time\":{\"4\":\"2010-01-01 05:30:00+00:00\"},\"ghi\":{\"4\":0},\"dhi\":{\"4\":0},\"dni\":{\"4\":0},\"Tamb\":{\"4\":8.0},\"WindVel\":{\"4\":4.0},\"WindDir\":{\"4\":240},\"time.1\":{\"4\":\"2010-01-01 05:30:00+00:00\"}}"
p1 = PV(model="Trina_Solar_TSM_300DEG5C_07_II_", inverter="ABB__MICRO_0_25_I_OUTD_US_208__208V_", latitude=51.204483, longitude=5.265472)
p1.process(good_data)
print("=====")
p1.process(data)
```
Error:
```log
$ python3 ./tmp-pv.py
time
2010-01-01 13:30:00 7.825527
dtype: float64
=====
/home/user/.local/lib/python3.10/site-packages/pvlib/tools.py:340: RuntimeWarning: divide by zero encountered in divide
np.trunc(np.log(atol / (df['VH'] - df['VL'])) / np.log(phim1)))
Traceback (most recent call last):
File "/home/user/workspace/enorch/simulator/simulator_processor/src/pv/./tmp-pv.py", line 88, in <module>
p1.process(data)
File "/home/user/workspace/enorch/simulator/simulator_processor/src/pv/./tmp-pv.py", line 75, in process
self.modelchain.run_model(weather)
File "/home/user/.local/lib/python3.10/site-packages/pvlib/modelchain.py", line 1770, in run_model
self._run_from_effective_irrad(weather)
File "/home/user/.local/lib/python3.10/site-packages/pvlib/modelchain.py", line 1858, in _run_from_effective_irrad
self.dc_model()
File "/home/user/.local/lib/python3.10/site-packages/pvlib/modelchain.py", line 790, in cec
return self._singlediode(self.system.calcparams_cec)
File "/home/user/.local/lib/python3.10/site-packages/pvlib/modelchain.py", line 772, in _singlediode
self.results.dc = tuple(itertools.starmap(
File "/home/user/.local/lib/python3.10/site-packages/pvlib/pvsystem.py", line 931, in singlediode
return singlediode(photocurrent, saturation_current,
File "/home/user/.local/lib/python3.10/site-packages/pvlib/pvsystem.py", line 2826, in singlediode
out = _singlediode._lambertw(
File "/home/user/.local/lib/python3.10/site-packages/pvlib/singlediode.py", line 651, in _lambertw
p_mp, v_mp = _golden_sect_DataFrame(params, 0., v_oc * 1.14,
File "/home/user/.local/lib/python3.10/site-packages/pvlib/tools.py", line 364, in _golden_sect_DataFrame
raise Exception("Iterations exceeded maximum. Check that func",
Exception: ('Iterations exceeded maximum. Check that func', ' is not NaN in (lower, upper)')
```
I have to mention that for now the workaround that I am using is to pass the weather data as a dataframe with two rows, the first row is a good weather data that pvlib can process and the second row is the incoming weather reading (I can also post that code if you want).
**Expected behavior**
PVlib should have consistent behavior and regardless of GHI-DHI readings.
**Versions:**
```python
>>> import pvlib
>>> import pandas
>>> pvlib.__version__
'0.9.1'
>>> pandas.__version__
'1.4.3'
```
- python: 3.10.6
- OS: Ubuntu 22.04.1 LTS
Fix tests
pvlib/tests/test_tools.py::test__golden_sect_DataFrame_vector
Regression tests
pvlib/tests/test_tools.py::test_build_kwargs[keys0-input_dict0-expected0] pvlib/tests/test_tools.py::test_build_kwargs[keys1-input_dict1-expected1] pvlib/tests/test_tools.py::test_build_kwargs[keys2-input_dict2-expected2] pvlib/tests/test_tools.py::test_build_kwargs[keys3-input_dict3-expected3] pvlib/tests/test_tools.py::test__golden_sect_DataFrame[params0-0.0-1.0-0.5-_obj_test_golden_sect] pvlib/tests/test_tools.py::test__golden_sect_DataFrame[params1-0.0-1.0-0.07230200263994839-_obj_test_golden_sect] pvlib/tests/test_tools.py::test__golden_sect_DataFrame[params2-0.0-100.0-89.14332727531685-_obj_test_golden_sect] pvlib/tests/test_tools.py::test__golden_sect_DataFrame_atol pvlib/tests/test_tools.py::test__golden_sect_DataFrame_nans pvlib/tests/test_tools.py::test_degrees_to_index_1
Execution
Scorer detail
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
Patch text
No patch captured yet.
Stdout
No stdout captured yet.
Stderr
No stderr captured yet.
Agent output
No agent output captured yet.
Scoring
Passing target tests
No fail-to-pass successes recorded yet.
Failing target tests
No fail-to-pass failures recorded yet.
Maintained regression tests
No pass-to-pass successes recorded yet.
Regressed tests
No regression failures recorded yet.
Harness output
No harness output captured yet.
Reference output
diff --git a/pvlib/tools.py b/pvlib/tools.py
--- a/pvlib/tools.py
+++ b/pvlib/tools.py
@@ -341,6 +341,8 @@ def _golden_sect_DataFrame(params, lower, upper, func, atol=1e-8):
--------
pvlib.singlediode._pwr_optfcn
"""
+ if np.any(upper - lower < 0.):
+ raise ValueError('upper >= lower is required')
phim1 = (np.sqrt(5) - 1) / 2
@@ -349,16 +351,8 @@ def _golden_sect_DataFrame(params, lower, upper, func, atol=1e-8):
df['VL'] = lower
converged = False
- iterations = 0
- # handle all NaN case gracefully
- with warnings.catch_warnings():
- warnings.filterwarnings(action='ignore',
- message='All-NaN slice encountered')
- iterlimit = 1 + np.nanmax(
- np.trunc(np.log(atol / (df['VH'] - df['VL'])) / np.log(phim1)))
-
- while not converged and (iterations <= iterlimit):
+ while not converged:
phi = phim1 * (df['VH'] - df['VL'])
df['V1'] = df['VL'] + phi
@@ -373,22 +367,16 @@ def _golden_sect_DataFrame(params, lower, upper, func, atol=1e-8):
err = abs(df['V2'] - df['V1'])
- # works with single value because err is np.float64
- converged = (err[~np.isnan(err)] < atol).all()
- # err will be less than atol before iterations hit the limit
- # but just to be safe
- iterations += 1
-
- if iterations > iterlimit:
- raise Exception("Iterations exceeded maximum. Check that func",
- " is not NaN in (lower, upper)") # pragma: no cover
+ # handle all NaN case gracefully
+ with warnings.catch_warnings():
+ warnings.filterwarnings(action='ignore',
+ message='All-NaN slice encountered')
+ converged = np.all(err[~np.isnan(err)] < atol)
- try:
- func_result = func(df, 'V1')
- x = np.where(np.isnan(func_result), np.nan, df['V1'])
- except KeyError:
- func_result = np.full_like(upper, np.nan)
- x = func_result.copy()
+ # best estimate of location of maximum
+ df['max'] = 0.5 * (df['V1'] + df['V2'])
+ func_result = func(df, 'max')
+ x = np.where(np.isnan(func_result), np.nan, df['max'])
return func_result, x
marshmallow-code__marshmallow-1343
marshmallow-code/marshmallow
Score
0%
Outcome
Error
Task cost
$0.00
Duration
0 ms
Summary
Error
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
View task details
Run metadata
Benchmark
swe_bench/lite/dev
Model
Not reported
Started
Not started
Completed
Mar 30, 2026, 3:38 AM UTC
Sandbox
Not provisioned yet
Tokens
Not reported
F2P / P2P
Pending
Passed benchmark
Pending
Task failed
Benchmark context
Task input
[version 2.20.0] TypeError: 'NoneType' object is not subscriptable
After update from version 2.19.5 to 2.20.0 I got error for code like:
```python
from marshmallow import Schema, fields, validates
class Bar(Schema):
value = fields.String()
@validates('value') # <- issue here
def validate_value(self, value):
pass
class Foo(Schema):
bar = fields.Nested(Bar)
sch = Foo()
sch.validate({
'bar': 'invalid',
})
```
```
Traceback (most recent call last):
File "/_/bug_mschema.py", line 19, in <module>
'bar': 'invalid',
File "/_/env/lib/python3.7/site-packages/marshmallow/schema.py", line 628, in validate
_, errors = self._do_load(data, many, partial=partial, postprocess=False)
File "/_/env/lib/python3.7/site-packages/marshmallow/schema.py", line 670, in _do_load
index_errors=self.opts.index_errors,
File "/_/env/lib/python3.7/site-packages/marshmallow/marshalling.py", line 292, in deserialize
index=(index if index_errors else None)
File "/_/env/lib/python3.7/site-packages/marshmallow/marshalling.py", line 65, in call_and_store
value = getter_func(data)
File "/_/env/lib/python3.7/site-packages/marshmallow/marshalling.py", line 285, in <lambda>
data
File "/_/env/lib/python3.7/site-packages/marshmallow/fields.py", line 265, in deserialize
output = self._deserialize(value, attr, data)
File "/_/env/lib/python3.7/site-packages/marshmallow/fields.py", line 465, in _deserialize
data, errors = self.schema.load(value)
File "/_/env/lib/python3.7/site-packages/marshmallow/schema.py", line 588, in load
result, errors = self._do_load(data, many, partial=partial, postprocess=True)
File "/_/env/lib/python3.7/site-packages/marshmallow/schema.py", line 674, in _do_load
self._invoke_field_validators(unmarshal, data=result, many=many)
File "/_/env/lib/python3.7/site-packages/marshmallow/schema.py", line 894, in _invoke_field_validators
value = data[field_obj.attribute or field_name]
TypeError: 'NoneType' object is not subscriptable
```
Fix tests
tests/test_marshalling.py::TestUnmarshaller::test_deserialize_wrong_nested_type_with_validates_method
Regression tests
tests/test_marshalling.py::test_missing_is_falsy tests/test_marshalling.py::TestMarshaller::test_prefix tests/test_marshalling.py::TestMarshaller::test_marshalling_generator tests/test_marshalling.py::TestMarshaller::test_default_to_missing tests/test_marshalling.py::TestMarshaller::test_serialize_fields_with_load_only_param tests/test_marshalling.py::TestMarshaller::test_missing_data_are_skipped tests/test_marshalling.py::TestMarshaller::test_serialize_with_load_only_doesnt_validate tests/test_marshalling.py::TestMarshaller::test_serialize_fields_with_dump_to_param tests/test_marshalling.py::TestMarshaller::test_serialize_fields_with_dump_to_and_prefix_params tests/test_marshalling.py::TestMarshaller::test_stores_indices_of_errors_when_many_equals_true tests/test_marshalling.py::TestMarshaller::test_doesnt_store_errors_when_index_errors_equals_false tests/test_marshalling.py::TestUnmarshaller::test_extra_data_is_ignored tests/test_marshalling.py::TestUnmarshaller::test_stores_errors tests/test_marshalling.py::TestUnmarshaller::test_stores_indices_of_errors_when_many_equals_true tests/test_marshalling.py::TestUnmarshaller::test_doesnt_store_errors_when_index_errors_equals_false tests/test_marshalling.py::TestUnmarshaller::test_deserialize tests/test_marshalling.py::TestUnmarshaller::test_extra_fields tests/test_marshalling.py::TestUnmarshaller::test_deserialize_many tests/test_marshalling.py::TestUnmarshaller::test_deserialize_stores_errors tests/test_marshalling.py::TestUnmarshaller::test_deserialize_fields_with_attribute_param tests/test_marshalling.py::TestUnmarshaller::test_deserialize_fields_with_load_from_param tests/test_marshalling.py::TestUnmarshaller::test_deserialize_fields_with_dump_only_param tests/test_marshalling.py::TestUnmarshaller::test_deserialize_wrong_type_root_data tests/test_marshalling.py::TestUnmarshaller::test_deserialize_wrong_type_nested_data
Execution
Scorer detail
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
Patch text
No patch captured yet.
Stdout
No stdout captured yet.
Stderr
No stderr captured yet.
Agent output
No agent output captured yet.
Scoring
Passing target tests
No fail-to-pass successes recorded yet.
Failing target tests
No fail-to-pass failures recorded yet.
Maintained regression tests
No pass-to-pass successes recorded yet.
Regressed tests
No regression failures recorded yet.
Harness output
No harness output captured yet.
Reference output
diff --git a/src/marshmallow/schema.py b/src/marshmallow/schema.py
--- a/src/marshmallow/schema.py
+++ b/src/marshmallow/schema.py
@@ -877,7 +877,7 @@ def _invoke_field_validators(self, unmarshal, data, many):
for idx, item in enumerate(data):
try:
value = item[field_obj.attribute or field_name]
- except KeyError:
+ except (KeyError, TypeError):
pass
else:
validated_value = unmarshal.call_and_store(
@@ -892,7 +892,7 @@ def _invoke_field_validators(self, unmarshal, data, many):
else:
try:
value = data[field_obj.attribute or field_name]
- except KeyError:
+ except (KeyError, TypeError):
pass
else:
validated_value = unmarshal.call_and_store(
pvlib__pvlib-python-1072
pvlib/pvlib-python
Score
0%
Outcome
Error
Task cost
$0.00
Duration
0 ms
Summary
Error
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
View task details
Run metadata
Benchmark
swe_bench/lite/dev
Model
Not reported
Started
Not started
Completed
Mar 30, 2026, 3:38 AM UTC
Sandbox
Not provisioned yet
Tokens
Not reported
F2P / P2P
Pending
Passed benchmark
Pending
Task failed
Benchmark context
Task input
temperature.fuentes errors when given tz-aware inputs on pandas>=1.0.0
**Describe the bug**
When the weather timeseries inputs to `temperature.fuentes` have tz-aware index, an internal call to `np.diff(index)` returns an array of `Timedelta` objects instead of an array of nanosecond ints, throwing an error immediately after. The error only happens when using pandas>=1.0.0; using 0.25.3 runs successfully, but emits the warning:
```
/home/kevin/anaconda3/envs/pvlib-dev/lib/python3.7/site-packages/numpy/lib/function_base.py:1243: FutureWarning: Converting timezone-aware DatetimeArray to timezone-naive ndarray with 'datetime64[ns]' dtype. In the future, this will return an ndarray with 'object' dtype where each element is a 'pandas.Timestamp' with the correct 'tz'.
To accept the future behavior, pass 'dtype=object'.
To keep the old behavior, pass 'dtype="datetime64[ns]"'.
a = asanyarray(a)
```
**To Reproduce**
```python
In [1]: import pvlib
...: import pandas as pd
...:
...: index_naive = pd.date_range('2019-01-01', freq='h', periods=3)
...:
...: kwargs = {
...: 'poa_global': pd.Series(1000, index_naive),
...: 'temp_air': pd.Series(20, index_naive),
...: 'wind_speed': pd.Series(1, index_naive),
...: 'noct_installed': 45
...: }
...:
In [2]: print(pvlib.temperature.fuentes(**kwargs))
2019-01-01 00:00:00 47.85
2019-01-01 01:00:00 50.85
2019-01-01 02:00:00 50.85
Freq: H, Name: tmod, dtype: float64
In [3]: kwargs['poa_global'].index = index_naive.tz_localize('UTC')
...: print(pvlib.temperature.fuentes(**kwargs))
...:
Traceback (most recent call last):
File "<ipython-input-3-ff99badadc91>", line 2, in <module>
print(pvlib.temperature.fuentes(**kwargs))
File "/home/kevin/anaconda3/lib/python3.7/site-packages/pvlib/temperature.py", line 602, in fuentes
timedelta_hours = np.diff(poa_global.index).astype(float) / 1e9 / 60 / 60
TypeError: float() argument must be a string or a number, not 'Timedelta'
```
**Expected behavior**
`temperature.fuentes` should work with both tz-naive and tz-aware inputs.
**Versions:**
- ``pvlib.__version__``: 0.8.0
- ``pandas.__version__``: 1.0.0+
- python: 3.7.4 (default, Aug 13 2019, 20:35:49) \n[GCC 7.3.0]
Fix tests
pvlib/tests/test_temperature.py::test_fuentes_timezone[Etc/GMT+5]
Regression tests
pvlib/tests/test_temperature.py::test_sapm_cell pvlib/tests/test_temperature.py::test_sapm_module pvlib/tests/test_temperature.py::test_sapm_cell_from_module pvlib/tests/test_temperature.py::test_sapm_ndarray pvlib/tests/test_temperature.py::test_sapm_series pvlib/tests/test_temperature.py::test_pvsyst_cell_default pvlib/tests/test_temperature.py::test_pvsyst_cell_kwargs pvlib/tests/test_temperature.py::test_pvsyst_cell_ndarray pvlib/tests/test_temperature.py::test_pvsyst_cell_series pvlib/tests/test_temperature.py::test_faiman_default pvlib/tests/test_temperature.py::test_faiman_kwargs pvlib/tests/test_temperature.py::test_faiman_list pvlib/tests/test_temperature.py::test_faiman_ndarray pvlib/tests/test_temperature.py::test_faiman_series pvlib/tests/test_temperature.py::test__temperature_model_params pvlib/tests/test_temperature.py::test_fuentes[pvwatts_8760_rackmount.csv-45] pvlib/tests/test_temperature.py::test_fuentes[pvwatts_8760_roofmount.csv-49] pvlib/tests/test_temperature.py::test_fuentes_timezone[None]
Execution
Scorer detail
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
Patch text
No patch captured yet.
Stdout
No stdout captured yet.
Stderr
No stderr captured yet.
Agent output
No agent output captured yet.
Scoring
Passing target tests
No fail-to-pass successes recorded yet.
Failing target tests
No fail-to-pass failures recorded yet.
Maintained regression tests
No pass-to-pass successes recorded yet.
Regressed tests
No regression failures recorded yet.
Harness output
No harness output captured yet.
Reference output
diff --git a/pvlib/temperature.py b/pvlib/temperature.py
--- a/pvlib/temperature.py
+++ b/pvlib/temperature.py
@@ -599,8 +599,9 @@ def fuentes(poa_global, temp_air, wind_speed, noct_installed, module_height=5,
# n.b. the way Fuentes calculates the first timedelta makes it seem like
# the value doesn't matter -- rather than recreate it here, just assume
# it's the same as the second timedelta:
- timedelta_hours = np.diff(poa_global.index).astype(float) / 1e9 / 60 / 60
- timedelta_hours = np.append([timedelta_hours[0]], timedelta_hours)
+ timedelta_seconds = poa_global.index.to_series().diff().dt.total_seconds()
+ timedelta_hours = timedelta_seconds / 3600
+ timedelta_hours.iloc[0] = timedelta_hours.iloc[1]
tamb_array = temp_air + 273.15
sun_array = poa_global * absorp
marshmallow-code__marshmallow-1359
marshmallow-code/marshmallow
Score
100%
Outcome
Passed benchmark
Task cost
$0.14
Duration
69 s
Summary
Passed benchmark
Resolved by official SWE-bench grading. Fail-to-pass: 100%. Pass-to-pass: 100%.
View task details
Run metadata
Benchmark
swe_bench/lite/dev
Model
claude-sonnet-4-20250514
Started
Mar 30, 2026, 3:38 AM UTC
Completed
Mar 30, 2026, 3:39 AM UTC
Sandbox
7c4e5fc2-6183-4561-9f59-881e45de7556
Tokens
In 7,832 / out 157
F2P / P2P
100% / 100%
Passed benchmark
Yes
Completed
s.py::TestErrorMessages::test_make_error[validator_failed-Invalid value.] PASSED tests/test_fields.py::TestErrorMessages::test_fail[required-Missing data for required field.] PASSED tests/test_fields.py::TestErrorMessages::test_fail[null-Field may not be null.] PASSED tests/test_fields.py::TestErrorMessages::test_fail[custom-Custom error message.] PASSED tests/test_fields.py::TestErrorMessages::test_fail[validator_failed-Invalid value.] PASSED tests/test_fields.py::TestErrorMessages::test_make_error_key_doesnt_exist PASSED tests/test_fields.py::TestNestedField::test_nested_only_and_exclude_as_string[only] PASSED tests/test_fields.py::TestNestedField::test_nested_only_and_exclude_as_string[exclude] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-exclude] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-include] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-raise] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-exclude] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-include] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-raise] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-exclude] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-include] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-raise] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-exclude] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-include] PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-raise] PASSED tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[only] PASSED tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[exclude] PASSED tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] PASSED tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] PASSED tests/test_fields.py::TestListNested::test_list_nested_only_and_exclude_merged_with_nested[only-expected0] PASSED tests/test_fields.py::TestListNested::test_list_nested_only_and_exclude_merged_with_nested[exclude-expected1] PASSED tests/test_fields.py::TestListNested::test_list_nested_partial_propagated_to_nested PASSED tests/test_fields.py::TestTupleNested::test_tuple_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] PASSED tests/test_fields.py::TestTupleNested::test_tuple_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] PASSED tests/test_fields.py::TestTupleNested::test_tuple_nested_partial_propagated_to_nested PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[only] PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[exclude] PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_and_exclude_merged_with_nested[only-expected0] PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_and_exclude_merged_with_nested[exclude-expected1] PASSED tests/test_fields.py::TestDictNested::test_dict_nested_partial_propagated_to_nested ======================== 77 passed, 1 warning in 0.09s ========================= + : '>>>>> End Test Output' + git checkout b40a0f4e33823e6d0f341f7e8684e359a99060d1 tests/test_fields.py Updated 1 path from 56ab4168Open in Daytona
Benchmark context
Task input
3.0: DateTime fields cannot be used as inner field for List or Tuple fields
Between releases 3.0.0rc8 and 3.0.0rc9, `DateTime` fields have started throwing an error when being instantiated as inner fields of container fields like `List` or `Tuple`. The snippet below works in <=3.0.0rc8 and throws the error below in >=3.0.0rc9 (and, worryingly, 3.0.0):
```python
from marshmallow import fields, Schema
class MySchema(Schema):
times = fields.List(fields.DateTime())
s = MySchema()
```
Traceback:
```
Traceback (most recent call last):
File "test-mm.py", line 8, in <module>
s = MySchema()
File "/Users/victor/.pyenv/versions/marshmallow/lib/python3.6/site-packages/marshmallow/schema.py", line 383, in __init__
self.fields = self._init_fields()
File "/Users/victor/.pyenv/versions/marshmallow/lib/python3.6/site-packages/marshmallow/schema.py", line 913, in _init_fields
self._bind_field(field_name, field_obj)
File "/Users/victor/.pyenv/versions/marshmallow/lib/python3.6/site-packages/marshmallow/schema.py", line 969, in _bind_field
field_obj._bind_to_schema(field_name, self)
File "/Users/victor/.pyenv/versions/marshmallow/lib/python3.6/site-packages/marshmallow/fields.py", line 636, in _bind_to_schema
self.inner._bind_to_schema(field_name, self)
File "/Users/victor/.pyenv/versions/marshmallow/lib/python3.6/site-packages/marshmallow/fields.py", line 1117, in _bind_to_schema
or getattr(schema.opts, self.SCHEMA_OPTS_VAR_NAME)
AttributeError: 'List' object has no attribute 'opts'
```
It seems like it's treating the parent field as a Schema without checking that it is indeed a schema, so the `schema.opts` statement fails as fields don't have an `opts` attribute.
Fix tests
tests/test_fields.py::TestParentAndName::test_datetime_list_inner_format
Regression tests
tests/test_fields.py::test_field_aliases[Integer-Integer] tests/test_fields.py::test_field_aliases[String-String] tests/test_fields.py::test_field_aliases[Boolean-Boolean] tests/test_fields.py::test_field_aliases[Url-Url] tests/test_fields.py::TestField::test_repr tests/test_fields.py::TestField::test_error_raised_if_uncallable_validator_passed tests/test_fields.py::TestField::test_error_raised_if_missing_is_set_on_required_field tests/test_fields.py::TestField::test_custom_field_receives_attr_and_obj tests/test_fields.py::TestField::test_custom_field_receives_data_key_if_set tests/test_fields.py::TestField::test_custom_field_follows_data_key_if_set tests/test_fields.py::TestParentAndName::test_simple_field_parent_and_name tests/test_fields.py::TestParentAndName::test_unbound_field_root_returns_none tests/test_fields.py::TestParentAndName::test_list_field_inner_parent_and_name tests/test_fields.py::TestParentAndName::test_tuple_field_inner_parent_and_name tests/test_fields.py::TestParentAndName::test_mapping_field_inner_parent_and_name tests/test_fields.py::TestParentAndName::test_simple_field_root tests/test_fields.py::TestParentAndName::test_list_field_inner_root tests/test_fields.py::TestParentAndName::test_tuple_field_inner_root tests/test_fields.py::TestParentAndName::test_list_root_inheritance tests/test_fields.py::TestParentAndName::test_dict_root_inheritance tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[String] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Integer] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Boolean] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Float] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Number] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[DateTime] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Time] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Date] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[TimeDelta] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Dict] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Url] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Email] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[UUID] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Decimal] tests/test_fields.py::TestErrorMessages::test_default_error_messages_get_merged_with_parent_error_messages_cstm_msg tests/test_fields.py::TestErrorMessages::test_default_error_messages_get_merged_with_parent_error_messages tests/test_fields.py::TestErrorMessages::test_make_error[required-Missing tests/test_fields.py::TestErrorMessages::test_make_error[null-Field tests/test_fields.py::TestErrorMessages::test_make_error[custom-Custom tests/test_fields.py::TestErrorMessages::test_make_error[validator_failed-Invalid tests/test_fields.py::TestErrorMessages::test_fail[required-Missing tests/test_fields.py::TestErrorMessages::test_fail[null-Field tests/test_fields.py::TestErrorMessages::test_fail[custom-Custom tests/test_fields.py::TestErrorMessages::test_fail[validator_failed-Invalid tests/test_fields.py::TestErrorMessages::test_make_error_key_doesnt_exist tests/test_fields.py::TestNestedField::test_nested_only_and_exclude_as_string[only] tests/test_fields.py::TestNestedField::test_nested_only_and_exclude_as_string[exclude] tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-exclude] tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-include] tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-raise] tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-exclude] tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-include] tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-raise] tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-exclude] tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-include] tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-raise] tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-exclude] tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-include] tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-raise] tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[only] tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[exclude] tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] tests/test_fields.py::TestListNested::test_list_nested_only_and_exclude_merged_with_nested[only-expected0] tests/test_fields.py::TestListNested::test_list_nested_only_and_exclude_merged_with_nested[exclude-expected1] tests/test_fields.py::TestListNested::test_list_nested_partial_propagated_to_nested tests/test_fields.py::TestTupleNested::test_tuple_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] tests/test_fields.py::TestTupleNested::test_tuple_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] tests/test_fields.py::TestTupleNested::test_tuple_nested_partial_propagated_to_nested tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[only] tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[exclude] tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] tests/test_fields.py::TestDictNested::test_dict_nested_only_and_exclude_merged_with_nested[only-expected0] tests/test_fields.py::TestDictNested::test_dict_nested_only_and_exclude_merged_with_nested[exclude-expected1] tests/test_fields.py::TestDictNested::test_dict_nested_partial_propagated_to_nested
Execution
Scorer detail
Resolved by official SWE-bench grading. Fail-to-pass: 100%. Pass-to-pass: 100%.
Patch text
--- a/src/marshmallow/fields.py
+++ b/src/marshmallow/fields.py
@@ -1117,2 +1117,2 @@
- or getattr(schema.opts, self.SCHEMA_OPTS_VAR_NAME)
+ or getattr(self.root.opts, self.SCHEMA_OPTS_VAR_NAME)
or self.DEFAULT_FORMATStdout
[anthropic-agent] instance=marshmallow-code__marshmallow-1359 [anthropic-agent] repo=marshmallow-code/marshmallow [anthropic-agent] sandbox=7c4e5fc2-6183-4561-9f59-881e45de7556 [anthropic-agent] model=claude-sonnet-4-20250514 [anthropic-agent] context_files=6 [anthropic-agent] full_file_context=yes [anthropic-agent] edit_attempts=1
Stderr
No stderr captured yet.
Agent output
--- a/src/marshmallow/fields.py
+++ b/src/marshmallow/fields.py
@@ -1117,2 +1117,2 @@
- or getattr(schema.opts, self.SCHEMA_OPTS_VAR_NAME)
+ or getattr(self.root.opts, self.SCHEMA_OPTS_VAR_NAME)
or self.DEFAULT_FORMATScoring
Passing target tests
tests/test_fields.py::TestParentAndName::test_datetime_list_inner_format
Failing target tests
No fail-to-pass failures recorded yet.
Maintained regression tests
tests/test_fields.py::test_field_aliases[Integer-Integer] tests/test_fields.py::test_field_aliases[String-String] tests/test_fields.py::test_field_aliases[Boolean-Boolean] tests/test_fields.py::test_field_aliases[Url-Url] tests/test_fields.py::TestField::test_repr tests/test_fields.py::TestField::test_error_raised_if_uncallable_validator_passed tests/test_fields.py::TestField::test_error_raised_if_missing_is_set_on_required_field tests/test_fields.py::TestField::test_custom_field_receives_attr_and_obj tests/test_fields.py::TestField::test_custom_field_receives_data_key_if_set tests/test_fields.py::TestField::test_custom_field_follows_data_key_if_set tests/test_fields.py::TestParentAndName::test_simple_field_parent_and_name tests/test_fields.py::TestParentAndName::test_unbound_field_root_returns_none tests/test_fields.py::TestParentAndName::test_list_field_inner_parent_and_name tests/test_fields.py::TestParentAndName::test_tuple_field_inner_parent_and_name tests/test_fields.py::TestParentAndName::test_mapping_field_inner_parent_and_name tests/test_fields.py::TestParentAndName::test_simple_field_root tests/test_fields.py::TestParentAndName::test_list_field_inner_root tests/test_fields.py::TestParentAndName::test_tuple_field_inner_root tests/test_fields.py::TestParentAndName::test_list_root_inheritance tests/test_fields.py::TestParentAndName::test_dict_root_inheritance tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[String] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Integer] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Boolean] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Float] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Number] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[DateTime] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Time] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Date] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[TimeDelta] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Dict] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Url] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Email] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[UUID] tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Decimal] tests/test_fields.py::TestErrorMessages::test_default_error_messages_get_merged_with_parent_error_messages_cstm_msg tests/test_fields.py::TestErrorMessages::test_default_error_messages_get_merged_with_parent_error_messages tests/test_fields.py::TestErrorMessages::test_make_error[required-Missing tests/test_fields.py::TestErrorMessages::test_make_error[null-Field tests/test_fields.py::TestErrorMessages::test_make_error[custom-Custom tests/test_fields.py::TestErrorMessages::test_make_error[validator_failed-Invalid tests/test_fields.py::TestErrorMessages::test_fail[required-Missing tests/test_fields.py::TestErrorMessages::test_fail[null-Field tests/test_fields.py::TestErrorMessages::test_fail[custom-Custom tests/test_fields.py::TestErrorMessages::test_fail[validator_failed-Invalid tests/test_fields.py::TestErrorMessages::test_make_error_key_doesnt_exist tests/test_fields.py::TestNestedField::test_nested_only_and_exclude_as_string[only] tests/test_fields.py::TestNestedField::test_nested_only_and_exclude_as_string[exclude] tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-exclude] tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-include] tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-raise] tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-exclude] tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-include] tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-raise] tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-exclude] tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-include] tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-raise] tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-exclude] tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-include] tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-raise] tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[only] tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[exclude] tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] tests/test_fields.py::TestListNested::test_list_nested_only_and_exclude_merged_with_nested[only-expected0] tests/test_fields.py::TestListNested::test_list_nested_only_and_exclude_merged_with_nested[exclude-expected1] tests/test_fields.py::TestListNested::test_list_nested_partial_propagated_to_nested tests/test_fields.py::TestTupleNested::test_tuple_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] tests/test_fields.py::TestTupleNested::test_tuple_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] tests/test_fields.py::TestTupleNested::test_tuple_nested_partial_propagated_to_nested tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[only] tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[exclude] tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] tests/test_fields.py::TestDictNested::test_dict_nested_only_and_exclude_merged_with_nested[only-expected0] tests/test_fields.py::TestDictNested::test_dict_nested_only_and_exclude_merged_with_nested[exclude-expected1] tests/test_fields.py::TestDictNested::test_dict_nested_partial_propagated_to_nested
Regressed tests
No regression failures recorded yet.
Harness output
+ source /opt/miniconda3/bin/activate
++ _CONDA_ROOT=/opt/miniconda3
++ . /opt/miniconda3/etc/profile.d/conda.sh
+++ export CONDA_EXE=/opt/miniconda3/bin/conda
+++ CONDA_EXE=/opt/miniconda3/bin/conda
+++ export _CE_M=
+++ _CE_M=
+++ export _CE_CONDA=
+++ _CE_CONDA=
+++ export CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
+++ CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
+++ '[' -z x ']'
++ conda activate
++ local cmd=activate
++ case "$cmd" in
++ __conda_activate activate
++ '[' -n '' ']'
++ local ask_conda
+++ PS1=
+++ __conda_exe shell.posix activate
+++ /opt/miniconda3/bin/conda shell.posix activate
++ ask_conda='PS1='\''(base) '\''
export PATH='\''/opt/miniconda3/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin'\''
export CONDA_PREFIX='\''/opt/miniconda3'\''
export CONDA_SHLVL='\''2'\''
export CONDA_DEFAULT_ENV='\''base'\''
export CONDA_PROMPT_MODIFIER='\''(base) '\''
export CONDA_PREFIX_1='\''/opt/miniconda3/envs/testbed'\''
export CONDA_EXE='\''/opt/miniconda3/bin/conda'\''
export _CE_M='\'''\''
export _CE_CONDA='\'''\''
export CONDA_PYTHON_EXE='\''/opt/miniconda3/bin/python'\'''
++ eval 'PS1='\''(base) '\''
export PATH='\''/opt/miniconda3/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin'\''
export CONDA_PREFIX='\''/opt/miniconda3'\''
export CONDA_SHLVL='\''2'\''
export CONDA_DEFAULT_ENV='\''base'\''
export CONDA_PROMPT_MODIFIER='\''(base) '\''
export CONDA_PREFIX_1='\''/opt/miniconda3/envs/testbed'\''
export CONDA_EXE='\''/opt/miniconda3/bin/conda'\''
export _CE_M='\'''\''
export _CE_CONDA='\'''\''
export CONDA_PYTHON_EXE='\''/opt/miniconda3/bin/python'\'''
+++ PS1='(base) '
+++ export PATH=/opt/miniconda3/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin
+++ PATH=/opt/miniconda3/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin
+++ export CONDA_PREFIX=/opt/miniconda3
+++ CONDA_PREFIX=/opt/miniconda3
+++ export CONDA_SHLVL=2
+++ CONDA_SHLVL=2
+++ export CONDA_DEFAULT_ENV=base
+++ CONDA_DEFAULT_ENV=base
+++ export 'CONDA_PROMPT_MODIFIER=(base) '
+++ CONDA_PROMPT_MODIFIER='(base) '
+++ export CONDA_PREFIX_1=/opt/miniconda3/envs/testbed
+++ CONDA_PREFIX_1=/opt/miniconda3/envs/testbed
+++ export CONDA_EXE=/opt/miniconda3/bin/conda
+++ CONDA_EXE=/opt/miniconda3/bin/conda
+++ export _CE_M=
+++ _CE_M=
+++ export _CE_CONDA=
+++ _CE_CONDA=
+++ export CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
+++ CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
++ __conda_hashr
++ '[' -n '' ']'
++ '[' -n '' ']'
++ hash -r
+ conda activate testbed
+ local cmd=activate
+ case "$cmd" in
+ __conda_activate activate testbed
+ '[' -n '' ']'
+ local ask_conda
++ PS1='(base) '
++ __conda_exe shell.posix activate testbed
++ /opt/miniconda3/bin/conda shell.posix activate testbed
+ ask_conda='PS1='\''(testbed) '\''
export PATH='\''/opt/miniconda3/envs/testbed/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin'\''
export CONDA_PREFIX='\''/opt/miniconda3/envs/testbed'\''
export CONDA_SHLVL='\''3'\''
export CONDA_DEFAULT_ENV='\''testbed'\''
export CONDA_PROMPT_MODIFIER='\''(testbed) '\''
export CONDA_PREFIX_2='\''/opt/miniconda3'\''
export CONDA_EXE='\''/opt/miniconda3/bin/conda'\''
export _CE_M='\'''\''
export _CE_CONDA='\'''\''
export CONDA_PYTHON_EXE='\''/opt/miniconda3/bin/python'\'''
+ eval 'PS1='\''(testbed) '\''
export PATH='\''/opt/miniconda3/envs/testbed/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin'\''
export CONDA_PREFIX='\''/opt/miniconda3/envs/testbed'\''
export CONDA_SHLVL='\''3'\''
export CONDA_DEFAULT_ENV='\''testbed'\''
export CONDA_PROMPT_MODIFIER='\''(testbed) '\''
export CONDA_PREFIX_2='\''/opt/miniconda3'\''
export CONDA_EXE='\''/opt/miniconda3/bin/conda'\''
export _CE_M='\'''\''
export _CE_CONDA='\'''\''
export CONDA_PYTHON_EXE='\''/opt/miniconda3/bin/python'\'''
++ PS1='(testbed) '
++ export PATH=/opt/miniconda3/envs/testbed/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin
++ PATH=/opt/miniconda3/envs/testbed/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin
++ export CONDA_PREFIX=/opt/miniconda3/envs/testbed
++ CONDA_PREFIX=/opt/miniconda3/envs/testbed
++ export CONDA_SHLVL=3
++ CONDA_SHLVL=3
++ export CONDA_DEFAULT_ENV=testbed
++ CONDA_DEFAULT_ENV=testbed
++ export 'CONDA_PROMPT_MODIFIER=(testbed) '
++ CONDA_PROMPT_MODIFIER='(testbed) '
++ export CONDA_PREFIX_2=/opt/miniconda3
++ CONDA_PREFIX_2=/opt/miniconda3
++ export CONDA_EXE=/opt/miniconda3/bin/conda
++ CONDA_EXE=/opt/miniconda3/bin/conda
++ export _CE_M=
++ _CE_M=
++ export _CE_CONDA=
++ _CE_CONDA=
++ export CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
++ CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
+ __conda_hashr
+ '[' -n '' ']'
+ '[' -n '' ']'
+ hash -r
+ cd /testbed
+ git config --global --add safe.directory /testbed
+ cd /testbed
+ git status
On branch dev
Changes not staged for commit:
(use "git add <file>..." to update what will be committed)
(use "git restore <file>..." to discard changes in working directory)
modified: src/marshmallow/fields.py
no changes added to commit (use "git add" and/or "git commit -a")
+ git show
commit 8ad28316545371a1d1d7c2ad0b32d5f8ab206853
Author: SWE-bench <setup@swebench.config>
Date: Tue May 6 23:07:21 2025 +0000
SWE-bench
+ git -c core.fileMode=false diff b40a0f4e33823e6d0f341f7e8684e359a99060d1
diff --git a/src/marshmallow/fields.py b/src/marshmallow/fields.py
index 0b18e7dd..55e36e26 100644
--- a/src/marshmallow/fields.py
+++ b/src/marshmallow/fields.py
@@ -1114,7 +1114,7 @@ class DateTime(Field):
super()._bind_to_schema(field_name, schema)
self.format = (
self.format
- or getattr(schema.opts, self.SCHEMA_OPTS_VAR_NAME)
+ or getattr(self.root.opts, self.SCHEMA_OPTS_VAR_NAME)
or self.DEFAULT_FORMAT
)
+ source /opt/miniconda3/bin/activate
++ _CONDA_ROOT=/opt/miniconda3
++ . /opt/miniconda3/etc/profile.d/conda.sh
+++ export CONDA_EXE=/opt/miniconda3/bin/conda
+++ CONDA_EXE=/opt/miniconda3/bin/conda
+++ export _CE_M=
+++ _CE_M=
+++ export _CE_CONDA=
+++ _CE_CONDA=
+++ export CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
+++ CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
+++ '[' -z x ']'
++ conda activate
++ local cmd=activate
++ case "$cmd" in
++ __conda_activate activate
++ '[' -n '' ']'
++ local ask_conda
+++ PS1='(testbed) '
+++ __conda_exe shell.posix activate
+++ /opt/miniconda3/bin/conda shell.posix activate
++ ask_conda='PS1='\''(base) '\''
export PATH='\''/opt/miniconda3/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin'\''
export CONDA_PREFIX='\''/opt/miniconda3'\''
export CONDA_SHLVL='\''4'\''
export CONDA_DEFAULT_ENV='\''base'\''
export CONDA_PROMPT_MODIFIER='\''(base) '\''
export CONDA_PREFIX_3='\''/opt/miniconda3/envs/testbed'\''
export CONDA_EXE='\''/opt/miniconda3/bin/conda'\''
export _CE_M='\'''\''
export _CE_CONDA='\'''\''
export CONDA_PYTHON_EXE='\''/opt/miniconda3/bin/python'\'''
++ eval 'PS1='\''(base) '\''
export PATH='\''/opt/miniconda3/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin'\''
export CONDA_PREFIX='\''/opt/miniconda3'\''
export CONDA_SHLVL='\''4'\''
export CONDA_DEFAULT_ENV='\''base'\''
export CONDA_PROMPT_MODIFIER='\''(base) '\''
export CONDA_PREFIX_3='\''/opt/miniconda3/envs/testbed'\''
export CONDA_EXE='\''/opt/miniconda3/bin/conda'\''
export _CE_M='\'''\''
export _CE_CONDA='\'''\''
export CONDA_PYTHON_EXE='\''/opt/miniconda3/bin/python'\'''
+++ PS1='(base) '
+++ export PATH=/opt/miniconda3/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin
+++ PATH=/opt/miniconda3/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin
+++ export CONDA_PREFIX=/opt/miniconda3
+++ CONDA_PREFIX=/opt/miniconda3
+++ export CONDA_SHLVL=4
+++ CONDA_SHLVL=4
+++ export CONDA_DEFAULT_ENV=base
+++ CONDA_DEFAULT_ENV=base
+++ export 'CONDA_PROMPT_MODIFIER=(base) '
+++ CONDA_PROMPT_MODIFIER='(base) '
+++ export CONDA_PREFIX_3=/opt/miniconda3/envs/testbed
+++ CONDA_PREFIX_3=/opt/miniconda3/envs/testbed
+++ export CONDA_EXE=/opt/miniconda3/bin/conda
+++ CONDA_EXE=/opt/miniconda3/bin/conda
+++ export _CE_M=
+++ _CE_M=
+++ export _CE_CONDA=
+++ _CE_CONDA=
+++ export CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
+++ CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
++ __conda_hashr
++ '[' -n '' ']'
++ '[' -n '' ']'
++ hash -r
+ conda activate testbed
+ local cmd=activate
+ case "$cmd" in
+ __conda_activate activate testbed
+ '[' -n '' ']'
+ local ask_conda
++ PS1='(base) '
++ __conda_exe shell.posix activate testbed
++ /opt/miniconda3/bin/conda shell.posix activate testbed
+ ask_conda='PS1='\''(testbed) '\''
export PATH='\''/opt/miniconda3/envs/testbed/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin'\''
export CONDA_PREFIX='\''/opt/miniconda3/envs/testbed'\''
export CONDA_SHLVL='\''5'\''
export CONDA_DEFAULT_ENV='\''testbed'\''
export CONDA_PROMPT_MODIFIER='\''(testbed) '\''
export CONDA_PREFIX_4='\''/opt/miniconda3'\''
export CONDA_EXE='\''/opt/miniconda3/bin/conda'\''
export _CE_M='\'''\''
export _CE_CONDA='\'''\''
export CONDA_PYTHON_EXE='\''/opt/miniconda3/bin/python'\'''
+ eval 'PS1='\''(testbed) '\''
export PATH='\''/opt/miniconda3/envs/testbed/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin'\''
export CONDA_PREFIX='\''/opt/miniconda3/envs/testbed'\''
export CONDA_SHLVL='\''5'\''
export CONDA_DEFAULT_ENV='\''testbed'\''
export CONDA_PROMPT_MODIFIER='\''(testbed) '\''
export CONDA_PREFIX_4='\''/opt/miniconda3'\''
export CONDA_EXE='\''/opt/miniconda3/bin/conda'\''
export _CE_M='\'''\''
export _CE_CONDA='\'''\''
export CONDA_PYTHON_EXE='\''/opt/miniconda3/bin/python'\'''
++ PS1='(testbed) '
++ export PATH=/opt/miniconda3/envs/testbed/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin
++ PATH=/opt/miniconda3/envs/testbed/bin:/opt/miniconda3/condabin:/opt/miniconda3/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin
++ export CONDA_PREFIX=/opt/miniconda3/envs/testbed
++ CONDA_PREFIX=/opt/miniconda3/envs/testbed
++ export CONDA_SHLVL=5
++ CONDA_SHLVL=5
++ export CONDA_DEFAULT_ENV=testbed
++ CONDA_DEFAULT_ENV=testbed
++ export 'CONDA_PROMPT_MODIFIER=(testbed) '
++ CONDA_PROMPT_MODIFIER='(testbed) '
++ export CONDA_PREFIX_4=/opt/miniconda3
++ CONDA_PREFIX_4=/opt/miniconda3
++ export CONDA_EXE=/opt/miniconda3/bin/conda
++ CONDA_EXE=/opt/miniconda3/bin/conda
++ export _CE_M=
++ _CE_M=
++ export _CE_CONDA=
++ _CE_CONDA=
++ export CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
++ CONDA_PYTHON_EXE=/opt/miniconda3/bin/python
+ __conda_hashr
+ '[' -n '' ']'
+ '[' -n '' ']'
+ hash -r
+ python -m pip install -e '.[dev]'
Obtaining file:///testbed
Installing build dependencies: started
Installing build dependencies: finished with status 'done'
Checking if build backend supports build_editable: started
Checking if build backend supports build_editable: finished with status 'done'
Getting requirements to build editable: started
Getting requirements to build editable: finished with status 'done'
Preparing editable metadata (pyproject.toml): started
Preparing editable metadata (pyproject.toml): finished with status 'done'
Requirement already satisfied: pytest in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from marshmallow==3.0.0) (8.3.5)
Requirement already satisfied: pytz in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from marshmallow==3.0.0) (2025.2)
Requirement already satisfied: simplejson in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from marshmallow==3.0.0) (3.20.1)
Requirement already satisfied: flake8==3.7.8 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from marshmallow==3.0.0) (3.7.8)
Requirement already satisfied: flake8-bugbear==19.8.0 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from marshmallow==3.0.0) (19.8.0)
Requirement already satisfied: pre-commit~=1.17 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from marshmallow==3.0.0) (1.21.0)
Requirement already satisfied: tox in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from marshmallow==3.0.0) (4.25.0)
Requirement already satisfied: entrypoints<0.4.0,>=0.3.0 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from flake8==3.7.8->marshmallow==3.0.0) (0.3)
Requirement already satisfied: pyflakes<2.2.0,>=2.1.0 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from flake8==3.7.8->marshmallow==3.0.0) (2.1.1)
Requirement already satisfied: pycodestyle<2.6.0,>=2.5.0 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from flake8==3.7.8->marshmallow==3.0.0) (2.5.0)
Requirement already satisfied: mccabe<0.7.0,>=0.6.0 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from flake8==3.7.8->marshmallow==3.0.0) (0.6.1)
Requirement already satisfied: attrs in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from flake8-bugbear==19.8.0->marshmallow==3.0.0) (25.3.0)
Requirement already satisfied: aspy.yaml in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pre-commit~=1.17->marshmallow==3.0.0) (1.3.0)
Requirement already satisfied: cfgv>=2.0.0 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pre-commit~=1.17->marshmallow==3.0.0) (3.4.0)
Requirement already satisfied: identify>=1.0.0 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pre-commit~=1.17->marshmallow==3.0.0) (2.6.10)
Requirement already satisfied: nodeenv>=0.11.1 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pre-commit~=1.17->marshmallow==3.0.0) (1.9.1)
Requirement already satisfied: pyyaml in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pre-commit~=1.17->marshmallow==3.0.0) (6.0.2)
Requirement already satisfied: six in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pre-commit~=1.17->marshmallow==3.0.0) (1.17.0)
Requirement already satisfied: toml in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pre-commit~=1.17->marshmallow==3.0.0) (0.10.2)
Requirement already satisfied: virtualenv>=15.2 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pre-commit~=1.17->marshmallow==3.0.0) (20.31.1)
Requirement already satisfied: distlib<1,>=0.3.7 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from virtualenv>=15.2->pre-commit~=1.17->marshmallow==3.0.0) (0.3.9)
Requirement already satisfied: filelock<4,>=3.12.2 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from virtualenv>=15.2->pre-commit~=1.17->marshmallow==3.0.0) (3.18.0)
Requirement already satisfied: platformdirs<5,>=3.9.1 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from virtualenv>=15.2->pre-commit~=1.17->marshmallow==3.0.0) (4.3.7)
Requirement already satisfied: exceptiongroup>=1.0.0rc8 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pytest->marshmallow==3.0.0) (1.2.2)
Requirement already satisfied: iniconfig in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pytest->marshmallow==3.0.0) (2.1.0)
Requirement already satisfied: packaging in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pytest->marshmallow==3.0.0) (25.0)
Requirement already satisfied: pluggy<2,>=1.5 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pytest->marshmallow==3.0.0) (1.5.0)
Requirement already satisfied: tomli>=1 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from pytest->marshmallow==3.0.0) (2.2.1)
Requirement already satisfied: cachetools>=5.5.1 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from tox->marshmallow==3.0.0) (5.5.2)
Requirement already satisfied: chardet>=5.2 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from tox->marshmallow==3.0.0) (5.2.0)
Requirement already satisfied: colorama>=0.4.6 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from tox->marshmallow==3.0.0) (0.4.6)
Requirement already satisfied: pyproject-api>=1.8 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from tox->marshmallow==3.0.0) (1.9.0)
Requirement already satisfied: typing-extensions>=4.12.2 in /opt/miniconda3/envs/testbed/lib/python3.9/site-packages (from tox->marshmallow==3.0.0) (4.13.2)
Building wheels for collected packages: marshmallow
Building editable for marshmallow (pyproject.toml): started
Building editable for marshmallow (pyproject.toml): finished with status 'done'
Created wheel for marshmallow: filename=marshmallow-3.0.0-0.editable-py2.py3-none-any.whl size=4552 sha256=3f6e69ea89793786b97fdef94f66ab9fc10ec89add45b1c7919130d8d4b505ad
Stored in directory: /tmp/pip-ephem-wheel-cache-bglqb6r1/wheels/7d/66/67/70d1ee2124ccf21d601c352e25cdca10f611f7c8b3f9ffb9e4
Successfully built marshmallow
Installing collected packages: marshmallow
Attempting uninstall: marshmallow
Found existing installation: marshmallow 3.0.0
Uninstalling marshmallow-3.0.0:
Successfully uninstalled marshmallow-3.0.0
Successfully installed marshmallow-3.0.0
WARNING: Running pip as the 'root' user can result in broken permissions and conflicting behaviour with the system package manager, possibly rendering your system unusable. It is recommended to use a virtual environment instead: https://pip.pypa.io/warnings/venv. Use the --root-user-action option if you know what you are doing and want to suppress this warning.
+ git checkout b40a0f4e33823e6d0f341f7e8684e359a99060d1 tests/test_fields.py
Updated 0 paths from 56ab4168
+ git apply -v -
Checking patch tests/test_fields.py...
Applied patch tests/test_fields.py cleanly.
+ : '>>>>> Start Test Output'
+ pytest -rA tests/test_fields.py
============================= test session starts ==============================
platform linux -- Python 3.9.21, pytest-8.3.5, pluggy-1.5.0 -- /opt/miniconda3/envs/testbed/bin/python
cachedir: .pytest_cache
rootdir: /testbed
configfile: setup.cfg
collecting ... collected 77 items
tests/test_fields.py::test_field_aliases[Integer-Integer] PASSED [ 1%]
tests/test_fields.py::test_field_aliases[String-String] PASSED [ 2%]
tests/test_fields.py::test_field_aliases[Boolean-Boolean] PASSED [ 3%]
tests/test_fields.py::test_field_aliases[Url-Url] PASSED [ 5%]
tests/test_fields.py::TestField::test_repr PASSED [ 6%]
tests/test_fields.py::TestField::test_error_raised_if_uncallable_validator_passed PASSED [ 7%]
tests/test_fields.py::TestField::test_error_raised_if_missing_is_set_on_required_field PASSED [ 9%]
tests/test_fields.py::TestField::test_custom_field_receives_attr_and_obj PASSED [ 10%]
tests/test_fields.py::TestField::test_custom_field_receives_data_key_if_set PASSED [ 11%]
tests/test_fields.py::TestField::test_custom_field_follows_data_key_if_set PASSED [ 12%]
tests/test_fields.py::TestParentAndName::test_simple_field_parent_and_name PASSED [ 14%]
tests/test_fields.py::TestParentAndName::test_unbound_field_root_returns_none PASSED [ 15%]
tests/test_fields.py::TestParentAndName::test_list_field_inner_parent_and_name PASSED [ 16%]
tests/test_fields.py::TestParentAndName::test_tuple_field_inner_parent_and_name PASSED [ 18%]
tests/test_fields.py::TestParentAndName::test_mapping_field_inner_parent_and_name PASSED [ 19%]
tests/test_fields.py::TestParentAndName::test_simple_field_root PASSED [ 20%]
tests/test_fields.py::TestParentAndName::test_list_field_inner_root PASSED [ 22%]
tests/test_fields.py::TestParentAndName::test_tuple_field_inner_root PASSED [ 23%]
tests/test_fields.py::TestParentAndName::test_list_root_inheritance PASSED [ 24%]
tests/test_fields.py::TestParentAndName::test_dict_root_inheritance PASSED [ 25%]
tests/test_fields.py::TestParentAndName::test_datetime_list_inner_format PASSED [ 27%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[String] PASSED [ 28%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Integer] PASSED [ 29%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Boolean] PASSED [ 31%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Float] PASSED [ 32%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Number] PASSED [ 33%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[DateTime] PASSED [ 35%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Time] PASSED [ 36%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Date] PASSED [ 37%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[TimeDelta] PASSED [ 38%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Dict] PASSED [ 40%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Url] PASSED [ 41%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Email] PASSED [ 42%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[UUID] PASSED [ 44%]
tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Decimal] PASSED [ 45%]
tests/test_fields.py::TestErrorMessages::test_default_error_messages_get_merged_with_parent_error_messages_cstm_msg PASSED [ 46%]
tests/test_fields.py::TestErrorMessages::test_default_error_messages_get_merged_with_parent_error_messages PASSED [ 48%]
tests/test_fields.py::TestErrorMessages::test_make_error[required-Missing data for required field.] PASSED [ 49%]
tests/test_fields.py::TestErrorMessages::test_make_error[null-Field may not be null.] PASSED [ 50%]
tests/test_fields.py::TestErrorMessages::test_make_error[custom-Custom error message.] PASSED [ 51%]
tests/test_fields.py::TestErrorMessages::test_make_error[validator_failed-Invalid value.] PASSED [ 53%]
tests/test_fields.py::TestErrorMessages::test_fail[required-Missing data for required field.] PASSED [ 54%]
tests/test_fields.py::TestErrorMessages::test_fail[null-Field may not be null.] PASSED [ 55%]
tests/test_fields.py::TestErrorMessages::test_fail[custom-Custom error message.] PASSED [ 57%]
tests/test_fields.py::TestErrorMessages::test_fail[validator_failed-Invalid value.] PASSED [ 58%]
tests/test_fields.py::TestErrorMessages::test_make_error_key_doesnt_exist PASSED [ 59%]
tests/test_fields.py::TestNestedField::test_nested_only_and_exclude_as_string[only] PASSED [ 61%]
tests/test_fields.py::TestNestedField::test_nested_only_and_exclude_as_string[exclude] PASSED [ 62%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-exclude] PASSED [ 63%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-include] PASSED [ 64%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-raise] PASSED [ 66%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-exclude] PASSED [ 67%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-include] PASSED [ 68%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-raise] PASSED [ 70%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-exclude] PASSED [ 71%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-include] PASSED [ 72%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-raise] PASSED [ 74%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-exclude] PASSED [ 75%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-include] PASSED [ 76%]
tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-raise] PASSED [ 77%]
tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[only] PASSED [ 79%]
tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[exclude] PASSED [ 80%]
tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] PASSED [ 81%]
tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] PASSED [ 83%]
tests/test_fields.py::TestListNested::test_list_nested_only_and_exclude_merged_with_nested[only-expected0] PASSED [ 84%]
tests/test_fields.py::TestListNested::test_list_nested_only_and_exclude_merged_with_nested[exclude-expected1] PASSED [ 85%]
tests/test_fields.py::TestListNested::test_list_nested_partial_propagated_to_nested PASSED [ 87%]
tests/test_fields.py::TestTupleNested::test_tuple_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] PASSED [ 88%]
tests/test_fields.py::TestTupleNested::test_tuple_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] PASSED [ 89%]
tests/test_fields.py::TestTupleNested::test_tuple_nested_partial_propagated_to_nested PASSED [ 90%]
tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[only] PASSED [ 92%]
tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[exclude] PASSED [ 93%]
tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only] PASSED [ 94%]
tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only] PASSED [ 96%]
tests/test_fields.py::TestDictNested::test_dict_nested_only_and_exclude_merged_with_nested[only-expected0] PASSED [ 97%]
tests/test_fields.py::TestDictNested::test_dict_nested_only_and_exclude_merged_with_nested[exclude-expected1] PASSED [ 98%]
tests/test_fields.py::TestDictNested::test_dict_nested_partial_propagated_to_nested PASSED [100%]
=============================== warnings summary ===============================
src/marshmallow/__init__.py:17
/testbed/src/marshmallow/__init__.py:17: DeprecationWarning: distutils Version classes are deprecated. Use packaging.version instead.
__version_info__ = tuple(LooseVersion(__version__).version)
-- Docs: https://docs.pytest.org/en/stable/how-to/capture-warnings.html
==================================== PASSES ====================================
=========================== short test summary info ============================
PASSED tests/test_fields.py::test_field_aliases[Integer-Integer]
PASSED tests/test_fields.py::test_field_aliases[String-String]
PASSED tests/test_fields.py::test_field_aliases[Boolean-Boolean]
PASSED tests/test_fields.py::test_field_aliases[Url-Url]
PASSED tests/test_fields.py::TestField::test_repr
PASSED tests/test_fields.py::TestField::test_error_raised_if_uncallable_validator_passed
PASSED tests/test_fields.py::TestField::test_error_raised_if_missing_is_set_on_required_field
PASSED tests/test_fields.py::TestField::test_custom_field_receives_attr_and_obj
PASSED tests/test_fields.py::TestField::test_custom_field_receives_data_key_if_set
PASSED tests/test_fields.py::TestField::test_custom_field_follows_data_key_if_set
PASSED tests/test_fields.py::TestParentAndName::test_simple_field_parent_and_name
PASSED tests/test_fields.py::TestParentAndName::test_unbound_field_root_returns_none
PASSED tests/test_fields.py::TestParentAndName::test_list_field_inner_parent_and_name
PASSED tests/test_fields.py::TestParentAndName::test_tuple_field_inner_parent_and_name
PASSED tests/test_fields.py::TestParentAndName::test_mapping_field_inner_parent_and_name
PASSED tests/test_fields.py::TestParentAndName::test_simple_field_root
PASSED tests/test_fields.py::TestParentAndName::test_list_field_inner_root
PASSED tests/test_fields.py::TestParentAndName::test_tuple_field_inner_root
PASSED tests/test_fields.py::TestParentAndName::test_list_root_inheritance
PASSED tests/test_fields.py::TestParentAndName::test_dict_root_inheritance
PASSED tests/test_fields.py::TestParentAndName::test_datetime_list_inner_format
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[String]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Integer]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Boolean]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Float]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Number]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[DateTime]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Time]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Date]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[TimeDelta]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Dict]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Url]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Email]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[UUID]
PASSED tests/test_fields.py::TestMetadata::test_extra_metadata_may_be_added_to_field[Decimal]
PASSED tests/test_fields.py::TestErrorMessages::test_default_error_messages_get_merged_with_parent_error_messages_cstm_msg
PASSED tests/test_fields.py::TestErrorMessages::test_default_error_messages_get_merged_with_parent_error_messages
PASSED tests/test_fields.py::TestErrorMessages::test_make_error[required-Missing data for required field.]
PASSED tests/test_fields.py::TestErrorMessages::test_make_error[null-Field may not be null.]
PASSED tests/test_fields.py::TestErrorMessages::test_make_error[custom-Custom error message.]
PASSED tests/test_fields.py::TestErrorMessages::test_make_error[validator_failed-Invalid value.]
PASSED tests/test_fields.py::TestErrorMessages::test_fail[required-Missing data for required field.]
PASSED tests/test_fields.py::TestErrorMessages::test_fail[null-Field may not be null.]
PASSED tests/test_fields.py::TestErrorMessages::test_fail[custom-Custom error message.]
PASSED tests/test_fields.py::TestErrorMessages::test_fail[validator_failed-Invalid value.]
PASSED tests/test_fields.py::TestErrorMessages::test_make_error_key_doesnt_exist
PASSED tests/test_fields.py::TestNestedField::test_nested_only_and_exclude_as_string[only]
PASSED tests/test_fields.py::TestNestedField::test_nested_only_and_exclude_as_string[exclude]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-exclude]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-include]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[None-raise]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-exclude]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-include]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[exclude-raise]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-exclude]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-include]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[include-raise]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-exclude]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-include]
PASSED tests/test_fields.py::TestNestedField::test_nested_unknown_override[raise-raise]
PASSED tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[only]
PASSED tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[exclude]
PASSED tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only]
PASSED tests/test_fields.py::TestListNested::test_list_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only]
PASSED tests/test_fields.py::TestListNested::test_list_nested_only_and_exclude_merged_with_nested[only-expected0]
PASSED tests/test_fields.py::TestListNested::test_list_nested_only_and_exclude_merged_with_nested[exclude-expected1]
PASSED tests/test_fields.py::TestListNested::test_list_nested_partial_propagated_to_nested
PASSED tests/test_fields.py::TestTupleNested::test_tuple_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only]
PASSED tests/test_fields.py::TestTupleNested::test_tuple_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only]
PASSED tests/test_fields.py::TestTupleNested::test_tuple_nested_partial_propagated_to_nested
PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[only]
PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[exclude]
PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[dump_only]
PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_exclude_dump_only_load_only_propagated_to_nested[load_only]
PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_and_exclude_merged_with_nested[only-expected0]
PASSED tests/test_fields.py::TestDictNested::test_dict_nested_only_and_exclude_merged_with_nested[exclude-expected1]
PASSED tests/test_fields.py::TestDictNested::test_dict_nested_partial_propagated_to_nested
======================== 77 passed, 1 warning in 0.09s =========================
+ : '>>>>> End Test Output'
+ git checkout b40a0f4e33823e6d0f341f7e8684e359a99060d1 tests/test_fields.py
Updated 1 path from 56ab4168
Reference output
diff --git a/src/marshmallow/fields.py b/src/marshmallow/fields.py
--- a/src/marshmallow/fields.py
+++ b/src/marshmallow/fields.py
@@ -1114,7 +1114,7 @@ def _bind_to_schema(self, field_name, schema):
super()._bind_to_schema(field_name, schema)
self.format = (
self.format
- or getattr(schema.opts, self.SCHEMA_OPTS_VAR_NAME)
+ or getattr(self.root.opts, self.SCHEMA_OPTS_VAR_NAME)
or self.DEFAULT_FORMAT
)
Rerun config
Reuse this benchmark setup
Copy the config or relaunch the same run shape.
Benchmark
swe_bench / lite / dev
Concurrency
3
Agent image
No agent image recorded
Build source
No build source recorded
Show exact run metadata
6 pinned instances, 1 sandboxes, 1 reported models.
Pinned instance ids
marshmallow-code__marshmallow-1359pvlib__pvlib-python-1707pvlib__pvlib-python-1072pvlib__pvlib-python-1154marshmallow-code__marshmallow-1343pvlib__pvlib-python-1606Sandbox ids
7c4e5fc2-6183-4561-9f59-881e45de7556Run started
Mar 30, 2026, 3:38 AM UTC
Run completed
Mar 30, 2026, 3:39 AM UTC
Reported models
claude-sonnet-4-20250514Operational details
Build, live sandboxes, and recent events
Collapsed by default for finished runs.
4 events
Operational details
Build, live sandboxes, and recent events
Collapsed by default for finished runs.
Sandbox activity
Active sandboxes
Recent events
Latest run activity
marshmallow-code__marshmallow-1359
Resolved by official SWE-bench grading. Fail-to-pass: 100%. Pass-to-pass: 100%.
3:39 AM
pvlib__pvlib-python-1707
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
3:38 AM
pvlib__pvlib-python-1154
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
3:38 AM
pvlib__pvlib-python-1606
DaytonaError: Failed to create sandbox: Total CPU limit exceeded. Maximum allowed: 10. To increase concurrency limits, upgrade your organization's Tier by visiting https://app.daytona.io/dashboard/limits.
3:38 AM