3

我想为ess内置类创建一个子ss类。我希望能够将现有ss对象转换为ess对象,同时添加缺少的属性,例如w,通过类似这样的东西

sys=ss(a,b,c,d);
esys=ess(sys,w);

但我不知道如何正确设置构造函数。实现这一目标的最佳方法是什么?我的代码目前看起来像这样

classdef ess < ss
    properties
        w
    end
    methods
        function obj = ess(varargin)
            if nargin>0 && isa(varargin{1},'StateSpaceModel')
                super_args{1} = sys;
            else
                super_args = varargin;
            end
            obj = obj@ss(super_args{:});
        end
    end 
end

但这不起作用,因为我收到以下错误:

 >> ess(ss(a,b,c,d))
 ??? When constructing an instance of class 'ess', the constructor must preserve
 the class of the returned object.

当然,我可以手动复制所有对象属性,但在我看来应该有更好的方法。

4

1 回答 1

1

这是我想到的一个例子:

classdef ss < handle
    properties
        a
        b
    end

    methods
        function obj = ss(varargin)
            args = {0 0};     %# default values
            if nargin > 0, args = varargin; end
            obj.a = args{1};
            obj.b = args{2};
        end
    end
end

和:

classdef ess < ss
    properties
        c
    end

    methods
        function obj = ess(c, varargin)
            args = {};
            if nargin>1 && isa(varargin{1}, 'ss')
                args = getProps(varargin{1});
            end
            obj@ss(args{:});    %# call base-class constructor
            obj.c = c;
        end     
    end
end

%# private function that extracts object properties
function props = getProps(ssObj)
    props{1} = ssObj.a;
    props{2} = ssObj.b;
end

让我们测试这些类:

x = ss(1,2);
xx = ess(3,x)

我得到:

xx = 
  ess handle

  Properties:
    c: 3
    a: 1
    b: 2
  Methods, Events, Superclasses
于 2012-07-24T14:04:01.927 回答