Matlab - how to replace all the special characters in a vector?

前端 未结 1 888
悲哀的现实
悲哀的现实 2020-12-30 12:47

Is it possible to replace all the special characters in a matlab vector through a regular expression?

Thank you

*EDIT: *

Thank you for your

相关标签:
1条回答
  • 2020-12-30 13:49

    If by "special characters" you mean less-frequently used Unicode characters like ¥, , or ¼, then you can use either the function REGEXPREP or set comparison functions like ISMEMBER (and you can convert the character string to its equivalent integer code first using the function DOUBLE if needed). Here are a couple examples where all but the standard English alphabet characters (lower and upper case) are removed from a string:

    str = ['ABCDEFabcdefÁÂÃÄÅÆÇÈÉÊËÌÍÎÏÐ'];   %# A sample string
    str = regexprep(str,'[^a-zA-Z]','');      %# Remove characters using regexprep
    str(~ismember(str,['A':'Z' 'a':'z'])) = '';  %# Remove characters using ismember
                                                 %#   (as suggested by Andrew)
    str(~ismember(double(str),[65:90 97:122])) = '';  %# Remove characters based on
                                                      %#   their integer code
    

    All of the options above produce the same result:

    str =
    
    ABCDEFabcdef
    


    EDIT:

    In response to the specific example in the updated question, here's how you can use REGEXPREP to replace all characters that aren't a-z, A-Z, or 0-9 with blanks:

    str = regexprep(str,'[^a-zA-Z0-9]','');
    

    This may be easier than trying to write a regex to match each individual "special" character, since there could potentially be many of them. However, if you were certain that the only special characters would be _, %, and !, this should achieve the same as the above:

    str = regexprep(str,'[_%!]','');
    

    Also, as mentioned in the comment by Amro, you could also use the function ISSTRPROP to replace all non-alphanumeric characters with blanks like so:

    str(~isstrprop(str,'alphanum')) = '';
    
    0 讨论(0)
提交回复
热议问题