SQL : Replace a string starting with specific character

kkran 831 Reputation points
2022-03-31T19:15:45.633+00:00

Hi team - If a column value starts with only S or T, I need to remove it. How do I write the SQL query?

For ex, the column values are S19-37373, S98765, T12345, T09-2345

The outcome should be 19-37373, 98765,12345, 09-2345

Thanks

SQL Server
SQL Server
A family of Microsoft relational database management and analysis systems for e-commerce, line-of-business, and data warehousing solutions.
11,597 questions
Transact-SQL
Transact-SQL
A Microsoft extension to the ANSI SQL language that includes procedural programming, local variables, and various support functions.
4,459 questions
{count} votes

Accepted answer
  1. LiHong-MSFT 10,031 Reputation points
    2022-04-01T02:39:21.54+00:00

    Hi @kkran
    There are different ways to remove the first character,some of which have been given by experts.
    You can find the used string functions at this link for more details.
    As a complement, you can also use the Right function,like this:

     Update #Sample  
     Set MyColumn = RIGHT(MyColumn, LEN(MyColumn) - 1)  
     Where Left(MyColumn, 1) In ('S', 'T');  
    

    Best regards,
    LiHong


    If the answer is the right solution, please click "Accept Answer" and kindly upvote it. If you have extra questions about this answer, please click "Comment".
    Note: Please follow the steps in our Documentation to enable e-mail notifications if you want to receive the related email notification for this thread.

    0 comments No comments

3 additional answers

Sort by: Most helpful
  1. Naomi 7,361 Reputation points
    2022-03-31T19:29:59.277+00:00

    Tom, instead of LEFT(myColumn,1) condition you may want to use
    myColumn LIKE '[S-T]%'

    Also, I was thinking that TRIM function in SQL 2017+ can also work since it allows to specify any combination of characters:

    DROP TABLE IF EXISTS #sample;
    Create Table #Sample(MyColumn varchar(20));
     Insert #Sample(MyColumn) Values
     ('S19-37373'), 
     ('S98765'), 
     ('T12345'), 
     ('T09-2345');
    
     SELECT *, TRIM('ST' FROM myColumn) AS newColumn FROM #Sample  s WHERE s.MyColumn LIKE '[S-T]%'
    
    1 person found this answer helpful.
    0 comments No comments

  2. Tom Cooper 8,451 Reputation points
    2022-03-31T19:25:50.687+00:00
    Create Table #Sample(MyColumn varchar(20));
    Insert #Sample(MyColumn) Values
    ('S19-37373'), 
    ('S98765'), 
    ('T12345'), 
    ('T09-2345');
    
    Update #Sample
    Set MyColumn = Stuff(MyColumn, 1, 1, '')
    Where Left(MyColumn, 1) In ('S', 'T');
    
    -- Check Result
    Select * From #Sample;
    

    Tom

    0 comments No comments

  3. Guoxiong 8,126 Reputation points
    2022-03-31T19:39:12.6+00:00

    Another solution is to use the function SUBSTRING():

    UPDATE MyTable
    SET Col =  SUBSTRING(Col, 2, LEN(Col) - 1)
    WHERE LEFT(Col, 1) IN ('S', 'T');
    
    0 comments No comments