我希望在不使用循环的情况下,在该值的相同连续运行中检测等于某个值的向量中的第一个和最后一个数字。
在一个例子中,我们假设我有矢量
x = [1 2 2 3 1 1 1 2 2 3]
我想知道从第6个元素开始的第一个和最后一个连续元素的位置。
因此,在这种情况下,它将意味着计算x的第6个元素有多少个连续的1(之前和之后)。预期输出:y=[5 7]
。
答案 0 :(得分:1)
您可以使用find
两次,一次从参考索引向后工作,一次向前工作。
从你的例子:
x = [1 2 2 3 1 1 1 2 2 3];
idx = 6;
% Logical index for elements equal to x(idx)
same = (x == x(idx));
% Get last index (up to idx) where not equal to x(idx)
istart = find(~same(1:idx-1), 1, 'last')
% Get first index (after idx) where not equal to x(idx)
iend = find(~same(idx+1:end), 1, 'first');
% Account for edge cases where consecutive run spans to the end of the array
% Could use NaN or anything else. These values will result in the value idx.
if isempty(istart); istart = idx-1; end;
if isempty(iend); iend = 1; end;
y = [istart+1, idx+iend-1];
输出:
disp(y)
% >> y = [5 7]