programing

SQL Server VARCHAR/NVARCHAR 문자열에 줄 바꿈을 삽입하는 방법

bestprogram 2023. 4. 7. 22:01

SQL Server VARCHAR/NVARCHAR 문자열에 줄 바꿈을 삽입하는 방법

저는 이 주제에 대해 비슷한 질문을 받지 못했고, 제가 지금 하고 있는 일을 위해 이것을 조사해야 했습니다.혹시라도 다른 사람이 같은 질문을 할 경우를 대비해서 답을 올리려고 했어요.

char(13)CR. DOS/Windows 스타일의 경우CRLF줄 바꿈, 원하는 것char(13)+char(10)예를 들어 다음과 같습니다.

'This is line 1.' + CHAR(13)+CHAR(10) + 'This is line 2.'

여기서 답을 찾았습니다.http://blog.sqlauthority.com/2007/08/22/sql-server-t-sql-script-to-insert-carriage-return-and-new-line-feed-in-code/

스트링을 연결하고 삽입하기만 하면 됩니다.CHAR(13)라인 브레이크가 필요한 곳.

예를 들어:

DECLARE @text NVARCHAR(100)
SET @text = 'This is line 1.' + CHAR(13) + 'This is line 2.'
SELECT @text

다음의 출력이 됩니다.

여기는 1호선입니다.
여기는 2호선입니다.

또 다른 방법은 다음과 같습니다.

INSERT CRLF SELECT 'fox 
jumped'

즉, 쿼리를 쓸 때 줄 바꿈을 삽입하는 것만으로 데이터베이스에 같은 줄 바꿈이 추가됩니다.이 기능은 SQL Server Management 스튜디오 및 Query Analyzer에서 작동합니다.@ sign on string을 사용하면 C#에서도 동작한다고 생각합니다.

string str = @"INSERT CRLF SELECT 'fox 
    jumped'"

이러한 옵션은 상황에 따라 모두 동작합니다만, SSMS 를 사용하고 있는 경우는, 어느 것도 동작하지 않는 경우가 있습니다(일부 코멘트에 기재되어 있듯이, SSMS 는 CR/LF 를 숨깁니다).

따라서 자신을 코너에 몰아넣지 말고 에서 이 설정을 체크해 주세요.

Tools | Options

그 대신,

SSMS에서 실행하면 SQL 내의 줄 바꿈 자체가 줄 바꿈이 되는 방법을 보여줍니다.

PRINT 'Line 1
Line 2
Line 3'
PRINT ''

