In SQL Server, CHARINDEX and SUBSTRING are two powerful functions that are commonly used to manipulate string data.
CHARINDEX Function
The CHARINDEX function is used to find the position of a substring within a string. It returns the starting position of the first occurrence of a specified substring within a given string. If the substring is not found, it returns 0.
Syntax:
CHARINDEX(substring, string [, start_position])
- substring: The substring you want to search for.
- string: The string expression to be searched.
- start_position (optional): The position from which to start the search. The default is 1.
SUBSTRING Function
The SUBSTRING function is used to extract a part of a string. It returns a specified number of characters from a given starting point within the string.
Syntax:
SUBSTRING(string, start, length)
- string: The string expression from which you want to extract.
- start: The starting position in the string (1-based index).
- length: The number of characters to extract.
Example Usage
Let's say you have a table Employees with a column FullName containing names formatted as "LastName, FirstName". You want to extract just the FirstName.
1. Find the position of the comma using CHARINDEX.
2. Extract the first name using SUBSTRING.
Here’s how you can do it:
SELECT 
    FullName,
    SUBSTRING(FullName, CHARINDEX(',', FullName) + 2, LEN(FullName)) AS FirstName
FROM 
    Employees;
Explanation:
1. CHARINDEX(',', FullName) finds the position of the comma in FullName.
2. CHARINDEX(',', FullName) + 2 gives you the starting position of the FirstName (the +2 is to skip the comma and the space after it).
3. LEN(FullName) gives you the total length of the FullName. This means that the SUBSTRING will take characters from the starting position until the end of the string.
4. The result will be the first name extracted from the full name.
Important Notes
- Remember that SQL Server uses a 1-based index, which means that the first character of the string is at position 1.
- If the substring you are searching for is not found, CHARINDEX will return 0, which can affect SUBSTRING logic if not handled properly. Always ensure you check for whether the index is greater than 0 before attempting to use it in SUBSTRING. 
With this guidance, you can effectively manipulate and extract string data using CHARINDEX and SUBSTRING in your SQL queries.