Linear Constraints
PortfolioOptimisers.PartialLinearConstraint
— Typestruct PartialLinearConstraint{T1, T2} <: AbstractConstraintResult
A::T1
B::T2
end
Container for a set of linear constraints (either equality or inequality) in the form A * x = B
or A * x ≤ B
.
PartialLinearConstraint
stores the coefficient matrix A
and right-hand side vector B
for a group of linear constraints. This type is used internally by LinearConstraint
to represent either the equality or inequality constraints in a portfolio optimisation problem.
Fields
A
: Coefficient matrix of the linear constraints (typicallyAbstractMatrix
).B
: Right-hand side vector of the linear constraints (typicallyAbstractVector
).
Constructor
PartialLinearConstraint(; A::AbstractMatrix, B::AbstractVector)
Keyword arguments correspond to the fields above.
Validation
!isempty(A)
.!isempty(B)
.
Examples
julia> PartialLinearConstraint(; A = [1.0 2.0; 3.0 4.0], B = [5.0, 6.0])
PartialLinearConstraint
A | 2×2 Matrix{Float64}
B | Vector{Float64}: [5.0, 6.0]
Related
PortfolioOptimisers.LinearConstraint
— Typestruct LinearConstraint{T1, T2} <: AbstractConstraintResult
ineq::T1
eq::T2
end
Container for a set of linear constraints, separating inequality and equality constraints.
LinearConstraint
holds both the inequality and equality constraints for a portfolio optimisation problem, each represented as a PartialLinearConstraint
. This type is used to encapsulate all linear constraints in a unified structure, enabling composable and modular constraint handling.
Fields
ineq
: Inequality constraints, as aPartialLinearConstraint
ornothing
.eq
: Equality constraints, as aPartialLinearConstraint
ornothing
.
Constructor
LinearConstraint(; ineq::Union{Nothing, <:PartialLinearConstraint} = nothing,
eq::Union{Nothing, <:PartialLinearConstraint} = nothing)
Keyword arguments correspond to the fields above.
Validation
isnothing(ineq) ⊼ isnothing(eq)
, i.e. they cannot both benothing
at the same time.
Examples
julia> ineq = PartialLinearConstraint(; A = [1.0 2.0; 3.0 4.0], B = [5.0, 6.0]);
julia> eq = PartialLinearConstraint(; A = [7.0 8.0; 9.0 10.0], B = [11.0, 12.0]);
julia> LinearConstraint(; ineq = ineq, eq = eq)
LinearConstraint
ineq | PartialLinearConstraint
| A | 2×2 Matrix{Float64}
| B | Vector{Float64}: [5.0, 6.0]
eq | PartialLinearConstraint
| A | 2×2 Matrix{Float64}
| B | Vector{Float64}: [11.0, 12.0]
Related
PortfolioOptimisers.LinearConstraintEstimator
— Typestruct LinearConstraintEstimator{T1} <: AbstractConstraintEstimator
val::T1
end
Container for one or more linear constraint equations to be parsed and converted into constraint matrices.
Fields
val
: A single equation as anAbstractString
orExpr
, or a vector of such equations.
Constructor
LinearConstraintEstimator(;
val::Union{<:AbstractString, Expr,
<:AbstractVector{<:Union{<:AbstractString, Expr}}})
Keyword arguments correspond to the fields above.
Validation
!isempty(val)
.
Examples
julia> lce = LinearConstraintEstimator(; val = ["w_A + w_B == 1", "w_A >= 0.1"]);
julia> sets = AssetSets(; key = "nx", dict = Dict("nx" => ["w_A", "w_B"]));
julia> linear_constraints(lce, sets)
LinearConstraint
ineq | PartialLinearConstraint
| A | 1×2 LinearAlgebra.Transpose{Float64, Matrix{Float64}}
| B | Vector{Float64}: [-0.1]
eq | PartialLinearConstraint
| A | 1×2 LinearAlgebra.Transpose{Float64, Matrix{Float64}}
| B | Vector{Float64}: [1.0]
Related
PortfolioOptimisers.ParsingResult
— Typestruct ParsingResult{T1, T2, T3, T4, T5} <: AbstractParsingResult
vars::T1
coef::T2
op::T3
rhs::T4
eqn::T5
end
Structured result for standard linear constraint equation parsing.
ParsingResult
is the canonical output of parse_equation
for standard linear constraints. It stores all information needed to construct constraint matrices for portfolio optimisation, including variable names, coefficients, the comparison operator, right-hand side value, and a formatted equation string.
Fields
vars
: Vector of variable names as strings.coef
: Vector of coefficients.op
: The comparison operator as a string.rhs
: The right-hand side value.eqn
: The formatted equation string.
Related
PortfolioOptimisers.RhoParsingResult
— Typestruct RhoParsingResult{T1, T2, T3, T4, T5, T6} <: AbstractParsingResult
vars::T1
coef::T2
op::T3
rhs::T4
eqn::T5
ij::T6
end
Structured result for correlation view constraint equation parsing.
RhoParsingResult
is produced when parsing correlation view constraints, such as those used in entropy pooling prior models. It extends the standard ParsingResult
by including an ij
field, which stores the tuple of asset pairs (indices) relevant for the correlation view.
Fields
vars
: Vector of variable names as strings.coef
: Vector of coefficients.op
: The comparison operator as a string.rhs
: The right-hand side value.eqn
: The formatted equation string.ij
: Tuple or vector of asset index pairs for correlation views.
Details
- Produced by correlation view parsing routines, typically when the constraint involves asset pairs (e.g.,
"(A, B) == 0.5"
). - The
ij
field enables downstream routines to map parsed correlation views to the appropriate entries in the correlation matrix. - Used internally for entropy pooling, Black-Litterman, and other advanced portfolio models that support correlation views.
Related
PortfolioOptimisers.AssetSets
— Typestruct AssetSets{T1, T2} <: AbstractEstimator
key::T1
dict::T2
end
Container for asset set and group information used in constraint generation.
AssetSets
provides a unified interface for specifying the asset universe and any groupings or partitions of assets. It is used throughout constraint generation and estimator routines to expand group references, map group names to asset lists, and validate asset membership.
If a key in dict
starts with the same value as key
, it means that the corresponding group must have the same length as the asset universe, dict[key]
. This is useful for defining partitions of the asset universe, for example when using asset_sets_matrix
with NestedClustering
.
Fields
key
: The key indict
that identifies the primary list of assets.dict
: A dictionary mapping group names (or asset set names) to vectors of asset identifiers.
Constructor
AssetSets(; key::AbstractString = "nx", dict::AbstractDict{<:AbstractString, <:Any})
Keyword arguments correspond to the fields above.
Validation
- If a key in
dict
starts with the same value askey
,length(dict[nx]) == length(dict[key])
. !isempty(dict)
.haskey(dict, key)
.
Examples
julia> AssetSets(; key = "nx", dict = Dict("nx" => ["A", "B", "C"], "group1" => ["A", "B"]))
AssetSets
key | String: "nx"
dict | Dict{String, Vector{String}}: Dict("nx" => ["A", "B", "C"], "group1" => ["A", "B"])
Related
PortfolioOptimisers.RiskBudgetResult
— Typestruct RiskBudgetResult{T1} <: AbstractConstraintResult
val::T1
end
Container for the result of a risk budget constraint.
RiskBudgetResult
stores the vector of risk budget allocations resulting from risk budget constraint generation or normalisation. This type is used to encapsulate the output of risk budgeting routines in a consistent, composable format for downstream processing and reporting.
Fields
val
: Vector of risk budget allocations (typicallyAbstractVector{<:Real}
).
Constructor
RiskBudgetResult(; val::AbstractVector{<:Real})
Keyword arguments correspond to the fields above.
Validation
val
must be non-empty.- All entries of
val
must be non-negative.
Examples
julia> RiskBudgetResult(; val = [0.2, 0.3, 0.5])
RiskBudgetResult
val | Vector{Float64}: [0.2, 0.3, 0.5]
Related
PortfolioOptimisers.RiskBudgetEstimator
— Typestruct RiskBudgetEstimator{T1} <: AbstractConstraintEstimator
val::T1
end
Container for a risk budget allocation mapping or vector.
RiskBudgetEstimator
stores a mapping from asset or group names to risk budget values, or a vector of such pairs, for use in risk budgeting constraint generation. This type enables composable and validated workflows for specifying risk budgets in portfolio optimisation routines.
Fields
val
: A dictionary, pair, or vector of pairs mapping asset or group names to risk budget values.
Constructor
RiskBudgetEstimator(;
val::Union{<:AbstractDict, <:Pair{<:AbstractString, <:Real},
<:AbstractVector{<:Union{<:Pair{<:AbstractString, <:Real}}}})
Keyword arguments correspond to the fields above.
Validation
- If
val
is a container,!isempty(val)
. - All numeric values must be non-negative.
Examples
julia> RiskBudgetEstimator(; val = Dict("A" => 0.2, "B" => 0.3, "C" => 0.5))
RiskBudgetEstimator
val | Dict{String, Float64}: Dict("B" => 0.3, "A" => 0.2, "C" => 0.5)
julia> RiskBudgetEstimator(; val = ["A" => 0.2, "B" => 0.3, "C" => 0.5])
RiskBudgetEstimator
val | Vector{Pair{String, Float64}}: ["A" => 0.2, "B" => 0.3, "C" => 0.5]
Related
PortfolioOptimisers.AssetSetsMatrixEstimator
— Typestruct AssetSetsMatrixEstimator{T1} <: AbstractConstraintEstimator
val::T1
end
Estimator for constructing asset set membership matrices from asset groupings.
AssetSetsMatrixEstimator
is a container type for specifying the key or group name used to generate a binary asset-group membership matrix from an AssetSets
object. This is used in constraint generation and portfolio construction workflows that require mapping assets to groups or categories.
Fields
val
: The key or group name to extract from the asset sets.
Constructor
AssetSetsMatrixEstimator(; val::AbstractString)
Keyword arguments correspond to the fields above.
Validation
!isempty(val)
.
Examples
julia> sets = AssetSets(; key = "nx",
dict = Dict("nx" => ["A", "B", "C"],
"sector" => ["Tech", "Tech", "Finance"]));
julia> est = AssetSetsMatrixEstimator(; val = "sector")
AssetSetsMatrixEstimator
val | String: "sector"
julia> asset_sets_matrix(est, sets)
2×3 transpose(::BitMatrix) with eltype Bool:
1 1 0
0 0 1
Related
PortfolioOptimisers.replace_group_by_assets
— Functionreplace_group_by_assets(res::Union{<:ParsingResult, <:AbstractVector{<:ParsingResult}},
sets::AssetSets; bl_flag::Bool = false, prior_flag::Bool = false,
rho_flag::Bool = false)
If res
is a vector of ParsingResult
objects, this function will be applied to each element of the vector.
Expand group or special variable references in a ParsingResult
to their corresponding asset names.
This function takes a ParsingResult
containing variable names (which may include group names, prior(...)
expressions, or correlation views like (A, B)
), and replaces these with the actual asset names from the provided AssetSets
. It supports Black-Litterman-style group expansion, entropy pooling prior views, and correlation view parsing for advanced constraint generation.
Arguments
res
: AParsingResult
object containing variables and coefficients to be expanded.sets
: AnAssetSets
object specifying the asset universe and groupings.bl_flag
: Iftrue
, enables Black-Litterman-style group expansion.prior_flag
: Iftrue
, enables expansion ofprior(...)
expressions for entropy pooling.rho_flag
: Iftrue
, enables expansion of correlation views(A, B)
for entropy pooling.
Validation
- `bl_flag` can only be `true` if both `prior_flag` and `rho_flag` are `false`.
- `rho_flag` can only be `true` if `prior_flag` is also `true`.
Details
- Group names in
res.vars
are replaced by the corresponding asset names fromsets.dict
. - If
bl_flag
istrue
, coefficients for group references are divided equally among the assets in the group. - If
prior_flag
istrue
, expandsprior(asset)
orprior(group)
expressions for entropy pooling. - If
rho_flag
istrue
, expands correlation view expressions(A, B)
orprior(A, B)
for entropy pooling, mapping them to asset pairs. - If a variable or group is not found in
sets.dict
, it is skipped.
Returns
res::ParsingResult
: A newParsingResult
with all group and special variable references expanded to asset names.
Examples
julia> sets = AssetSets(; key = "nx", dict = Dict("nx" => ["A", "B", "C"], "group1" => ["A", "B"]));
julia> res = parse_equation("group1 + 2C == 1")
ParsingResult
vars | Vector{String}: ["C", "group1"]
coef | Vector{Float64}: [2.0, 1.0]
op | String: "=="
rhs | Float64: 1.0
eqn | SubString{String}: "2.0*C + group1 == 1.0"
julia> replace_group_by_assets(res, sets)
ParsingResult
vars | Vector{String}: ["C", "A", "B"]
coef | Vector{Float64}: [2.0, 1.0, 1.0]
op | String: "=="
rhs | Float64: 1.0
eqn | String: "2.0*C + 1.0*A + 1.0*B == 1.0"
Related
PortfolioOptimisers.estimator_to_val
— Functionestimator_to_val(dict::Union{<:AbstractDict, <:Pair{<:AbstractString, <:Real},
<:AbstractVector{<:Pair{<:AbstractString, <:Real}}},
sets::AssetSets; strict::Bool = false)
Return value for assets or groups, based on a mapping and asset sets.
The function creates the vector and sets the values for assets or groups as specified by dict
, using the asset universe and groupings in sets
. If a key in dict
is not found in the asset sets, the function either throws an error or issues a warning, depending on the strict
flag.
Arguments
arr
: The array to be modified in-place.dict
: A dictionary, vector of pairs, or single pair mapping asset or group names to values.sets
: TheAssetSets
containing the asset universe and group definitions.strict
: Iftrue
, throws an error if a key indict
is not found in the asset sets; iffalse
, issues a warning.
Details
- Iterates over the (key, value) pairs in
dict
.
If the same asset is found in subsequent iterations, its value will be overwritten in favour of the most recent one. To ensure determinism, use an OrderedDict
or a vector of pairs.
- If a key in
dict
matches an asset in the universe, the corresponding entry inarr
is set to the specified value. - If a key matches a group in
sets
, all assets in the group are set to the specified value usinggroup_to_val!
. - If a key is not found and
strict
istrue
, anArgumentError
is thrown; otherwise, a warning is issued. - The operation is performed in-place on
arr
.
Returns
arr::Vector{<:Real}
: Value array.
Related
estimator_to_val(val::Union{Nothing, <:Real, <:AbstractVector{<:Real}}, args...; kwargs...)
Fallback no-op for value mapping in asset/group estimators.
This method returns the input value val
as-is, without modification or mapping. It serves as a fallback for cases where the input is already a numeric value, a vector of numeric values, or nothing
, and no further processing is required.
Arguments
val
: A value of typeNothing
, a single numeric value, or a vector of numeric values.args...
: Additional positional arguments (ignored).kwargs...
: Additional keyword arguments (ignored).
Returns
val::Union{Nothing, <:Real, <:AbstractVector{<:Real}}
: The inputval
, unchanged.
Related
PortfolioOptimisers.parse_equation
— Functionparse_equation(eqn::Union{<:AbstractString, Expr,
<:AbstractVector{<:Union{<:AbstractString, Expr}}};
ops1::Tuple = ("==", "<=", ">="), ops2::Tuple = (:call, :(==), :(<=), :(>=)),
datatype::DataType = Float64, kwargs...)
Parse a linear constraint equation from a string into a structured ParsingResult
.
Arguments
eqn
: The equation string to parse.eqn::AbstractVector
: Each element needs to meet the criteria below.eqn::AbstractString
: Must contain exactly one comparison operator fromops1
.ops1
: Tuple of valid comparison operators as strings.
eqn::Expr
: Must contain exactly one comparison operator fromops1
.ops2
: Tuple of valid comparison operator expressions.
datatype
: The numeric type to use for coefficients and right-hand side.kwargs...
: Additional keyword arguments, ignored.
Validation
- The equation must contain exactly one valid comparison operator from
ops1
. - Both sides of the equation must be valid Julia expressions.
Details
If
eqn::AbstractVector
, the function is applied element-wise.The function first checks for invalid operator patterns (e.g.,
"++"
).It searches for the first occurrence of a valid comparison operator from
ops1
in the equation string. Errors if there are more than one or none.The equation is split into left- and right-hand sides using the detected operator.
If
eqn::AbstractString
:- Both sides are parsed into Julia expressions using
Meta.parse
.
- Both sides are parsed into Julia expressions using
If
eqn::Expr
:- Expression is ready as is.
Numeric functions and constants (e.g.,
Inf
) are recursively evaluated.All terms are moved to the left-hand side and collected, separating coefficients and variables.
The constant term is moved to the right-hand side, and the equation is formatted for display.
The result is returned as a
ParsingResult
containing the collected information.
Returns
If
eqn::Union{<:AbstractString, Expr}
:res::ParsingResult
: Structured parsing result.
If
eqn::AbstractVector
:res::Vector{ParsingResult}
: Vector of structured parsing results.
Examples
julia> parse_equation("w_A + 2w_B <= 1")
ParsingResult
vars | Vector{String}: ["w_A", "w_B"]
coef | Vector{Float64}: [1.0, 2.0]
op | String: "<="
rhs | Float64: 1.0
eqn | SubString{String}: "w_A + 2.0*w_B <= 1.0"
Related
PortfolioOptimisers.linear_constraints
— Functionlinear_constraints(lcs::Union{Nothing, LinearConstraint}, args...; kwargs...)
No-op fallback for returning an existing LinearConstraint
object or nothing
.
This method is used to pass through an already constructed LinearConstraint
object or nothing
without modification. It enables composability and uniform interface handling in constraint generation workflows, allowing functions to accept either raw equations or pre-built constraint objects.
Arguments
lcs
: An existingLinearConstraint
object ornothing
.args...
: Additional positional arguments (ignored).kwargs...
: Additional keyword arguments (ignored).
Returns
lcs
: Input is unchanged.
Related
linear_constraints(eqn::Union{<:AbstractString, Expr,
<:AbstractVector{<:Union{<:AbstractString, Expr}}},
sets::AssetSets; ops1::Tuple = ("==", "<=", ">="),
ops2::Tuple = (:call, :(==), :(<=), :(>=)), datatype::DataType = Float64,
strict::Bool = false, bl_flag::Bool = false)
Parse and convert one or more linear constraint equations into a LinearConstraint
object.
This function parses one or more constraint equations (as strings, expressions, or vectors thereof), replaces group or asset references using the provided AssetSets
, and constructs the corresponding constraint matrices. The result is a LinearConstraint
object containing both equality and inequality constraints, suitable for use in portfolio optimisation routines.
Arguments
eqn
: A single constraint equation (asAbstractString
orExpr
), or a vector of such equations.sets
: AnAssetSets
object specifying the asset universe and groupings.ops1
: Tuple of valid comparison operators as strings.ops2
: Tuple of valid comparison operators as expression heads.datatype
: Numeric type for coefficients and right-hand side.strict
: Iftrue
, throws an error if a variable or group is not found insets
; iffalse
, issues a warning.bl_flag
: Iftrue
, enables Black-Litterman-style group expansion.
Details
- Each equation is parsed using
parse_equation
, supporting both string and expression input. - Asset and group references in the equations are expanded using
replace_group_by_assets
and the providedsets
. - The function separates equality and inequality constraints, assembling the corresponding matrices and right-hand side vectors.
- Input validation is performed using
@argcheck
to ensure non-empty and consistent constraints. - Returns
nothing
if no valid constraints are found after parsing and expansion.
Returns
lcs::LinearConstraint
: An object containing the assembled equality and inequality constraints, ornothing
if no constraints are present.
Examples
julia> sets = AssetSets(; key = "nx", dict = Dict("nx" => ["w_A", "w_B", "w_C"]));
julia> linear_constraints(["w_A + w_B == 1", "w_A >= 0.1"], sets)
LinearConstraint
ineq | PartialLinearConstraint
| A | 1×3 LinearAlgebra.Transpose{Float64, Matrix{Float64}}
| B | Vector{Float64}: [-0.1]
eq | PartialLinearConstraint
| A | 1×3 LinearAlgebra.Transpose{Float64, Matrix{Float64}}
| B | Vector{Float64}: [1.0]
Related
linear_constraints(lcs::Union{<:LinearConstraintEstimator,
<:AbstractVector{<:LinearConstraintEstimator}},
sets::AssetSets; datatype::DataType = Float64, strict::Bool = false,
bl_flag::Bool = false)
If lcs
is a vector of LinearConstraintEstimator
objects, this function is broadcast over the vector.
This method is a wrapper calling:
linear_constraints(lcs.val, sets; datatype = datatype, strict = strict, bl_flag = bl_flag)
It is used for type stability and to provide a uniform interface for processing constraint estimators, as well as simplifying the use of multiple estimators simulatneously.
PortfolioOptimisers.risk_budget_constraints
— Functionrisk_budget_constraints(::Nothing, args...; N::Real, datatype::DataType = Float64,
kwargs...)
No-op fallback for risk budget constraint generation.
This method returns a uniform risk budget allocation when no explicit risk budget is provided. It creates a RiskBudgetResult
with equal weights summing to one, using the specified number of assets N
and numeric type datatype
. This is useful as a default in workflows where a risk budget is optional or omitted.
Arguments
::Nothing
: Indicates that no risk budget is provided.args...
: Additional positional arguments (ignored).N::Real
: Number of assets (required).datatype::DataType
: Numeric type for the risk budget vector.kwargs...
: Additional keyword arguments (ignored).
Returns
RiskBudgetResult
: A result object containing a uniform risk budget vector of lengthN
, with each entry equal to1/N
.
Examples
julia> risk_budget_constraints(nothing; N = 3)
RiskBudgetResult
val | StepRangeLen{Float64, Base.TwicePrecision{Float64}, Base.TwicePrecision{Float64}, Int64}: StepRangeLen(0.3333333333333333, 0.0, 3)
Related
risk_budget_constraints(rb::RiskBudgetResult, args...; kwargs...)
No-op fallback for risk budget constraint propagation.
This method returns the input RiskBudgetResult
object unchanged. It is used to pass through an already constructed risk budget allocation result, enabling composability and uniform interface handling in risk budgeting workflows.
Arguments
rb
: An existingRiskBudgetResult
object.args...
: Additional positional arguments (ignored).kwargs...
: Additional keyword arguments (ignored).
Returns
rb
: The inputRiskBudgetResult
object, unchanged.
Examples
julia> RiskBudgetResult(; val = [0.2, 0.3, 0.5])
RiskBudgetResult
val | Vector{Float64}: [0.2, 0.3, 0.5]
Related
risk_budget_constraints(rb::Union{<:AbstractDict{<:AbstractString, <:Real},
<:Pair{<:AbstractString, <:Real},
<:AbstractVector{<:Pair{<:AbstractString, <:Real}}},
sets::AssetSets; N::Real = length(sets.dict[sets.key]),
strict::Bool = false)
Generate a risk budget allocation from asset/group mappings and asset sets.
This method constructs a RiskBudgetResult
from a mapping of asset or group names to risk budget values, using the provided AssetSets
. The mapping can be a dictionary, a single pair, or a vector of pairs. Asset and group names are resolved using sets
, and the resulting risk budget vector is normalised to sum to one.
Arguments
rb
: A dictionary, pair, or vector of pairs mapping asset or group names to risk budget values.sets
: AnAssetSets
object specifying the asset universe and groupings.N
: Number of assets in the universe.strict
: Iftrue
, throws an error if a key inrb
is not found insets
; iffalse
, issues a warning.
Details
- Asset and group names in
rb
are mapped to indices in the asset universe usingsets
. - If a key is a group, all assets in the group are assigned the specified value.
- The resulting vector is normalised to sum to one.
- If
strict
istrue
, missing keys cause an error; otherwise, a warning is issued.
Returns
RiskBudgetResult
: A result object containing the normalised risk budget vector.
Examples
julia> sets = AssetSets(; key = "nx", dict = Dict("nx" => ["A", "B", "C"], "group1" => ["A", "B"]));
julia> risk_budget_constraints(Dict("A" => 0.2, "group1" => 0.8), sets)
RiskBudgetResult
val | Vector{Float64}: [0.41379310344827586, 0.41379310344827586, 0.17241379310344826]
Related
risk_budget_constraints(rb::Union{<:RiskBudgetEstimator,
<:AbstractVector{<:RiskBudgetEstimator}}, sets::AssetSets;
strict::Bool = false, kwargs...)
If rb
is a vector of RiskBudgetEstimator
objects, this function is broadcast over the vector.
This method is a wrapper calling:
risk_budget_constraints(rb.val, sets; strict = strict)
It is used for type stability and to provide a uniform interface for processing constraint estimators, as well as simplifying the use of multiple estimators simulatneously.
PortfolioOptimisers.asset_sets_matrix
— Functionasset_sets_matrix(smtx::Union{Symbol, <:AbstractString}, sets::AssetSets)
Construct a binary asset-group membership matrix from asset set groupings.
asset_sets_matrix
generates a binary (0/1) matrix indicating asset membership in groups or categories, based on the key or group name smtx
in the provided AssetSets
. Each row corresponds to a unique group value, and each column to an asset in the universe. This is used in constraint generation and portfolio construction workflows that require mapping assets to groups or categories.
Arguments
smtx
: The key or group name to extract from the asset sets.sets
: AnAssetSets
object specifying the asset universe and groupings.
Returns
A::BitMatrix
: A binary matrix of size (number of groups) × (number of assets), whereA[i, j] == 1
if assetj
belongs to groupi
.
Details
- The function checks that
smtx
exists insets.dict
and that its length matches the asset universe. - Each unique value in
sets.dict[smtx]
defines a group. - The output matrix is transposed so that rows correspond to groups and columns to assets.
Validation
haskey(sets.dict, smtx)
.- Throws an
AssertionError
if the length ofsets.dict[smtx]
does not match the asset universe.
Examples
julia> sets = AssetSets(; key = "nx",
dict = Dict("nx" => ["A", "B", "C"],
"sector" => ["Tech", "Tech", "Finance"]));
julia> asset_sets_matrix("sector", sets)
2×3 transpose(::BitMatrix) with eltype Bool:
1 1 0
0 0 1
Related
asset_sets_matrix(smtx::Union{Nothing, <:AbstractMatrix}, args...)
No-op fallback for asset set membership matrix construction.
This method returns the input matrix smtx
unchanged. It is used as a fallback when the asset set membership matrix is already provided as an AbstractMatrix
or is nothing
, enabling composability and uniform interface handling in constraint generation workflows.
Arguments
smtx
: An existing asset set membership matrix (AbstractMatrix
) ornothing
.args...
: Additional positional arguments (ignored).
Returns
smtx
: The input matrix ornothing
, unchanged.
Related
asset_sets_matrix(smtx::AssetSetsMatrixEstimator, sets::AssetSets)
This method is a wrapper calling:
asset_sets_matrix(smtx.val, sets)
It is used for type stability and to provide a uniform interface for processing constraint estimators, as well as simplifying the use of multiple estimators simulatneously.
asset_sets_matrix(smtx::AbstractVector{<:Union{<:AbstractMatrix,
<:AssetSetsMatrixEstimator}},
sets::AssetSets)
Broadcasts asset_sets_matrix
over the vector.
Provides a uniform interface for processing multiple constraint estimators simulatneously.
PortfolioOptimisers.AbstractParsingResult
— Typeabstract type AbstractParsingResult <: AbstractConstraintResult end
Abstract supertype for all equation parsing result types in PortfolioOptimisers.jl.
All concrete types representing parsing results should subtype AbstractParsingResult
. This enables a consistent interface for handling different types of parsed constraint equations.
Related
PortfolioOptimisers.group_to_val!
— Functiongroup_to_val!(nx::AbstractVector, sdict::AbstractDict, key::Any, val::Real,
dict::Union{<:AbstractDict, <:Pair{<:AbstractString, <:Real},
<:AbstractVector{<:Pair{<:AbstractString, <:Real}}},
arr::AbstractVector, strict::Bool)
Set values in a vector for all assets belonging to a specified group.
group_to_val!
maps the assets in group key
to their corresponding indices in the asset universe nx
, and sets the corresponding entries in the vector arr
to the value val
. If the group is not found, the function either throws an error or issues a warning, depending on the strict
flag.
Arguments
nx
: Vector of asset names.sdict
: Dictionary mapping group names to vectors of asset names.key
: Name of the group of assets to set values for.val
: The value to assign to the assets in the group.dict
: The original dictionary, vector of pairs, or pair being processed (used for logging messages).arr
: The array to be modified in-place.strict
: Iftrue
, throws an error ifkey
is not found insdict
; iffalse
, issues a warning.
Details
- If
key
is found insdict
, all assets in the group are mapped to their indices innx
, and the corresponding entries inarr
are set toval
. - If
key
is not found andstrict
istrue
, anArgumentError
is thrown; otherwise, a warning is issued.
Returns
nothing
: The operation is performed in-place onarr
.
Related
PortfolioOptimisers._parse_equation
— Function_parse_equation(lhs, opstr::AbstractString, rhs; datatype::DataType = Float64)
Parse and canonicalise a linear constraint equation from Julia expressions.
_parse_equation
takes the left-hand side (lhs
) and right-hand side (rhs
) of a constraint equation, both as Julia expressions, and a comparison operator string (opstr
). It evaluates numeric functions, moves all terms to the left-hand side, collects coefficients and variables, and returns a ParsingResult
with the canonicalised equation.
Arguments
lhs::Expr
: Left-hand side of the equation as a Julia expression.opstr::AbstractString
: Comparison operator as a string.rhs::Expr
: Right-hand side of the equation as a Julia expression.datatype::DataType
: Numeric type for coefficients and right-hand side.
Details
- Recursively evaluates numeric functions and constants (e.g.,
Inf
) on both sides. - Moves all terms to the left-hand side (
lhs - rhs == 0
). - Collects and sums like terms, separating variables and constants.
- Moves the constant term to the right-hand side, variables to the left.
- Formats the simplified equation as a string.
- Returns a
ParsingResult
containing variable names, coefficients, operator, right-hand side value, and formatted equation.
Returns
res::ParsingResult
: Structured result with canonicalised variables, coefficients, operator, right-hand side, and formatted equation.
Related
PortfolioOptimisers._rethrow_parse_error
— Function_rethrow_parse_error(expr; side = :lhs)
Internal utility for error handling during equation parsing.
_rethrow_parse_error
is used to detect and handle incomplete or invalid expressions encountered while parsing constraint equations. It is called on both sides of an equation during parsing to ensure that the expressions are valid and complete. If an incomplete expression is detected, a Meta.ParseError
is thrown; otherwise, the function returns nothing
.
Arguments
expr
: The parsed Julia expression to check. Can be anExpr
,Nothing
, or any other type.side
: Symbol indicating which side of the equation is being checked (:lhs
or:rhs
). Used for error messages.
Details
- If
expr
isNothing
, a warning is issued indicating that the side is empty and zero is assumed. - If
expr
is an incomplete expression (expr.head == :incomplete
), aMeta.ParseError
is thrown with a descriptive message. - For all other cases, the function returns
nothing
and does not modify the input.
Validation
- Throws a
Meta.ParseError
if the expression is incomplete.
Returns
nothing
: if the expression is valid or handled.
Related
PortfolioOptimisers._format_term
— Function_format_term(coeff, var)
Format a single term in a linear constraint equation as a string.
_format_term
takes a coefficient and a variable name and returns a string representation suitable for display in a canonicalised linear constraint equation. Handles special cases for coefficients of 1
and -1
to avoid redundant notation.
Arguments
coeff
: Numeric coefficient for the variable.var
: Variable name as a string.
Details
- If `coeff == 1`, returns `"$var"` (no explicit coefficient).
- If `coeff == -1`, returns `"-$(var)"` (no explicit coefficient).
- Otherwise, returns `"$(coeff)*$(var)"`.
Returns
term_str::String
: The formatted term as a string.
Related
PortfolioOptimisers._collect_terms!
— Function_collect_terms!(expr, coeff, terms)
Recursively collect and expand terms from a Julia expression for linear constraint parsing.
_collect_terms!
traverses a Julia expression tree representing a linear equation, expanding and collecting all terms into a vector of (coefficient, variable)
pairs. It handles numeric constants, variables, and arithmetic operations (+
, -
, *
, /
), supporting canonicalisation of linear constraint equations for further processing.
Arguments
expr
: The Julia expression to traverse.coeff
: The current numeric coefficient to apply.terms
: A vector to which(coefficient, variable)
pairs are appended in-place. Each pair is of the form(Float64, Union{String, Nothing})
, whereNothing
indicates a constant term.
Details
If
expr
is aNumber
, appends(coeff * oftype(coeff, expr), nothing)
toterms
.If
expr
is aSymbol
, appends(coeff, string(expr))
toterms
.If
expr
is anExpr
:- For multiplication (
*
), distributes the coefficient to the numeric part. - For division (
/
), divides the coefficient by the numeric denominator. - For addition (
+
), recursively collects terms from all arguments. - For subtraction (
-
), recursively collects terms from all arguments except the last, which is negated. - For all other expressions, treats as a variable and appends as
(coeff, string(expr))
.
- For multiplication (
Returns
nothing
: The function modifiesterms
in-place.
Related
PortfolioOptimisers._collect_terms
— Function_collect_terms(expr::Union{Symbol, Expr, <:Number})
Expand and collect all terms from a Julia expression representing a linear constraint equation.
_collect_terms
takes a Julia expression (such as the left-hand side of a constraint equation), recursively traverses its structure, and returns a vector of (coefficient, variable)
pairs. It supports numeric constants, variables, and arithmetic operations (+
, -
, *
, /
), and is used to canonicalise linear constraint equations for further processing.
Arguments
expr
: The Julia expression to expand.
Details
- Calls [`_collect_terms!`](@ref) internally with an initial coefficient of `1.0` and an empty vector.
- Numeric constants are collected as `(coefficient, nothing)`.
- Variables are collected as `(coefficient, variable_name)`.
- Arithmetic expressions are recursively expanded and collected.
Returns
terms::Vector{Tuple{Float64, Union{String, Nothing}}}
: A vector of(coefficient, variable)
pairs, wherevariable
is a string for variable terms ornothing
for constant terms.
Related
PortfolioOptimisers._eval_numeric_functions
— Function_eval_numeric_functions(expr)
Recursively evaluate numeric functions and constants in a Julia expression.
_eval_numeric_functions
traverses a Julia expression tree and evaluates any sub-expressions that are purely numeric, including standard mathematical functions and constants (such as Inf
). This is used to simplify constraint equations before further parsing and canonicalisation.
Arguments
expr
: The Julia expression to evaluate. Can be aNumber
,Symbol
, orExpr
.
Details
- If `expr` is a numeric constant, it is returned as-is.
- If `expr` is the symbol `:Inf`, returns `Inf`.
- If `expr` is an expression representing a function call, and all arguments are numeric, the function is evaluated and replaced with its result.
- Otherwise, the function recurses into sub-expressions, returning a new expression with numeric parts evaluated.
Returns
- The evaluated expression, with all numeric sub-expressions replaced by their computed values. Non-numeric or symbolic expressions are returned in their original or partially simplified form.
Related
PortfolioOptimisers.asset_sets_matrix_view
— Function