Extract characters to the right of a delimited value in a SELECT statement

℡╲_俬逩灬. 提交于 2019-12-18 04:47:20

问题


I need to extract all the characters to the right of a hyphen as part of a select statement. There will be other columns in the select. In the below query, the right three characters are selected from the second column. How would I extract an indefinite number of characters to the right of a delimiter – in my case a hyphen? Can I use the right function? Do I need to use another function?

Select column1, right(column2,3) as extracted, column3
From myTable

I am using SQL Server 2008.


回答1:


This question has a database specific answer.

If using SQL Server:

SELECT column1
     , RIGHT(column2,CHARINDEX('-',REVERSE(column2))-1) as extracted
     , column3 
FROM myTable

You can add a CASE statement or use NULLIF() in case the hyphen isn't always present:

SELECT column1
     , CASE WHEN column2 LIKE '%-%' THEN RIGHT(column2,CHARINDEX('-',REVERSE(column2))-1) 
           END as extracted
     , column3 
FROM myTable

Or:

SELECT column1
     , RIGHT(column2,NULLIF(CHARINDEX('-',REVERSE(column2)),0)-1) as extracted
     , column3 
FROM myTable

If using MySQL just change CHARINDEX() to LOCATE(). I believe Oracle it's INSTR() and the first two parameters are switched, first it's the string you're searching in, then the string you're searching for.




回答2:


How about:

SUBSTRING(column2, CHARINDEX('-',column2)+1, 8000)

(Replace 8000 with the definition of the column.)

Of course if the column might not always contain a hyphen, then you can say:

SUBSTRING(column2, COALESCE(NULLIF(CHARINDEX('-',column2)+1,1),1),8000)

If the column does not contain a hyphen, you'll get the whole column. If you want to exclude those from the result, you can add a WHERE clause:

WHERE CHARINDEX('-', column2) > 0

Or you can use a CASE expression like Goat CO's answer.



来源:https://stackoverflow.com/questions/19006692/extract-characters-to-the-right-of-a-delimited-value-in-a-select-statement

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!