powershell
active-directory
]
getting canonical name in Active Directory via PowerShell
Some time ago I wrote a blog post about distinguished names and how to compute a parent in Active Directory using powershell).
Today I’m following-up with a simple PowerShell function for translating distinguished name into a canonical name.
function Get-CanonicalName
{
[cmdletbinding(ConfirmImpact = 'Low', SupportsShouldProcess=$true)]
param(
[Parameter(Mandatory=$true,ValueFromPipeline = $true)][string]$DistinguishedName
)
begin
{
# nothing to do here we don't need to setup anything if
# multiple DNs are at the pipeline
}
process
{
# process each DistinhuishedName from the pipeline
if ($DistinguishedName -match "^dc=")
{
((($DistinguishedName -split ",DC=") -join ".").TrimStart("DC="))+"/"
}else
{
$dcregex=New-Object Regex("(?<!\\),DC=")
$dcprefix=$dcregex.Split($DistinguishedName,2)[-1].Replace(",DC=",".")
$objDN=$dcregex.Split($DistinguishedName,2)[0]
$regex=New-Object Regex("(?<!\\),")
$components=$regex.Split($objDn)
[array]::Reverse($components)
$retval="$dcprefix"
foreach($rdn in $components)
{
$name=$rdn.Split('=',2)[-1]
$retval+="/$name"
}
$retval
}
}
end
{
# Nothing to do here, we don't need any specific cleanup
}
}
The PowerShell script isn’t easy to read, so I’ll try to explain it step by step.
The first condition handles a corner case.
if ($DistinguishedName -match "^dc=")
{
((($DistinguishedName -split ",DC=") -join ".").TrimStart("DC="))+"/"
}
In this case we have only domain naming context without any objects nor OUs, thus we’ll process only the domain context. It is rather simple:
- Split the string by domain components
DC=
- Join the parts with a
.
(dot) - Remove
DC=
from the start of the string - Append a trailing slash
/
This way, DC=ad,DC=domain,DC=local
will be converted to ad.domain.local/
In the second case we have two parts:
- Domain context part
- oOject relative part (within domain context).
The domain context part processed the same way as in the first case.
The object relative part is processed this way:
- Split the object by
,
using a negative lookbehind to ignore\,
which is used as escape character for comma in DN. - Reverse the result.
- Parse each relative distinguished name
(rdn)
and remove the
CN=
andOU=
components, keeping only the names of the containers, not their objectClass equivalents. - Concatenate the strings
That’s it, happy canonical naming.