在SQL中的字母数字字符串中添加所有数字前后的空格

时间:2017-01-09 06:32:50

标签: sql sql-server string alphanumeric string-operations

在SQL

中的字母数字字符串中添加所有数字前后的空格

示例:

  

aa01bb03cc - > aa 01 bb 03 cc

     

aa nk 0221ed23xyz op09 yy - > aa nk 0221 ed 23 xyz op 09 yy

1 个答案:

答案 0 :(得分:1)

我提出了这种方法:

CREATE FUNCTION dbo.WhitespaceNumbers (
    @string VARCHAR(MAX)
    )
RETURNS VARCHAR(MAX)
AS
BEGIN
    DECLARE @position0 INT = 0
        , @position1 INT = 0
        , @position2 INT = 0;

    WHILE @string LIKE '%[^ 0-9][0-9]%' OR @string LIKE '%[0-9][^ 0-9]%'
    BEGIN
        SET @position1 = PATINDEX('%[^ 0-9][0-9]%', @string);
        SET @position2 = PATINDEX('%[0-9][^ 0-9]%', @string);

        SET @position0 = (
            SELECT MIN(position)
            FROM (VALUES (@position1), (@position2)) AS T(position)
            WHERE T.position > 0
            );

        SET @string = STUFF(@string, @position0 + 1, 0, ' ');
    END

    RETURN @string;
END

它确实找到了与这些模式之一不匹配的最小位置,并在其后面添加了一个空格:

  • %[^ 0-9][0-9]% - 除数字或空格之外的其他内容
  • %[0-9][^ 0-9]% - 除了数字或空格之后的数字

然后在它之后添加一个空格,然后继续循环 我正在进行T.position > 0检查,因为如果只有一个匹配的模式,@ position0设置为0并且它将无限运行。

您的查询中的结果符合预期:

PRINT dbo.WhitespaceNumbers('aa01bb03cc');
aa 01 bb 03 cc

PRINT dbo.WhitespaceNumbers('aa nk 0221ed23xyz op09 yy');
aa nk 0221 ed 23 xyz op 09 yy

请记住,这是非常原始的,可以简化并包装在一个封装逻辑的函数中。

我还鼓励您在应用程序级别应用以下逻辑,而不是数据库(如果可能)。 SQL Server在字符串操作方面表现不佳。

更新

进行了一些代码更改。这看起来更优雅,并且完全相同

CREATE FUNCTION dbo.WhitespaceNumbers (@string VARCHAR(MAX))
RETURNS VARCHAR(MAX)
AS
BEGIN
    DECLARE @position INT;

    WHILE 1 = 1
    BEGIN
        SET @position = (
            SELECT MIN(position)
            FROM (VALUES (PATINDEX('%[^ 0-9][0-9]%', @string)), (PATINDEX('%[0-9][^ 0-9]%', @string))) AS T(position)
            WHERE T.position > 0
            );

        IF @position IS NULL
            BREAK;

        SET @string = STUFF(@string, @position + 1, 0, ' ');
    END

    RETURN @string;
END