I have single column that needs to be split to multiple, like Text-to-columns in excel. However there is a small challenge. Conventional delimiter will not work. Consider the string below
Original: Domain\Domain Admins Domain2\User Group Domain3\Developers .....(And so on)
Required: Domain\Domain Admins | Domain2\User Group | Domain3\Developers .....(And so on)
The pipe in the required string means that it needs to be split here and copied to next column as per the length of the string.
I have the list in column A with 506 rows. I used following formula to check the occurance of "\" i column B, count ranges from 0-66
=LEN(A2)-LEN(SUBSTITUTE(A2,"\",""))
I need help to code following logic
I used following code but it doesn't serve the purpose
Range("A1:A506").Select
Selection.TextToColumns
Please help with a code that keeps points 1 and 2 in mind.
Here is a function which you can use, comments + code are self-explanatory
Code:
Function SplitThis(InputStr As String) As Variant
Dim SplitStr() As String, SubStr() As String, RightmostStr As String
Dim OutputStr() As String
Dim Delim_Level1 As String, Delim_Level2 As String, Delim_Cut As String
Delim_Level1 = "\"
Delim_Level2 = " "
Delim_Cut = "}" ' Any character you are guaranteed not to find in your original string
'InputStr = "Domain\Domain Admins Domain2\User Group Domain3\Developer"
SplitStr = Split(InputStr, Delim_Level1)
' SplitStr(0) = "Domain"
' SplitStr(1) = "Domain Admins Domain2"
' SplitStr(2) = "User Group Domain3"
' SplitStr(3) = "Developer"
Dim i As Long
For i = 1 To UBound(SplitStr) - 1 ' i.e. 1 --> 2
SubStr = Split(SplitStr(i), Delim_Level2)
RightmostStr = SubStr(UBound(SubStr))
ReDim Preserve SubStr(0 To UBound(SubStr) - 1)
SplitStr(i) = Join(SubStr, Delim_Level2) & Delim_Cut & RightmostStr
Next i
' SplitStr(0) = "Domain"
' SplitStr(1) = "Domain Admins{Domain2"
' SplitStr(2) = "User Group{Domain3"
' SplitStr(3) = "Developer"
' These are joined to create:
' "Domain\Domain Admins}Domain2\User Group}Domain3\Developer"
'
' Which is split at the character "}" to create the output
OutputStr = Split(Join(SplitStr, Delim_Level1), Delim_Cut)
Dim OutputVariant() As Variant
ReDim OutputVariant(0 To 0, 0 To UBound(OutputStr))
For i = 0 To UBound(OutputStr)
OutputVariant(0, i) = OutputStr(i)
Next i
SplitThis = OutputVariant
End Function
Usage:
Cell A1 : "Domain\Domain Admins Domain2\User Group Domain3\Developer"
Cell A3:C3: {=SplitThis(A1)} ' Array formula
Screenshot:
Nagging Doubt: I have this feeling that the most efficient way to do this is by using some Regex
based solution, but for now this should do.