I have a string, which I have split using the code $CreateDT.Split(" ")
. I now want to manipulate two separate strings in different ways. How can I separate these into two variables?
This question is related to
string
powershell
Like this?
$string = 'FirstPart SecondPart'
$a,$b = $string.split(' ')
$a
$b
Foreach-object operation statement:
$a,$b = 'hi.there' | foreach split .
$a,$b
hi
there
Try this:
$Object = 'FirstPart SecondPart' | ConvertFrom-String -PropertyNames Val1, Val2
$Object.Val1
$Object.Val2
It is important to note the following difference between the two techniques:
$Str="This is the<BR />source string<BR />ALL RIGHT"
$Str.Split("<BR />")
This
is
the
(multiple blank lines)
source
string
(multiple blank lines)
ALL
IGHT
$Str -Split("<BR />")
This is the
source string
ALL RIGHT
From this you can see that the string.split()
method:
While the -split
operator:
An array is created with the -split
operator. Like so,
$myString="Four score and seven years ago"
$arr = $myString -split ' '
$arr # Print output
Four
score
and
seven
years
ago
When you need a certain item, use array index to reach it. Mind that index starts from zero. Like so,
$arr[2] # 3rd element
and
$arr[4] # 5th element
years
Source: Stackoverflow.com