If every row of the data have the CR LF at the begin just strip them from the rows
SELECT SUBSTRING(3, LEN(field)) field
FROM Table
otherwise, if not all rows begin with CR LF you need to check from it
SELECT CASE WHEN CHAR(13) + CHAR(10) = LEFT(field, 2)
THEN SUBSTRING(field, 3, LEN(field))
ELSE field
END
FROM Table
The queries before this will only remove the first CR LF, to remove any number of them it' possible to use recursive CTE
WITH S AS (
SELECT sentence
= CASE WHEN char(13) + char(10) = LEFT(sentence, 2)
THEN SUBSTRING(sentence, 3, LEN(sentence))
ELSE sentence
END
FROM Test
UNION ALL
SELECT sentence = SUBSTRING(sentence, 3, LEN(sentence))
FROM S
WHERE char(13) + char(10) = LEFT(sentence, 2)
)
select Sentence
FROM S
WHERE char(13) + char(10) <> LEFT(sentence, 2)
or, as Filip De Vos pointed out in a comment, search for the first char that is not CR LF
SELECT SUBSTRING(sentence
, PATINDEX('%[^' + char(13) + char(10) + ']%', sentence)
, LEN(sentence))
FROM test
SQLFiddle demo with both queries