我正在尝试在MATLAB中的单元格数组中找到子字符串出现的位置。下面的代码有效,但相当丑陋。在我看来应该有一个更容易的解决方案。
cellArray = [{'these'} 'are' 'some' 'nicewords' 'and' 'some' 'morewords'];
wordPlaces = cellfun(@length,strfind(cellArray,'words'));
wordPlaces = find(wordPlaces); % Word places is the locations.
cellArray(wordPlaces);
答案 0 :(得分:7)
要做的是将这个想法封装为一个功能。内联:
substrmatch = @(x,y) ~cellfun(@isempty,strfind(y,x))
findmatching = @(x,y) y(substrmatch(x,y))
或包含在两个m文件中:
function idx = substrmatch(word,cellarray)
idx = ~cellfun(@isempty,strfind(word,cellarray))
和
function newcell = findmatching(word,oldcell)
newcell = oldcell(substrmatch(word,oldcell))
所以现在你可以输入
>> findmatching('words',cellArray)
ans =
'nicewords' 'morewords'
答案 1 :(得分:4)
我不知道你是否认为它是一个更简单的解决方案,但regular expressions是一个非常好的通用工具,我经常用它来搜索字符串。从cellArray
中提取包含'words'
字词的单元格的一种方法如下:
>> matches = regexp(cellArray,'^.*words.*$','match'); %# Extract the matches
>> matches = [matches{:}] %# Remove empty cells
matches =
'nicewords' 'morewords'