两个问题,一个相当简单的问题(至少看起来应该很简单),另一个可能需要更多的工作。随时为这两者之一做出贡献。
首先,我想根据条件基于现有字符串数组创建一个字符串数组。例如,对双数组进行类似的操作:
>> nums = [ 1 2 1 2]
nums =
1 2 1 2
>> big_nums = (nums == 2) .* nums
big_nums =
0 2 0 2
我想对字符串数组做类似的事情,但是我不知道要使用什么函数:
>> sizes = ["XL" "L" "XL" "L"]
sizes =
1×4 string array
"XL" "L" "XL" "L"
>> large_sizes = (sizes == "L") .* sizes
Undefined operator '.*' for input arguments of type 'string'.
我希望输出为
large_sizes =
1×4 string array
"" "L" "" "L"
第二个问题。假设我有一个二维单元阵列。我想根据条件过滤数据:
>> data = {"winter", 1; "spring", 2; "summer", 3; "fall", 4}
data =
4×2 cell array
["winter"] [1]
["spring"] [2]
["summer"] [3]
["fall" ] [4]
>> nice_weather = ( (data(1,:) == "fall") + (data(1,:) == "spring") ) .* data
Error using ==
Cell must be a cell array of character vectors.
我想要一个产生两个数组之一的代码: nice_weather =
4×2 cell array
[""] [1]
["spring"] [2]
[""] [3]
["fall"] [4]
-----或-----
nice_weather =
2×2 cell array
["spring"] [2]
["fall"] [4]
对于这个问题,我也愿意将数据分成多个数组(例如,一个字符串数组和一个数字数组)。
谢谢!
答案 0 :(得分:1)
此解决方案使用MATLAB中的strcmpi
函数(不需要工具箱)来比较两个字符串(不区分大小写)。
sizes = {'XL' 'L' 'XL' 'L'}; % Changed " to ' & used cell array
idx = strcmpi(sizes,'L'); % Logical index
sizelist = {sizes{idx}}
或者您可以尝试类似的方法
sizes(~idx) = {"" ""} % manual just for example
要自动调整空白数量""
,可以像这样使用repmat
sizes(~idx) = repmat({""},1,sum(~idx))
输出:
大小= 1×4单元格数组
{[“”]} {'L'} {[“”]} {'L'}
data = {'winter', 1; 'spring', 2; 'summer', 3; 'fall', 4}; % Changed " to '
nicemo1 = 'spring';
nicemo2 = 'fall';
idx = strcmpi(data(:,1),nicemo1) | strcmp(data(:,1),nicemo2); % Obtain logical index
data(idx,:)
输出:
ans = 2×2单元格数组
{'spring'} {[2]}
{'fall'} {[4]}
已通过MATLAB R2018b测试。
另外请注意像sizes
这样的变量,因为放下一个字母会掩盖有用的功能size
。