欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

SQL计算字符串中最大的递增子序列的方法

程序员文章站 2022-07-06 13:48:28
求字符串中最大的递增子序列数据库环境:sql server 2005如题,求字符串“abcbklmnodfghijkmer”中最大的递增子序列。这个字符串有点特别,只由26个小写字母a-z组成。大概思...

求字符串中最大的递增子序列

数据库环境:sql server 2005

如题,求字符串“abcbklmnodfghijkmer”中最大的递增子序列。这个字符串有点特别,

只由26个小写字母a-z组成。

大概思路如下:

1.将字符串转到一列存储,并生成行号

2.设置一个递增计数器列,默认为1,比较上下行的字符,如果在字典中的顺序是递增,

则计数器加1,否则,计数器置1

3.找出计数器最大的数及对应的行号,根据这2个数截取字符串

思路有了,下面直接贴代码

declare @vtext varchar(255)
set @vtext = 'abcbklmnodfghijkmer'
/*讲字符串转成一列存储,并生成行号*/
with x0
   as ( select number as id ,
      substring(@vtext, number, 1) as letter
    from  master.dbo.spt_values
    where type = 'p'
      and number <= len(@vtext)
      and number >= 1
    ),/*实现计数器*/
  x1 ( id, letter, clen )
   as ( select id ,
      letter ,
      1 as clen
    from  x0
    where id = 1
    union all
    select x0.id ,
      x0.letter ,
      case when x1.letter <= x0.letter then x1.clen + 1
        else 1
      end as clen
    from  x0 ,
      x1
    where x0.id = x1.id + 1
    )
 /*截取字符串*/
 select substring(@vtext, start, sublen) as 最大子序列
 from ( select id ,
      clen ,
      max(clen) over ( ) as maxclen ,
      id - max(clen) over ( ) + 1 as start ,
      max(clen) over ( ) as sublen
    from  x1
   ) t
 where clen = maxclen

求出的最大子序列是

SQL计算字符串中最大的递增子序列的方法

通过以上的思路和代码,希望可以对大家有所启迪和帮助。