Trimming in SQL Server - sql

How would i go about trimming this field '633827-9062-5000-0006 4'
to look like 633827906250000006.
Using trim functions?
The field will always be the same length & i need to remove the last character.
Thanks in advance.

Try using replace to remove the dashes and then left to get the 18 first chars.
left(replace(your_string, '-',''), 18)
In your example this would remove the white space and the 4 at the end and retain the first 18 characters.

DECLARE #value varchar(50) = '633827-9062-5000-0006 4';
SELECT REPLACE(RTRIM(LEFT(#value, LEN(#value) - 1)), '-', '')

To remove the last 2 characters (space and '4'), you could use SUBSTRING and REPLACE as in the following examples:
declare #s varchar(50);
declare #t varchar(50);
set #s = '633827-9062-5000-0006 4';
set #t = substring(#s, 1, 21)
print '[' + #t + ']';
set #t = substring(#s, 1, len(#s) - 2);
print '[' + #t + ']';
set #t = replace(substring(#s, 1, len(#s) - 2), '-', '');
print '[' + #t + ']';
In the first PRINT statement, I am hard-coding the length, and in the second, I calculate the final string length. If you wanted to remove the dashes as well, the third assignment does this as well.
If the string length could ever be less than 2 characters, STRING will complain about 'Invalid length parameter passed to the substring function.' You could use a CASE statement to protect against that.

declare #s varchar(50);
set #s = '633827-9062-5000-0006 4';
select replace(substring(#s,0,charindex(' ',#s)),'-','')

Related

SQL Remove string between two characters

I have a string such as this:
`a|b^c|d|e^f|g`
and I want to maintain the pipe delimiting, but remove the carrot sub-delimiting, only retaining the first value of that sub-delimiter.
The output result would be:
`a|b|d|e|g`
Is there a way I can do this with a simple SQL function?
Another option, using CHARINDEX, REPLACE and SUBSTRING:
DECLARE #OriginalString varchar(50) = 'a|b^c^d^e|f|g'
DECLARE #MyString varchar(50) = #OriginalString
WHILE CHARINDEX('^', #MyString) > 0
BEGIN
SELECT #MyString = REPLACE(#MyString,
SUBSTRING(#MyString,
CHARINDEX('^', #MyString),
CASE WHEN CHARINDEX('|', #MyString, CHARINDEX('^', #MyString)) > 0 THEN
CHARINDEX('|', #MyString, CHARINDEX('^', #MyString)) - CHARINDEX('^', #MyString)
ELSE
LEN(#MyString)
END
)
, '')
END
SELECT #OriginalString As Original, #MyString As Final
Output:
Original Final
a|b^c^d^e|f|g a|b|f|g
This expression will replace the first instance of caret up to the subsequent pipe (or end of string.) You can just run a loop until no more rows are updated or no more carets are found inside the function, etc.
case
when charindex('^', s) > 0
then stuff(
s,
charindex('^', s),
charindex('|', s + '|', charindex('^', s) + 1) - charindex('^', s),
''
)
else s
end
Here's a loop you can adapt for a function definition:
declare #s varchar(30) = 'a|b^c^d|e|f^g|h^i';
declare #n int = charindex('^', #s);
while #n > 0
begin
set #s = stuff(#s, #n, charindex('|', #s + '|', #n + 1) - #n, '');
set #n = charindex('^', #s, #n + 1);
end
select #s;
A little bit of care needs to be taken for the trailing of the string where there won't be a final pipe separator. You can see I've handled that.
First split the values delimited by | then extract the first value and concatenate the result back to get the result
Try this
SELECT Cast(left(intr,len(intr)-1) AS VARCHAR(1000)) AS res
FROM (SELECT LEFT(split_val, Isnull(NULLIF(Charindex('^', split_val), 0)-1, Len(split_val))) + '|'
FROM Udf_splitstring('a|bdd^c|d|e^f|g', '|')
FOR xml path (''))a (intr)
Result : a|bdd|d|e|g
Here is a article about split string functions Split strings the right way – or the next best way

How to remove last comma from csv file and add string in to it in SQL server 2012

I have csv file in SQL
#code varchar(10) = 'pc-shr,pqr,qzcx,rtde,rz-fg,kj-hl,jk_lm'
I tried
Convert(Varchar(10), #code) + CASE WHEN len(#code) >10 THEN '..etc' Else '' END [code]
but I want like this means to find last comma in a string and after that add ..etc
it should look like this
'pc-shr,pqr, ..etc'
Is this what you are looking for?
SET #code=
CASE WHEN LEN(#code) > 10
THEN SUBSTRING(#code, 0, 10) + ', etc...'
ELSE ''
END
The main problem i found that is your variable declaration i.e. #code varchar(10). It fixes its size to 10. You can try belwo :
Declare #code varchar(max) = 'pc-shr,pqr,qzcx,rtde,rz-fg,kj-hl,jk_lm';
IF LEN(#code) > 10
BEGIN
SET #code=SUBSTRING(#code, 0, 10) + ', etc...'
END
Query:
SQLFIDDLEExample
declare #code varchar(10) = 'pc-shr,pqr,qzcx,rtde,rz-fg,kj-hl,jk_lm'
select #code
--pc-shr,pqr
SELECT SUBSTRING(#code, 1, LEN(#code)-CHARINDEX (',' ,REVERSE(#code))) + '..etc'
--pc-shr..etc
Replacing right part of string where is last comma, if you want results like in your example increase size - varchar(11)
EDIT: you want this?
SELECT SUBSTRING(#code, 1, LEN(#code)-CHARINDEX (',' ,REVERSE(#code))+1) + '..etc'
--pc-shr,..etc
Last comma in a string #code varchar(10) is this pc-shr*,*pqr so I add ..etc to it
SELECT SUBSTRING(#code, 1, LEN(#code)-CHARINDEX (',' ,REVERSE(#code))+1) + '..etc '
+ SUBSTRING(#code, LEN(#code)-CHARINDEX (',' ,REVERSE(#code))+2,LEN(#code))
--pc-shr,..etc pqr

Get everything after and before certain character in SQL Server

I got the following entry in my database:
images/test.jpg
I want to trim the entry so I get: test
So basically, I want everything after / and before .
How can I solve it?
use the following function
left(#test, charindex('/', #test) - 1)
If you want to get this out of your table using SQL, take a look at the following functions that will help you: SUBSTRING and CHARINDEX. You can use those to trim your entries.
A possible query will look like this (where col is the name of the column that contains your image directories:
SELECT SUBSTRING(col, LEN(SUBSTRING(col, 0, LEN(col) - CHARINDEX ('/', col))) + 1,
LEN(col) - LEN(SUBSTRING(col, 0, LEN(col) - CHARINDEX ('/', col))) - LEN(SUBSTRING(
col, CHARINDEX ('.', col), LEN(col))));
Bit of an ugly beast. It also depends on the standard format of 'dir/name.ext'.
Edit:
This one (inspired by praveen) is more generic and deals with extensions of different length:
SELECT SUBSTRING(col, LEN(LEFT(col, CHARINDEX ('/', col))) + 1, LEN(col) - LEN(LEFT(col,
CHARINDEX ('/', col))) - LEN(RIGHT(col, LEN(col) - CHARINDEX ('.', col))) - 1);
Before
SELECT SUBSTRING(ParentBGBU,0,CHARINDEX('/',ParentBGBU,0)) FROM dbo.tblHCMMaster;
After
SELECT SUBSTRING(ParentBGBU,CHARINDEX('-',ParentBGBU)+1,LEN(ParentBGBU)) FROM dbo.tblHCMMaster
----select characters before / including /
select SUBSTRING ('abcde/wxyz',0,CHARINDEX('/','abcde/wxyz')+1)
--select characters after / including /
select SUBSTRING('abcde/wxyz',CHARINDEX('/','abcde/wxyz'),LEN('abcde/wxyz'))
declare #T table
(
Col varchar(20)
)
insert into #T
Select 'images/test1.jpg'
union all
Select 'images/test2.png'
union all
Select 'images/test3.jpg'
union all
Select 'images/test4.jpeg'
union all
Select 'images/test5.jpeg'
Select substring( LEFT(Col,charindex('.',Col)-1),charindex('/',Col)+1,len(LEFT(Col,charindex('.',Col)-1))-1 )
from #T
I have made a method which is much more general :
so :
DECLARE #a NVARCHAR(MAX)='images/test.jpg';
--Touch here
DECLARE #keysValueToSearch NVARCHAR(4000) = '/'
DECLARE #untilThisCharAppears NVARCHAR(4000) = '.'
DECLARE #keysValueToSearchPattern NVARCHAR(4000) = '%' + #keysValueToSearch + '%'
--Nothing to touch here
SELECT SUBSTRING(
#a,
PATINDEX(#keysValueToSearchPattern, #a) + LEN(#keysValueToSearch),
CHARINDEX(
#untilThisCharAppears,
#a,
PATINDEX(#keysValueToSearchPattern, #a) + LEN(#keysValueToSearch)
) -(PATINDEX(#keysValueToSearchPattern, #a) + LEN(#keysValueToSearch))
)
SELECT Substring('ravi1234#gmail.com', 1, ( Charindex('#', 'ravi1234#gmail.com')
- 1 ))
Before,
RIGHT('ravi123#gmail.com', ( Charindex('#', 'ravi123#gmail.com') + 1 ))
After
I just did this in one of my reports and it was very simple.
Try this:
=MID(Fields!.Value,8,4)
Note: This worked for me because the value I was trying to get was a constant not sure it what you are trying to get is a constant as well.
I know this has been a while.. but here is an idea
declare #test varchar(25) = 'images/test.jpg'
select
#test as column_name
, parsename(replace(#test,'/','.'),1) as jpg
,parsename(replace(#test,'/','.'),2) as test
,parsename(replace(#test,'/','.'),3) as images
I found Royi Namir's answer useful but expanded upon it to create it as a function. I renamed the variables to what made sense to me but you can translate them back easily enough, if desired.
Also, the code in Royi's answer already handled the case where the character being searched from does not exist (it starts from the beginning of the string), but I wanted to also handle cases where the character that is being searched to does not exist.
In that case it acts in a similar manner by starting from the searched from character and returning the rest of the characters to the end of the string.
CREATE FUNCTION [dbo].[getValueBetweenTwoStrings](#inputString
NVARCHAR(4000), #stringToSearchFrom NVARCHAR(4000), #stringToSearchTo
NVARCHAR(4000))
RETURNS NVARCHAR(4000)
AS
BEGIN
DECLARE #retVal NVARCHAR(4000)
DECLARE #stringToSearchFromSearchPattern NVARCHAR(4000) = '%' +
#stringToSearchFrom + '%'
SELECT #retVal = SUBSTRING (
#inputString,
PATINDEX(#stringToSearchFromSearchPattern, #inputString) + LEN(#stringToSearchFrom),
(CASE
CHARINDEX(
#stringToSearchTo,
#inputString,
PATINDEX(#stringToSearchFromSearchPattern, #inputString) + LEN(#stringToSearchFrom))
WHEN
0
THEN
LEN(#inputString) + 1
ELSE
CHARINDEX(
#stringToSearchTo,
#inputString,
PATINDEX(#stringToSearchFromSearchPattern, #inputString) + LEN(#stringToSearchFrom))
END) - (PATINDEX(#stringToSearchFromSearchPattern, #inputString) + LEN(#stringToSearchFrom))
)
RETURN #retVal
END
Usage:
SELECT dbo.getValueBetweenTwoStrings('images/test.jpg','/','.') AS MyResult
I got some invalid length errors. So i made this function, this should not give any length problems. Also when you do not find the searched text it will return a NULL.
CREATE FUNCTION [FN].[SearchTextGetBetweenStartAndStop](#string varchar(max),#SearchStringToStart varchar(max),#SearchStringToStop varchar(max))
RETURNS varchar(max)
BEGIN
SET #string = CASE
WHEN CHARINDEX(#SearchStringToStart,#string) = 0
OR CHARINDEX(#SearchStringToStop,RIGHT(#string,LEN(#string) - CHARINDEX(#SearchStringToStart,#string) + 1 - LEN(#SearchStringToStart))) = 0
THEN NULL
ELSE SUBSTRING(#string
,CHARINDEX(#SearchStringToStart,#string) + LEN(#SearchStringToStart) + 1
,(CHARINDEX(#SearchStringToStop,RIGHT(#string,LEN(#string) - CHARINDEX(#SearchStringToStart,#string) + 1 - LEN(#SearchStringToStart)))-2)
)
END
RETURN #string
END
if Input= pg102a-wlc01s.png.intel.com and Output should be pg102a-wlc01s
we can use below query :
select Substring(pc.name,0,charindex('.',pc.name,0)),pc.name from tbl_name pc
You can try this:
Declare #test varchar(100)='images/test.jpg'
Select REPLACE(RIGHT(#test,charindex('/',reverse(#test))-1),'.jpg','')
Below query gives you data before '-'
Ex- W12345A-4S
SELECT SUBSTRING(Column_Name,0, CHARINDEX('-',Column_Name)) as 'new_name'
from [abc].
Output - W12345A
Inspired by the work of Josien, I wondered about a simplification.
Would this also work? Much shorter:
SELECT SUBSTRING(col, CHARINDEX ('/', col) + 1, CHARINDEX ('.', col) - CHARINDEX ('/', col) - 1);
(I can't test right now because of right issues at my company SQL server, which is a problem in its own right)
Simply Try With LEFT ,RIGHT ,CHARINDEX
select
LEFT((RIGHT(a.name,((CHARINDEX('/', name))+1))),((CHARINDEX('.', (RIGHT(a.name,
((CHARINDEX('/', name))+1)))))-1)) splitstring,
a.name
from
(select 'images/test.jpg' as name)a
declare #searchStart nvarchar(100) = 'search ';
declare #searchEnd nvarchar(100) = ' ';
declare #string nvarchar(4000) = 'This is a string to search (hello) in this text ';
declare #startIndex int = CHARINDEX(#searchStart, #string,0) + LEN(#searchStart);
declare #endIndex int = CHARINDEX(#searchEnd, #string, #startIndex + 1);
declare #length int = #endIndex - #startIndex;
declare #sub nvarchar(4000) = SUBSTRING(#string, #startIndex, #length)
select #startIndex, #endIndex, #length, #sub
This is a little more legible than the one-liners in this answer which specifically answer the question, but not in a generic way that would benefit all readers. This could easily be made into a function as well with a slight modification.
If there are more than one or none occurences of given character use this:
DECLARE #rightidx int = CASE
WHEN 'images/images/test.jpg' IS NULL OR (CHARINDEX('.', 'images/images/test.jpg')) <= 0 THEN LEN('images/images/test.jpg')
ELSE (CHARINDEX('.', REVERSE('images/images/test.jpg')) - 1)
END
SELECT RIGHT('images/images/test.jpg', #rightidx)
This was the approach I took.
CREATE FUNCTION dbo.get_text_before_char(#my_string nvarchar(255),#my_char char(1))
RETURNS nvarchar(255)
AS
BEGIN;
return IIF(#my_string LIKE '%' + #my_char + '%',left (#my_string, IIF(charindex(#my_char, #my_string) - 1<1,1,charindex(#my_char, #my_string) - 1)),'');
END;
CREATE FUNCTION dbo.get_text_after_char(#my_string nvarchar(255),#my_char char(1))
RETURNS nvarchar(255)
AS
BEGIN;
return IIF ( #my_string LIKE '%' + #my_char + '%' ,RIGHT ( #my_string , IIF ( charindex ( #my_char ,reverse(#my_string) )-1 < 1 ,1 ,charindex ( #my_char ,reverse(#my_string) )-1 ) ) , '' )
END;
SELECT
dbo.get_text_before_char('foo-bar','-')
, dbo.get_text_after_char('foo-bar','-')
declare #test varchar(100)='images/test.jpg'
select right(left(#test, charindex('.', #test) - 1),4)

SQL: problem word count with len()

I am trying to count words of text that is written in a column of table. Therefor I am using the following query.
SELECT LEN(ExtractedText) -
LEN(REPLACE(ExtractedText, ' ', '')) + 1 from EDDSDBO.Document where ID='100'.
I receive a wrong result that is much to high.
On the other hand, if I copy the text directly into the statement then it works, i.e.
SELECT LEN('blablabla text') - LEN(REPLACE('blablabla text', ' ', '')) + 1.
Now the datatype is nvarchar(max) since the text is very long. I have already tried to convert the column into text or ntext and to apply datalength() instead of len(). Nevertheless I obtain the same result that it does work as a string but does not work from a table.
You're counting spaces not words. That will typically yield an approximate answer.
e.g.
' this string will give an incorrect result '
Try this approach: http://www.sql-server-helper.com/functions/count-words.aspx
CREATE FUNCTION [dbo].[WordCount] ( #InputString VARCHAR(4000) )
RETURNS INT
AS
BEGIN
DECLARE #Index INT
DECLARE #Char CHAR(1)
DECLARE #PrevChar CHAR(1)
DECLARE #WordCount INT
SET #Index = 1
SET #WordCount = 0
WHILE #Index <= LEN(#InputString)
BEGIN
SET #Char = SUBSTRING(#InputString, #Index, 1)
SET #PrevChar = CASE WHEN #Index = 1 THEN ' '
ELSE SUBSTRING(#InputString, #Index - 1, 1)
END
IF #PrevChar = ' ' AND #Char != ' '
SET #WordCount = #WordCount + 1
SET #Index = #Index + 1
END
RETURN #WordCount
END
GO
usage
DECLARE #String VARCHAR(4000)
SET #String = 'Health Insurance is an insurance against expenses incurred through illness of the insured.'
SELECT [dbo].[WordCount] ( #String )
Leading spaces, trailing spaces, two or more spaces between the neighbouring words – these are the likely causes of the wrong results you are getting.
The functions LTRIM() and RTRIM() can help you eliminate the first two issues. As for the third one, you can use REPLACE(ExtractedText, ' ', ' ') to replace double spaces with single ones, but I'm not sure if you do not have triple ones (in which case you'd need to repeat the replacing).
UPDATE
Here's a UDF that uses CTEs and ranking to eliminate extra spaces and then counts the remaining ones to return the quantity as the number of words:
CREATE FUNCTION fnCountWords (#Str varchar(max))
RETURNS int
AS BEGIN
DECLARE #xml xml, #res int;
SET #Str = RTRIM(LTRIM(#Str));
WITH split AS (
SELECT
idx = number,
chr = SUBSTRING(#Str, number, 1)
FROM master..spt_values
WHERE type = 'P'
AND number BETWEEN 1 AND LEN(#Str)
),
ranked AS (
SELECT
idx,
chr,
rnk = idx - ROW_NUMBER() OVER (PARTITION BY chr ORDER BY idx)
FROM split
)
SELECT #res = COUNT(DISTINCT rnk) + 1
FROM ranked
WHERE chr = ' ';
RETURN #res;
END
With this function your query will be simply like this:
SELECT fnCountWords(ExtractedText)
FROM EDDSDBO.Document
WHERE ID='100'
UPDATE 2
The function uses one of the system tables, master..spt_values, as a tally table. The particular subset used contains only values from 0 to 2047. This means the function will not work correctly for inputs longer than 2047 characters (after trimming both leading and trailing spaces), as #t-clausen.dk has correctly noted in his comment. Therefore, a custom tally table should be used if longer input strings are possible.
Replace the spaces with something that never occur in your text like ' $!' or pick another value.
then replace all '$! ' and '$!' with nothing this way you never have more than 1 space after a word. Then use your current script. I have defined a word as a space followed by a non-space.
This is an example
DECLARE #T TABLE(COL1 NVARCHAR(2000), ID INT)
INSERT #T VALUES('A B C D', 100)
SELECT LEN(C) - LEN(REPLACE(C,' ', '')) COUNT FROM (
SELECT REPLACE(REPLACE(REPLACE(' ' + COL1, ' ', ' $!'), '$! ',''), '$!', '') C
FROM #T ) A
Here is a recursive solution
DECLARE #T TABLE(COL1 NVARCHAR(2000), ID INT)
INSERT #T VALUES('A B C D', 100)
INSERT #T VALUES('have a nice day with 7 words', 100)
;WITH CTE AS
(
SELECT 1 words, col1 c, col1 FROM #t WHERE id = 100
UNION ALL
SELECT words +1, right(c, len(c) - patindex('% [^ ]%', c)), col1 FROM cte
WHERE patindex('% [^ ]%', c) > 0
)
SELECT words, col1 FROM cte WHERE patindex('% [^ ]%', c) = 0
You should declare the column using the varchar data type, like:
create table emp(ename varchar(22));
insert into emp values('amit');
select ename,len(ename) from emp;
output : 4

Remove the last character in a string in T-SQL?

How do I remove the last character in a string in T-SQL?
For example:
'TEST STRING'
to return:
'TEST STRIN'
e.g.
DECLARE #String VARCHAR(100)
SET #String = 'TEST STRING'
-- Chop off the end character
SET #String =
CASE #String WHEN null THEN null
ELSE (
CASE LEN(#String) WHEN 0 THEN #String
ELSE LEFT(#String, LEN(#String) - 1)
END
) END
SELECT #String
If for some reason your column logic is complex (case when ... then ... else ... end), then the above solutions causes you to have to repeat the same logic in the len() function. Duplicating the same logic becomes a mess. If this is the case then this is a solution worth noting. This example gets rid of the last unwanted comma. I finally found a use for the REVERSE function.
select reverse(stuff(reverse('a,b,c,d,'), 1, 1, ''))
Try this:
select substring('test string', 1, (len('test string') - 1))
If your string is empty,
DECLARE #String VARCHAR(100)
SET #String = ''
SELECT LEFT(#String, LEN(#String) - 1)
then this code will cause error message 'Invalid length parameter passed to the substring function.'
You can handle it this way:
SELECT LEFT(#String, NULLIF(LEN(#String)-1,-1))
It will always return result, and NULL in case of empty string.
This will work even when source text/var is null or empty:
SELECT REVERSE(SUBSTRING(REVERSE(#a), 2, 9999))
select left('TEST STRING', len('TEST STRING')-1)
#result = substring(#result, 1, (LEN(#result)-1))
This is quite late, but interestingly never mentioned yet.
select stuff(x,len(x),1,'')
ie:
take a string x
go to its last character
remove one character
add nothing
If your coloumn is text and not varchar, then you can use this:
SELECT SUBSTRING(#String, 1, NULLIF(DATALENGTH(#String)-1,-1))
If you want to do this in two steps, rather than the three of REVERSE-STUFF-REVERSE, you can have your list separator be one or two spaces. Then use RTRIM to trim the trailing spaces, and REPLACE to replace the double spaces with ','
select REPLACE(RTRIM('a b c d '),' ', ', ')
However, this is not a good idea if your original string can contain internal spaces.
Not sure about performance. Each REVERSE creates a new copy of the string, but STUFF is a third faster than REPLACE.
also see this
I can suggest this -hack- ;).
select
left(txt, abs(len(txt + ',') - 2))
from
t;
SQL Server Fiddle Demo
you can create function
CREATE FUNCTION [dbo].[TRUNCRIGHT] (#string NVARCHAR(max), #len int = 1)
RETURNS NVARCHAR(max)
AS
BEGIN
IF LEN(#string)<#len
RETURN ''
RETURN LEFT(#string, LEN(#string) - #len)
END
Get the last character
Right(#string, len(#String) - (len(#String) - 1))
Try this
DECLARE #String VARCHAR(100)
SET #String = 'TEST STRING'
SELECT LEFT(#String, LEN(#String) - 1) AS MyTrimmedColumn
I encountered this problem and this way my problem was solved:
Declare #name as varchar(30)='TEST STRING'
Select left(#name, len(#name)-1) as AfterRemoveLastCharacter
My answer is similar to the accepted answer, but it also check for Null and Empty String.
DECLARE #String VARCHAR(100)
SET #String = 'asdfsdf1'
-- If string is null return null, else if string is empty return as it is, else chop off the end character
SET #String = Case #String when null then null else (case LEN(#String) when 0 then #String else LEFT(#String, LEN(#String) - 1) end ) end
SELECT #String
declare #string varchar(20)= 'TEST STRING'
Select left(#string, len(#string)-1) as Tada
output:
Tada
--------------------
TEST STRIN
I love #bill-hoenig 's answer; however, I was using a subquery and I got caught up because the REVERSE function needed two sets of parentheses. Took me a while to figure that one out!
SELECT
-- Return comma delimited list of all payment reasons for this Visit
REVERSE(STUFF(REVERSE((
SELECT DISTINCT
CAST(CONVERT(varchar, r1.CodeID) + ' - ' + c.Name + ', ' AS VARCHAR(MAX))
FROM VisitReason r1
LEFT JOIN ReasonCode c ON c.ID = r1.ReasonCodeID
WHERE p.ID = r1.PaymentID
FOR XML PATH('')
)), 1, 2, '')) ReasonCode
FROM Payments p
To update the record by trimming the last N characters of a particular column:
UPDATE tablename SET columnName = LEFT(columnName , LEN(columnName )-N) where clause
Try It :
DECLARE #String NVARCHAR(100)
SET #String = '12354851'
SELECT LEFT(#String, NULLIF(LEN(#String)-1,-1))
declare #x varchar(20),#y varchar(20)
select #x='sam'
select
case when #x is null then #y
when #y is null then #x
else #x+','+#y
end
go
declare #x varchar(20),#y varchar(20)
select #x='sam'
--,#y='john'
DECLARE #listStr VARCHAR(MAX)
SELECT #listStr = COALESCE(#x + ', ' ,'') +coalesce(#y+',','')
SELECT left(#listStr,len(#listStr)-1)
Try this,
DECLARE #name NVARCHAR(MAX) SET #name='xxxxTHAMIZHMANI****'SELECT Substring(#name, 5, (len(#name)-8)) as UserNames
And the output will be like, THAMIZHMANI