XplorCplexCP¶
XplorCplexCP ¶
Bases: XplorModel[CpoModel, CpoVariable, CpoExpr]
Xplor wrapper for CPLEX CP (Constraint Programming) solver.
This class provides a Polars-based interface for constraint programming problems like scheduling (RCPSP, job shop) using CPLEX CP Optimizer via docplex.cp.
Unlike the mathematical programming backends (XplorCplex, XplorGurobi), this uses interval variables and CP-specific constraints.
Attributes:
| Name | Type | Description |
|---|---|---|
model |
CpoModel
|
The underlying CPLEX CP model |
Examples:
>>> import polars as pl
>>> from xplor.cplex_cp import XplorCplexCP
>>> xmodel = XplorCplexCP()
>>> # Create tasks DataFrame
>>> df = pl.DataFrame({
... "task": ["T1", "T2", "T3"],
... "duration": [3, 5, 4]
... })
>>> # Add interval variables
>>> df = df.with_columns(xmodel.add_interval_vars("iv", duration="duration"))
>>> # Add precedence constraint: T1 must finish before T2 starts
>>> xmodel.add_constr(
... xmodel.var.iv.filter(pl.col("task") == "T1")
... .end_before_start(xmodel.var.iv.filter(pl.col("task") == "T2"))
... )
Initialize the XplorCplexCP wrapper.
Parameters:
| Name | Type | Description | Default |
|---|---|---|---|
model
|
CpoModel | None
|
Optional pre-existing CPLEX CP model. If None, creates a new model. |
None
|
Source code in src/xplor/cplex_cp/model.py
Attributes¶
var
cached
property
¶
Entry point for creating interval variable expressions.
Similar to polars.col(), allows referencing interval variables created via add_interval_vars() in constraint expressions.
Returns:
| Type | Description |
|---|---|
_ProxyCplexCPVarExpr
|
Proxy object for creating interval variable expressions |
Examples:
Functions¶
add_vars ¶
add_vars(
name: str,
*,
lb: float | str | Expr = 0.0,
ub: float | str | Expr | None = None,
obj: float | str | Expr | None = None,
indices: Expr | list[str] | None = None,
vtype: VariableType = "CONTINUOUS",
priority: int | Expr = 0,
) -> Expr
Define and return a Var expression for optimization variables.
This method generates a Polars expression that, when consumed (e.g., via
.with_columns()), creates optimization variables for every row and adds
them to the underlying solver model.
Parameters:
| Name | Type | Description | Default |
|---|---|---|---|
name
|
str
|
The base name for the variables (e.g., "production" or "flow"). This name is used to retrieve variable values after optimization. |
required |
lb
|
float | str | Expr
|
Lower bound for created variables. Can be a scalar, a column name (str), or a Polars expression. |
0.0
|
ub
|
float | str | Expr | None
|
Upper bound for created variables. If None, the solver default is used. |
None
|
obj
|
float | str | Expr | None
|
Objective function coefficient for created variables. Can be a scalar, a column name, or a Polars expression. |
None
|
indices
|
Expr | list[str] | None
|
Keys (column names) that uniquely identify each variable instance. Used to format the internal variable names (e.g., 'x[1,2]'). |
None
|
vtype
|
VariableType
|
The type of the variable (CONTINUOUS, INTEGER, or BINARY). |
'CONTINUOUS'
|
priority
|
int | Expr
|
Multi-objective optimization priority. Higher priority numbers are optimized FIRST (priority 2 before priority 1 before priority 0). All objectives with the same priority are combined into a single weighted sum. Currently only supported by the Gurobi backend. |
0
|
Returns:
| Type | Description |
|---|---|
Expr
|
A Polars expression ( |
Examples:
Assuming xmodel is an instance of a concrete class (XplorGurobi).
>>> # 1. Basic variable creation using columns for bounds:
>>> data = pl.DataFrame({"max_limit": [10.0, 5.0]})
>>> df = data.with_columns(
... xmodel.add_vars("x", lb=0.0, ub=pl.col("max_limit"), obj=1.0)
... )
>>> # df["x"] now contains gurobipy.Var or mathopt.Variable objects.
>>> # s2. Creating integer variables indexed by two columns:
>>> data = pl.DataFrame({"time": [1, 1, 2, 2], "resource": ["A", "B", "A", "B"]})
>>> df = data.with_columns(
... xmodel.add_vars(
... "sched",
... indices=["time", "resource"],
... vtype=VarType.INTEGER,
... )
... )
>>> # Variable names will look like 'sched[1,A]', 'sched[1,B]', etc.
Source code in src/xplor/model.py
84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 | |
add_constrs ¶
add_constrs(
df: DataFrame,
*constr_exprs: ConstrExpr,
indices: Expr | list[str] | None = None,
**named_constr_exprs: ConstrExpr,
) -> DataFrame
Define and return a Constr expression for model constraints.
This method accepts a symbolic relational expression (e.g., x <= 5)
and generates a Polars expression that, when consumed (e.g., via .select()),
adds the constraints to the underlying solver model.
The constraint is added row-wise if the input expression is a Series of
expressions, or as a single constraint if the expression is aggregated
(e.g., using .sum()).
Parameters:
| Name | Type | Description | Default |
|---|---|---|---|
df
|
DataFrame
|
The polars DataFrame used to create the constraints |
required |
constr_exprs
|
ConstrExpr
|
The constraints expression (e.g., a relational expression like
|
()
|
indices
|
Expr | list[str] | None
|
Keys (column names) that uniquely identify each constraint instance. Used to format the internal variable names (e.g., 'constr[1,2]'). |
None
|
named_constr_exprs
|
ConstrExpr
|
Other constraints expression |
{}
|
Returns:
| Type | Description |
|---|---|
Expr
|
A Polars expression ( |
.. warning::
|
All constraints provided within a single call to |
Examples:
Assuming df has been created and contains the variable Series df["x"].
>>> df.pipe(
... xmodel.add_constrs,
max_per_item = xplor.var("x") <= pl.col("capacity"),
min_per_item = xplor.var("x") >= pl.col("min_threshold"),
indices=["product"]
... )
Source code in src/xplor/model.py
167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 | |
minimize ¶
Add minimization objectives to the model.
This method accepts named objective expressions and adds them to the model at the specified priority level. Multiple objectives at the same priority are combined into a single weighted sum.
Parameters:
| Name | Type | Description | Default |
|---|---|---|---|
df
|
DataFrame
|
The polars DataFrame used to evaluate the objective expressions. |
required |
priority
|
int
|
Multi-objective optimization priority. Higher priority numbers are optimized FIRST (priority 2 before priority 1 before priority 0). All objectives with the same priority are combined into a single weighted sum. Currently only supported by the Gurobi backend. |
0
|
named_obj_exprs
|
Expr
|
Named objective expressions to minimize (e.g., |
{}
|
Returns:
| Type | Description |
|---|---|
DataFrame
|
The input DataFrame (unchanged), allowing for method chaining. |
Examples:
Assuming df has been created and contains the variable Series df["x"].
>>> df.pipe(
... xmodel.minimize,
... total_cost = (xplor.var("x") * pl.col("cost")).sum(),
... priority=1
... )
>>> # Multi-objective optimization
>>> df.pipe(
... xmodel.minimize,
... sum_x = xplor.var("x").sum(),
... sum_y = xplor.var("y").sum(),
... priority=2
... )
Source code in src/xplor/model.py
maximize ¶
Add maximization objectives to the model.
This method accepts named objective expressions and adds them to the model at the specified priority level. Multiple objectives at the same priority are combined into a single weighted sum. Internally, maximization is converted to minimization by negating the objective coefficients.
Parameters:
| Name | Type | Description | Default |
|---|---|---|---|
df
|
DataFrame
|
The polars DataFrame used to evaluate the objective expressions. |
required |
priority
|
int
|
Multi-objective optimization priority. Higher priority numbers are optimized FIRST (priority 2 before priority 1 before priority 0). All objectives with the same priority are combined into a single weighted sum. Currently only supported by the Gurobi backend. |
0
|
named_obj_exprs
|
Expr
|
Named objective expressions to maximize (e.g., |
{}
|
Returns:
| Type | Description |
|---|---|
DataFrame
|
The input DataFrame (unchanged), allowing for method chaining. |
Examples:
Assuming df has been created and contains the variable Series df["x"].
>>> df.pipe(
... xmodel.maximize,
... total_revenue = (xplor.var("x") * pl.col("revenue")).sum(),
... priority=1
... )
>>> # Multi-objective optimization
>>> df.pipe(
... xmodel.maximize,
... sum_x = xplor.var("x").sum(),
... sum_y = xplor.var("y").sum(),
... priority=2
... )
Source code in src/xplor/model.py
read_values ¶
Read the value of an optimization variable from the solution.
For interval variables, returns a struct with start, end, length, and present fields. For regular variables, returns the variable value.
Parameters:
| Name | Type | Description | Default |
|---|---|---|---|
name
|
Expr
|
Expression to evaluate. |
required |
Returns:
| Type | Description |
|---|---|
Expr
|
Values of the variable expression. For interval variables, returns a struct with fields: start (Int64), end (Int64), length (Int64), present (Boolean). |
Examples:
>>> xmodel: XplorModel
>>> # For regular variables
>>> df_with_solution = df.with_columns(xmodel.read_values(pl.col("x")))
>>> # For interval variables - returns struct with start/end/length/present
>>> df = df.with_columns(xmodel.read_values(pl.col("task_iv")))
>>> df = df.with_columns(
... start=pl.col("task_iv").struct.field("start"),
... end=pl.col("task_iv").struct.field("end"),
... )
Source code in src/xplor/cplex_cp/model.py
95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 | |
add_interval_vars ¶
add_interval_vars(
name: str,
*,
start: float | tuple[int, int] | Expr | None = None,
end: float | tuple[int, int] | Expr | None = None,
duration: float | tuple[int, int] | Expr | None = None,
length: float | tuple[int, int] | Expr | None = None,
optional: bool | Expr = False,
) -> Expr
Create interval variables for each row in the DataFrame.
Interval variables represent tasks/activities with start time, end time, and duration. They can be optional (present/absent).
Parameters:
| Name | Type | Description | Default |
|---|---|---|---|
name
|
str
|
Name for the interval variable column |
required |
start
|
int | float | tuple[int, int] | Expr | None
|
Start time or (min, max) bounds. If None, unbounded. |
None
|
end
|
int | float | tuple[int, int] | Expr | None
|
End time or (min, max) bounds. If None, unbounded. |
None
|
duration
|
int | float | tuple[int, int] | Expr | None
|
Duration or (min, max) bounds. If None, computed from start/end. |
None
|
length
|
int | float | tuple[int, int] | Expr | None
|
Length (actual work time, may differ from duration). If None, equals duration. |
None
|
optional
|
bool | Expr
|
Whether intervals can be absent (not scheduled) |
False
|
Returns:
| Type | Description |
|---|---|
Expr
|
Polars expression that creates interval variables when materialized |
Examples:
>>> df = df.with_columns(
... xmodel.add_interval_vars("task", duration=pl.col("task_duration"))
... )
Source code in src/xplor/cplex_cp/model.py
minimize_makespan ¶
Set objective to minimize makespan (maximum end time).
Parameters:
| Name | Type | Description | Default |
|---|---|---|---|
intervals
|
Expr | str
|
The interval variables column name or expression |
required |
Examples:
Source code in src/xplor/cplex_cp/model.py
optimize ¶
Solve the CP model.
Parameters:
| Name | Type | Description | Default |
|---|---|---|---|
**kwargs
|
Any
|
Additional parameters passed to model.solve() Common parameters: - TimeLimit: Maximum solve time in seconds - LogVerbosity: Verbosity level for solver output |
{}
|
Source code in src/xplor/cplex_cp/model.py
get_objective_value ¶
Return the objective value from the solved model.
Returns:
| Type | Description |
|---|---|
float
|
The objective value |
Raises:
| Type | Description |
|---|---|
ValueError
|
If the model has not been solved |