tags:

views:

1491

answers:

4

I'm trying to accomplish this:

strcat('red ', 'yellow ', 'white ')

I expected to see "red yellow white", however, I see "redyellowwhite" on the command output. What needs to be done to ensure the spaces are concatenated properly? Thanks in advance.

+4  A: 

From the matlab help page for strcat:

"strcat ignores trailing ASCII white space characters and omits all such characters from the output. White space characters in ASCII are space, newline, carriage return, tab, vertical tab, or form-feed characters, all of which return a true response from the MATLAB isspace function. Use the concatenation syntax [s1 s2 s3 ...] to preserve trailing spaces. strcat does not ignore inputs that are cell arrays of strings. "

nsanders
+4  A: 

Although STRCAT ignores trailing white space, it still preserves leading white space. Try this:

strcat('red',' yellow',' white')

Alternatively, you can just use the concatenation syntax:

['red ' 'yellow ' 'white ']
gnovice
+1  A: 

or you can say:

str = sprintf('%s%s%s', 'red ', 'yellow ', 'white ')
Amro
+1  A: 

You can protect trailing whitespace in strcat() or similar functions by putting it in a cell.

str = strcat({'red '}, {'yellow '}, {'white '})
str = str{1}

Not very useful in this basic example. But if you end up doing "vectorized" operations on the strings, it's handy. Regular array concatenation doesn't do the 1-to-many concatenation that strcat does.

strs = strcat( {'my '}, {'red ','yellow ','white '}, 'shirt' )

Sticking 'my ' in a cell even though it's a single string will preserve the whitespace. Note you have to use the {} form instead of calling cellstr(), which will itself strip trailing whitespace.

This is all probably because Matlab has two forms of representing lists of strings: as a cellstr array, where all whitespace is significant, and as a blank-padded 2-dimensional char array, with each row treated as a string, and trailing whitespace ignored. The cellstr form most resembles strings in Java and C; the 2-D char form can be more memory efficient if you have many strings of similar length. Matlab's string manipulation functions are polymorphic on the two representations, and sometimes exhibit differences like this. A char literal like 'foo' is a degenerate one-string case of the 2-D char form, and Matlab's functions treat it as such.

Andrew Janke

related questions