sql-serversql-server-2008t-sqlstring-lengthdatalength

SQL Server 2008 Empty String vs. Space


I ran into something a little odd this morning and thought I'd submit it for commentary.

Can someone explain why the following SQL query prints 'equal' when run against SQL 2008. The db compatibility level is set to 100.

if '' = ' '
    print 'equal'
else
    print 'not equal'

And this returns 0:

select (LEN(' '))

It appears to be auto trimming the space. I have no idea if this was the case in previous versions of SQL Server, and I no longer have any around to even test it.

I ran into this because a production query was returning incorrect results. I cannot find this behavior documented anywhere.

Does anyone have any information on this?


Solution

  • varchars and equality are thorny in TSQL. The LEN function says:

    Returns the number of characters, rather than the number of bytes, of the given string expression, excluding trailing blanks.

    You need to use DATALENGTH to get a true byte count of the data in question. If you have unicode data, note that the value you get in this situation will not be the same as the length of the text.

    print(DATALENGTH(' ')) --1
    print(LEN(' '))        --0
    

    When it comes to equality of expressions, the two strings are compared for equality like this:

    It's the middle step that is causing unexpected results - after that step, you are effectively comparing whitespace against whitespace - hence they are seen to be equal.

    LIKE behaves better than = in the "blanks" situation because it doesn't perform blank-padding on the pattern you were trying to match:

    if '' = ' '
    print 'eq'
    else
    print 'ne'
    

    Will give eq while:

    if '' LIKE ' '
    print 'eq'
    else
    print 'ne'
    

    Will give ne

    Careful with LIKE though: it is not symmetrical: it treats trailing whitespace as significant in the pattern (RHS) but not the match expression (LHS). The following is taken from here:

    declare @Space nvarchar(10)
    declare @Space2 nvarchar(10)
    
    set @Space = ''
    set @Space2 = ' '
    
    if @Space like @Space2
    print '@Space Like @Space2'
    else
    print '@Space Not Like @Space2'
    
    if @Space2 like @Space
    print '@Space2 Like @Space'
    else
    print '@Space2 Not Like @Space'
    
    @Space Not Like @Space2
    @Space2 Like @Space