3

有没有一种简单的方法可以从 MATLAB 中的字符串创建首字母缩写词?例如:

'Superior Temporal Gyrus' => 'STG'
4

2 回答 2

8

如果你想把每个大写字母变成一个缩写......

...你可以使用函数REGEXP

str = 'Superior Temporal Gyrus';  %# Sample string
abbr = str(regexp(str,'[A-Z]'));  %# Get all capital letters

...或者您可以使用函数UPPERISSPACE

abbr = str((str == upper(str)) & ~isspace(str));  %# Compare str to its uppercase
                                                  %#   version and keep elements
                                                  %#   that match, ignoring
                                                  %#   whitespace

...或者您可以改为使用大写字母的ASCII/UNICODE 值:

abbr = str((str <= 90) & (str >= 65));  %# Get capital letters A (65) to Z (90)


如果你想把一个单词开头的每个字母都变成一个缩写......

...你可以使用函数REGEXP

abbr = str(regexp(str,'\w+'));  %# Get the starting letter of each word

...或者您可以使用函数STRTRIMFINDISSPACE

str = strtrim(str);  %# Trim leading and trailing whitespace first
abbr = str([1 find(isspace(str))+1]);  %# Get the first element of str and every
                                       %#   element following whitespace

...或者您可以使用逻辑索引修改上述内容以避免调用FIND

str = strtrim(str);  %# Still have to trim whitespace
abbr = str([true isspace(str)]);


如果要将单词开头的每个大写字母都放入缩写词中...

...您可以使用功能REGEXP

abbr = str(regexp(str,'\<[A-Z]\w*'));
于 2010-06-14T16:10:39.197 回答
0

谢谢,还有这个:

s1(regexp(s1, '[A-Z]', 'start'))

将返回由字符串中的大写字母组成的缩写。注意字符串必须在句子大小写

于 2010-06-14T17:17:39.810 回答