类数组中的方法

时间:2015-10-14 02:29:14

标签: arrays matlab class

我有几个classes有很多methodsfunctions,通常会处理mx1 arrays。对于给定的class

S1.x=randn(m,1);
S1+2*randn(m,1); % Plus Override
S1.smooth; % Class Methods
S1.detrend; 

现在我希望以这样的方式处理class arrays相同的class;

S=[S1 S2 S3 S4];
S.smooth; % Methods for Class Array
S.detrend;

问题 是否有一种简单的方法可以执行此操作,而不会重写实施functions classproperties的所有methods

我正在寻找一些特定的添加,重新定义,一段代码,技巧等,以便以干净的方式做到这一点。这样做的目的是代码功能,而不是性能 - 少数性能关键功能已经被矢量化了。

问候,

1 个答案:

答案 0 :(得分:2)

怎么样:

classdef TestClass
   methods
       function smooth(obj)
           if numel(obj) == 1
               disp('Hello')
           else
               for i=1:numel(obj)
                   obj(i).smooth;
               end
           end

       end
   end
end

名为:

>> t1 = TestClass;
>> t1.smooth
Hello


>> t2 = [TestClass TestClass TestClass];    
>> t2.smooth
Hello
Hello
Hello

如果你真的想要,你也应该能够重载subsref运算符以自动对所有方法执行此操作(它允许您访问.运算符)。然而,根据我的经验,正确地重载subsref并不是直截了当的,可能比值得付出更多努力。

以下是这个想法的一个例子。这很简单,你可能需要进一步改进,但应该让你开始。注意hackery的欢呼声:)

classdef TestClass
properties
    Value
end

methods        
    function obj = TestClass(x)
        obj.Value = x;
    end

    function smooth(obj)
        fprintf('I am %d\n', obj.Value)
    end

    function res = opposite(obj)
        res = -obj.Value;
    end

    function [res1,res2,res3] = test(obj)
        res1 = obj.Value;
        res2 = res1*res1;
        res3 = res2*res1;
    end

    function varargout = subsref(A,S)
        if numel(A) > 1 && strcmp(S(1).type, '.')
            if nargout == 0
                feval(S.subs, A(1));
            else
                nout = nargout(['TestClass>TestClass.' S.subs]);
                if nout < 0
                    nout = -nout;
                end
                if nout == 0
                    arrayfun(@(x)feval(S.subs, x), A);
                    varargout = cell(1, nargout);
                else
                    for i=1:nargout                            
                        [output{1:nout}] = feval(S.subs, A(i));
                        varargout{i} = output;
                        output = {};
                    end
                end

            end
        else
            if nargout == 0
                builtin('subsref', A, S);
            else
                varargout{:} = builtin('subsref', A, S);
            end
        end
    end        
end

使用示例:

>> t1 = TestClass(5);
>> t1.smooth;
I am 5

>> t2 = [TestClass(1) TestClass(2) TestClass(3)];
>> t2(2).smooth;
I am 2
>> t2.smooth;
I am 1
I am 2
I am 3
>> t2(1:2).smooth
I am 1
I am 2
>> t2(2:3).smooth
I am 2
I am 3
>> t2([1 3]).smooth
I am 1
I am 3
>> t2.test

ans = 

    [1]    [1]    [1]


ans = 

    [2]    [4]    [8]


ans = 

    [3]    [9]    [27]