7

我需要一次生成多个结果,而不是一次在数组中生成所有结果。

我如何在 Matlab 中使用类似于 Python 中的语法的生成器来做到这一点?

4

2 回答 2

13

在执行使用yield关键字的函数时,它们实际上会返回一个生成器。生成器是一种迭代器。虽然 MATLAB 不提供两者的语法,但您可以自己实现“迭代器接口”。这是一个类似于xrangepython中的函数的示例:

classdef rangeIterator < handle
    properties (Access = private)
        i
        n
    end

    methods
        function obj = rangeIterator(n)
            obj.i = 0;
            obj.n = n;
        end

        function val = next(obj)
            if obj.i < obj.n
                val = obj.i;
                obj.i = obj.i + 1;
            else
                error('Iterator:StopIteration', 'Stop iteration')
            end
        end

        function reset(obj)
            obj.i = 0;
        end
    end
end

下面是我们如何使用迭代器:

r = rangeIterator(10);
try
    % keep call next() method until it throws StopIteration
    while true
        x = r.next();
        disp(x);
    end
catch ME
    % if it is not the "stop iteration" exception, rethrow it as an error
    if ~strcmp(ME.identifier,'Iterator:StopIteration')
        rethrow(ME);
    end
end

请注意,当在迭代器上使用 Python 中的构造for .. in ..时,它在内部做了类似的事情。

您可以使用常规函数而不是类编写类似的东西,方法是使用persistent变量或闭包来存储函数的本地状态,并在每次调用时返回“中间结果”。

于 2014-01-13T20:20:59.567 回答
5

在 MATLAB(还没有?在 Octave 中)中,您可以使用闭包(嵌套的、作用域函数):

function iterator = MyTimeStampedValues(values)

    index = 1;

    function [value, timestamp, done] = next()
        if index <= length(values)
            value = values(index);
            timestamp = datestr(now);
            done = (index == length(values));
            index = index + 1;
        else
            error('Values exhausted');
        end
    end

    iterator = @next;
end

接着

iterator = MyTimeStampedValues([1 2 3 4 5]);
[v, ts, done] = iterator();    % [1, '13-Jan-2014 23:30:45', false]
[v, ts, done] = iterator();    % ...
于 2014-01-13T22:32:40.653 回答