输入解析器相互依赖的可选参数

时间:2014-07-09 09:15:02

标签: matlab function arguments optional-parameters optional-arguments

在以下函数中,我尝试让Pt在可选输入参数上。 如果未指定Pt,则需要计算其他可选参数(该部分有效)。 但是当我指定它时:

Alg(b,'circle','Pt',ones(150,1))

我收到以下错误:

  

'铂'不是公认的参数。有关的列表   有效的名称 - 值对参数,请参阅文档   这个功能。

功能代码:

function [ v ] = Alg( b,shape,varargin )

%%Parse inputs
p = inputParser;

addRequired(p,'b',@isnumeric);
expectedShapes = {'square','circle'};
addRequired(p,'shape',@(x) any(validatestring(x,expectedShapes)));

defaultIt = 42;
addParameter(p,'It',defaultIter,@isnumeric);

addParameter(p,'t',@isnumeric);
addParameter(p,'v',@isnumeric);

parse(p,b,shape,varargin{:})
b = p.Results.b;
shape = p.Results.shape;
It = p.Results.It;
t = p.Results.t;
v  = p.Results.v;

parse(p,b,shape,varargin{:})
defaultPoint = Alg_sq(b,Pt,It);
defaultPoint = Sub_Alg(defaultPoint,shape,t,v);
addParameter(p,'Pt',defaultPoint,@isnumeric);
Pt = p.Results.Pt;

%%Shape
switch shape
    case 'circle'
        v = Alg_crcl( b,Pt,It );

    case 'square'
        v = Alg_sq( b,Pt,It );
end
end

非常感谢你的帮助!

1 个答案:

答案 0 :(得分:1)

错误是因为在最初解析参数时未将Pt指定为有效参数名称。你需要稍微重构一下代码,我就是这样做的:

function v = Alg(b, shape, varargin)

    % define arguments
    p = inputParser;
    addRequired(p, 'b', @isnumeric);
    addRequired(p, 'shape', @(x) any(validatestring(x,{'square','circle'})));
    addParameter(p, 'It', 42, @isnumeric);
    addParameter(p, 't', @isnumeric);
    addParameter(p, 'v', @isnumeric);
    addParameter(p, 'Pt', [], @isnumeric);   % default for now is empty matrix

    % parse arguments
    parse(p, b, shape, varargin{:})
    b = p.Results.b;
    shape = p.Results.shape;
    It = p.Results.It;
    t = p.Results.t;
    v  = p.Results.v;
    Pt = p.Results.Pt;
    if isempty(Pt)
        % insert your logic to compute actual default point
        % you can use the other parsed parameters
        Pt = computeDefaultValue();
    end

    % rest of the code ...

end