使用 powershell 将文件中的当前日期与日期字符串进行比较

Compare current date to date string in a file using powershell

我正在编写一些 PS 脚本来将时间记录到文本文件中,login.txt,使用以下代码:

$logdir = "C:\FOLDER"
$logfile = "$logdir\LastLogin.txt"
$user = $env:USERNAME
$date = Get-Date -Format "dd-MM-yyyy"
if (!(Test-Path $logdir)){New-Item -ItemType Directory $logdir}else{}
if (!(Test-Path $logfile)){New-Item $logfile}else{}
if (Get-Content $logfile | Select-String $user -Quiet){write-host "exists"}else{"$user - $date" | Add-Content -path $logfile}
(Get-Content $logfile) | Foreach-Object {$_ -replace "$user.+$", "$user - $date"; } | Set-Content $logfile

这会在文本文件中创建一个条目,例如:

用户名 - 01-01-1999

我想使用 Powershell 读取文本文件,将文本文件中的日期 01-01-1999 与当前日期进行比较,如果相差超过 30 天,则将用户名提取到一个变量中稍后在脚本中使用。

对于如何执行以下操作的任何提示,我将不胜感激:

  1. 将文本文件中的日期与当前日期进行比较。
  2. 如果相差超过 30 天,选择 UserName 作为变量。

如果有任何建议,我将不胜感激。

有一种使用 regex(正则表达式)的方法。我假设您在文本文件中得到的 username.(dot) 分隔的。例如,用户名看起来像 john.doejason.smith 等。文本文件中的条目看起来像 john.doe - 01-01-1999jason.smith - 02-02-1999。牢记这些事情,我们的方法是 -

  1. 使用正则表达式,我们可以将 usernamedate entry 放入单个变量中。
  2. 接下来,我们将在步骤 1 中得到的模式拆分为两部分,即 username 部分和 date 部分。
  3. 接下来我们取日期部分,如果相差超过 30 天,我们将取另一部分 (username) 并将其存储在一个变量中。

所以代码看起来像这样 -

$arr = @() #defining an array to store the username with date
$pattern = "[a-z]*[.][a-z]*\s[-]\s[\d]{2}[-][\d]{2}[-][\d]{4}" #Regex pattern to match entires like "john.doe - 01-01-1999"

Get-Content $logfile | Foreach {if ([Regex]::IsMatch($_, $pattern)) {
           $arr += [Regex]::Match($_, $pattern)
            }
        }
$arr | Foreach {$_.Value} #Storing the matched pattern in $arr


$UserNamewithDate = $arr.value -split ('\s[-]\s') #step 2 - Storing the username and date into a variable.

$array = @() #Defining the array that would store the final usernames based on the time difference.

for($i = 1; $i -lt $UserNamewithDate.Length;)
{
    $datepart = [Datetime]$UserNamewithDate[$i] #Casting the date part to [datetime] format
    $CurrentDate = Get-Date
    $diff = $CurrentDate - $datepart
    if ($diff.Days -gt 30)
    {
        $array += $UserNamewithDate[$i -1] #If the difference between current date and the date received from the log is greater than 30 days, then store the corresponding username in $array
    }
    $i = $i + 2
}

现在您可以访问 $array[0]$array[1] 等用户名。希望对您有所帮助!

注意 - 正则表达式模式将根据您定义的用户名格式进行更改。 Here 是一个 regex library,它可能会有所帮助。

在带有命名捕获组的正则表达式的帮助下检查文件中的所有日期。

$logdir = "C:\FOLDER"
$logfile = Join-Path $logdir "LastLogin.txt"
$Days = -30
$Expires = (Get-Date).AddDays($Days)

Get-Content $logfile | ForEach-Object {
  if ($_ -match "(?<User>[^ ]+) - (?<LastLogin>[0-9\-]+)") {
    $LastLogin = [datetime]::ParseExact($Matches.LastLogin,"dd-MM-yyyy",$Null)
    if ( $Expires -gt $LastLogin ) {
      "{0} last login {1} is {2:0} days ago" -F $Matches.User, $Matches.LastLogin,
         (New-TimeSpan -Start $LastLogin -End (Get-Date) ).TotalDays
    }
  }
}

示例输出

username last login 31-12-1999 is 6690 days ago