PRINT 'How long is a blank line feed?'
PRINT LEN('
')
PRINT ''

PRINT 'What are the ASCII values?'
PRINT ASCII(SUBSTRING('
',1,1))
PRINT ASCII(SUBSTRING('
',2,1))

결과:
회선 1
회선 2
회선 3행

빈 줄바꿈은 얼마나 걸리나요?
2

ASCII 값은 무엇입니까?
13
10

스트링을 한 줄(거의!)로 지정하는 경우는, 채용할 수 있습니다.REPLACE()이와 같이(옵션으로 사용)CHAR(13)+CHAR(10)대체품으로서)

PRINT REPLACE('Line 1`Line 2`Line 3','`','
')

구글 팔로우...

웹 사이트에서 코드 가져오기:

CREATE TABLE CRLF
    (
        col1 VARCHAR(1000)
    )

INSERT CRLF SELECT 'The quick brown@'
INSERT CRLF SELECT 'fox @jumped'
INSERT CRLF SELECT '@over the '
INSERT CRLF SELECT 'log@'

SELECT col1 FROM CRLF

Returns:

col1
-----------------
The quick brown@
fox @jumped
@over the
log@

(4 row(s) affected)


UPDATE CRLF
SET col1 = REPLACE(col1, '@', CHAR(13))

자리 표시자를 CHAR(13)로 바꾸면 될 것 같습니다.

좋은 질문입니다.제가 직접 해본 적은 없습니다:)

C# 문자열에서 지정한 cr-lfs가 SQL Server Management Studio 쿼리 응답에 표시되지 않는 것이 우려되어 왔습니다.

알고 보니, 그것들은 거기에 있지만, 전시되어 있지 않습니다.

cr-lfs를 보려면 다음과 같이 인쇄문을 사용합니다.

declare @tmp varchar(500)    
select @tmp = msgbody from emailssentlog where id=6769;
print @tmp

라고 할 수 있을 것 같다

concat('This is line 1.', 0xd0a, 'This is line 2.')

또는

concat(N'This is line 1.', 0xd000a, N'This is line 2.')

CRLF로 구분된 기존 텍스트 BLOB에 텍스트 행을 추가하고 T-SQL 식을 반환하는 C# 함수를 다음에 나타냅니다.INSERT ★★★★★★★★★★★★★★★★★」UPDATE운용을 실시합니다.여기에는 당사의 독자적인 에러 처리가 포함되어 있습니다만, 일단 그것을 삭제해 버리면 도움이 될 것입니다.이치노

/// <summary>
/// Generate a SQL string value expression suitable for INSERT/UPDATE operations that prepends
/// the specified line to an existing block of text, assumed to have \r\n delimiters, and
/// truncate at a maximum length.
/// </summary>
/// <param name="sNewLine">Single text line to be prepended to existing text</param>
/// <param name="sOrigLines">Current text value; assumed to be CRLF-delimited</param>
/// <param name="iMaxLen">Integer field length</param>
/// <returns>String: SQL string expression suitable for INSERT/UPDATE operations.  Empty on error.</returns>
private string PrependCommentLine(string sNewLine, String sOrigLines, int iMaxLen)
{
    String fn = MethodBase.GetCurrentMethod().Name;

    try
    {
        String [] line_array = sOrigLines.Split("\r\n".ToCharArray());
        List<string> orig_lines = new List<string>();
        foreach(String orig_line in line_array) 
        { 
            if (!String.IsNullOrEmpty(orig_line))  
            {  
                orig_lines.Add(orig_line);    
            }
        } // end foreach(original line)

        String final_comments = "'" + sNewLine + "' + CHAR(13) + CHAR(10) ";
        int cum_length = sNewLine.Length + 2;
        foreach(String orig_line in orig_lines)
        {
            String curline = orig_line;
            if (cum_length >= iMaxLen) break;                // stop appending if we're already over
            if ((cum_length+orig_line.Length+2)>=iMaxLen)    // If this one will push us over, truncate and warn:
            {
                Util.HandleAppErr(this, fn, "Truncating comments: " + orig_line);
                curline = orig_line.Substring(0, iMaxLen - (cum_length + 3));
            }
            final_comments += " + '" + curline + "' + CHAR(13) + CHAR(10) \r\n";
            cum_length += orig_line.Length + 2;
        } // end foreach(second pass on original lines)

        return(final_comments);


    } // end main try()
    catch(Exception exc)
    {
        Util.HandleExc(this,fn,exc);
        return("");
    }
}

Oracle에서 목록을 내보내면 여러 줄에 걸쳐 레코드가 생성되기 때문에 cvs 파일에 관심이 있을 수 있으므로 주의해야 합니다.

것을 것 @@@@ 같은 것을해 보는 것 @@의 Rob의 .)@@' @' 、 @ @ 、 @ @ 、 @ @ @ 。그러면 뭔가 독특한 것을 얻을 수 있을 것입니다.(하지만, 그래도 그 길이를 기억하십시오.)varchar/nvarchar은(는)

한 경우를 들어 MS Report에서의 )에 도움이 될 수 .
§:

select * from 
(
values
    ('use STAGING'),
    ('go'),
    ('EXEC sp_MSforeachtable 
@command1=''select ''''?'''' as tablename,count(1) as anzahl from  ? having count(1) = 0''')
) as t([Copy_and_execute_this_statement])
go

언급URL : https://stackoverflow.com/questions/31057/how-to-insert-a-line-break-in-a-sql-server-varchar-nvarchar-string