AskOverflow.Dev

AskOverflow.Dev Logo AskOverflow.Dev Logo

AskOverflow.Dev Navigation

  • Início
  • system&network
  • Ubuntu
  • Unix
  • DBA
  • Computer
  • Coding
  • LangChain

Mobile menu

Close
  • Início
  • system&network
    • Recentes
    • Highest score
    • tags
  • Ubuntu
    • Recentes
    • Highest score
    • tags
  • Unix
    • Recentes
    • tags
  • DBA
    • Recentes
    • tags
  • Computer
    • Recentes
    • tags
  • Coding
    • Recentes
    • tags
Início / computer / Perguntas / 1614623
Accepted
Ξένη Γήινος
Ξένη Γήινος
Asked: 2021-01-04 02:37:59 +0800 CST2021-01-04 02:37:59 +0800 CST 2021-01-04 02:37:59 +0800 CST

Como converter arquivos .reg para comandos set-itemproperty do PowerShell automaticamente?

  • 772

Eu sou um funileiro que faz muitos hacks de registro e odeio ter que clicar em muitos .regarquivos um por um; como faço para converter .regarquivos em Set-ItemPropertycomandos do PowerShell automaticamente?

  • Encontrei um site que faz isso [ Registry to PowerShell Converter ], porém a saída não está no formato que eu queria; Eu quero que ele tenha exatamente a mesma sintaxe abaixo usando Set-ItemProperty// Remove-Iteme New-Itemnada mais:
    Windows Registry Editor Version 5.00
    
    [HKEY_LOCAL_MACHINE\Software\Policies\Microsoft\Windows\CurrentVersion\PushNotifications]
    "NoToastApplicationNotification"=dword:00000001
    
    • cmd:
      Reg Add "HKLM\Software\Policies\Microsoft\Windows\CurrentVersion\PushNotifications" /v "NoToastApplicationNotification" /t REG_DWORD /d 1
      
    • powershell:
      Set-ItemProperty -Path "HKLM:\Software\Policies\Microsoft\Windows\CurrentVersion\PushNotifications" -Name "NoToastApplicationNotification" -Type DWord -Value 1
      

  • O comando para produzir o resultado pretendido deve ser:
    "Set-ItemProperty -Path " + $path + "-Name " + $name + "-Value " + $value
    
    • Criei uma tabela ASCII com informações encontradas aqui e carreguei aqui , gerenciando esta [ saída ]:
      $ASCII=import-csv ".\desktop\ascii.csv"
      [array]$AsciiTable=0..255 | foreach-object{
        $Decimal=$ASCII[$_].DEC
        $Hexadecimal=$ASCII[$_].HEX
        $Binary=$ASCII[$_].BIN
        $Octonary=$ASCII[$_].OCT
        $Symbol=$ASCII[$_].Symbol
        $Value=[char]$_
        $Description=$ASCII[$_].Description
        $HTMLName=$ASCII[$_].HTMLName
        $HTMLNumber=$ASCII[$_].HTMLNumber
        [pscustomobject]@{Decimal=$Decimal;Hexadecimal=$Hexadecimal;Binary=$Binary;Octonary=$Octonary;Symbol=$Symbol;Value=$Value;Description=$Description;HTMLName=$HTMLName;HTMLNumber=$HTMLNumber}
      }
      $AsciiTable | Export-csv ".\Desktop\AsciiTable.csv"
      


Atualmente, consegui isso, que está incompleto, mas a ideia é percorrer o arquivo por index, atribuindo valores às variáveis ​​por meio de correspondência de regex, alterando o tipo e o nome do hive para os usados ​​no PowerShell:

$registry=get-content $regfile

for ($i=0;$i -lt $registry.count;$i++){
  $line=$registry | select-object -index $i
  if ($line -match '\[' -and '\]') {
    $path=$line -replace '\[|\]'
    switch ($path)
    {
      {$path -match "HKEY_CLASSES_ROOT"}    {$path=$path -replace "HKEY_CLASSES_ROOT","HKCR:"}
      {$path -match "HKEY_CURRENT_USER"}    {$path=$path -replace "HKEY_CURRENT_USER","HKCU:"}
      {$path -match "HKEY_LOCAL_MACHINE"}   {$path=$path -replace "HKEY_LOCAL_MACHINE","HKLM:"}
      {$path -match "HKEY_USERS"}           {$path=$path -replace "HKEY_USERS","HKU:"}
      {$path -match "HKEY_CURRENT_CONFIG"}  {$path=$path -replace "HKEY_CURRENT_CONFIG","HKCC:"}
    }
  }
  else {
    $name=($line | select-string -pattern "`"([^`"=]+)`"").matches.value | select-object -first 1
    switch ($line)
  {
  {$line -match}
}


Existem seis tipos de valor de registro [ REG_SZ, REG_BINARY, REG_DWORD, REG_QWORD, REG_MULTI_SZ, REG_EXPAND_SZ] e vi apenas um DWORDtipo de valor em .regarquivos, embora tenha conseguido criar uma chave de registro contendo todos os tipos:

  • RegEdit:
    insira a descrição da imagem aqui
  • .reg:
    Windows Registry Editor Version 5.00
    
    [HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\AarSvc]
    "DependOnService"=hex(7):41,00,75,00,64,00,69,00,6f,00,73,00,72,00,76,00,00,00,\
      00,00
    "Description"="@%SystemRoot%\\system32\\AarSvc.dll,-101"
    "DisplayName"="@%SystemRoot%\\system32\\AarSvc.dll,-100"
    "ErrorControl"=dword:00000001
    "FailureActions"=hex:80,51,01,00,00,00,00,00,00,00,00,00,04,00,00,00,14,00,00,\
      00,01,00,00,00,10,27,00,00,01,00,00,00,10,27,00,00,01,00,00,00,10,27,00,00,\
      00,00,00,00,00,00,00,00
    "ImagePath"=hex(2):25,00,53,00,79,00,73,00,74,00,65,00,6d,00,52,00,6f,00,6f,00,\
      74,00,25,00,5c,00,73,00,79,00,73,00,74,00,65,00,6d,00,33,00,32,00,5c,00,73,\
      00,76,00,63,00,68,00,6f,00,73,00,74,00,2e,00,65,00,78,00,65,00,20,00,2d,00,\
      6b,00,20,00,41,00,61,00,72,00,53,00,76,00,63,00,47,00,72,00,6f,00,75,00,70,\
      00,20,00,2d,00,70,00,00,00
    "ObjectName"="NT Authority\\LocalService"
    "RequiredPrivileges"=hex(7):53,00,65,00,49,00,6d,00,70,00,65,00,72,00,73,00,6f,\
      00,6e,00,61,00,74,00,65,00,50,00,72,00,69,00,76,00,69,00,6c,00,65,00,67,00,\
      65,00,00,00,00,00
    "ServiceSidType"=dword:00000001
    "Start"=dword:00000003
    "Type"=dword:00000060
    "UserServiceFlags"=dword:00000003
    "New Value #1"=hex(b):00,00,00,00,00,00,00,00
    
    [HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Services\AarSvc\Parameters]
    "ServiceDll"=hex(2):25,00,53,00,79,00,73,00,74,00,65,00,6d,00,52,00,6f,00,6f,\
      00,74,00,25,00,5c,00,53,00,79,00,73,00,74,00,65,00,6d,00,33,00,32,00,5c,00,\
      41,00,61,00,72,00,53,00,76,00,63,00,2e,00,64,00,6c,00,6c,00,00,00
    "ServiceDllUnloadOnStop"=dword:00000001
    "ServiceMain"="ServiceMain"
    


Como os tipos de registro são determinados em um .reg, já que o resultado final pretendido é um arquivo de texto/matriz de string/script do PowerShell que contém os comandos convertidos?

  • Em um .reg, eu sei que os valores para o tipo REG_DWORDsão escritos como dword, REG_SZcomo texto simples entre aspas, REG_QWORDcomo qword(mostrado aqui ), e já mapeei os tipos de registro para suas propriedades correspondentes do PowerShell:
    REG_SZ        → String
    REG_EXPAND_SZ → ExpandString
    REG_MULTI_SZ  → MultiString
    REG_BINARY    → Binary
    REG_DWORD     → DWord
    REG_QWORD     → QWord
    
    Com as relações inferidas acima:
    switch ($line)
    {
      {$line -match '"="'}      {$type="string"}
      {$line -match "dword"}    {$type="dword"}
      {$line -match "qword"}    {$type="qword"}
      {$line -match "hex\(2\)"} {$type="expandstring";break}
      {$line -match "hex\(7\)"} {$type="multistring";break}
      {$line -match "hex\(b\)"} {$type="qword";break}
      {$line -match "hex"}      {$type="binary"}
    }
    


Como posso detectar e decodificar os balbucios hexadecimais do registro e existem outras maneiras de escrever REG_EXPAND_SZ, REG_MULTI_SZe REG_BINARYtipos em a .reg(ou seja ExpandString, como MultiStringe Binaryrespectivamente)?

  • Script para analisar valores de string expansíveis do registro para texto simples:
    function parse-expandstring {
      PARAM (
        [Parameter(ValueFromPipeline=$true, Mandatory=$true)] [System.String]$expandstring
      )
    
      $AsciiTable=import-csv ".\desktop\AsciiTable.csv"
      [array]$hex=$expandstring -split'[\,\\]' | where {-not ([string]::IsNullOrWhiteSpace($_))} | %{$_.trimstart()}
      $hexadecimal=0..($hex.count-1) | where {$_ % 2 -ne 1} | foreach-object {$hex[$_]}
      $text=@()
      foreach ($hexadecima in $hexadecimal) {
        for ($i=0;$i -le 255;$i++) {
          if ($AsciiTable[$i].hexadecimal -eq $hexadecima) {
            $text+=$AsciiTable[$i].value
          }
        }
      }
      $text=$text -join ""
      $text
    }
    
  • Functionpara analisar REG_QWORD:
    function parse-qword {
      PARAM (
        [Parameter(ValueFromPipeline=$true, Mandatory=$true)] [System.String]$qword
      )
      [array]$qword=$qword -split','
      $qword=for ($i=$qword.count-1;$i -ge 0;$i--) {$qword[$i]}
      $hexvalue=$qword -join ""
      $hexvalue=$hexvalue.trimstart("0")
      $hexvalue
    }
    
  • Functionpara analisar REG_BINARY:
    function parse-binary {
      PARAM (
        [Parameter(ValueFromPipeline=$true, Mandatory=$true)] [System.String]$binary
      )
      [array]$hex=$binary -split'[,\\]' | where {-not ([string]::IsNullOrWhiteSpace($_))} | %{$_.trimstart()}
      $hex=$hex -join ""
        $hex
    }
    
  • Functionpara analisar REG_MULTI_SZ:
    function parse-multistring {
      PARAM (
        [Parameter(ValueFromPipeline=$true, Mandatory=$true)] [System.String]$multistring
        )
    
      $AsciiTable=import-csv ".\desktop\AsciiTable.csv"
      [array]$hex=$multistring -split'[\,\\]' | where {-not ([string]::IsNullOrWhiteSpace($_))} | %{$_.trimstart()}
      $hexadecimal=0..($hex.count-1) | where {$_ % 2 -ne 1} | foreach-object {$hex[$_]}
      $text=@()
      foreach ($hexadecima in $hexadecimal) {
        for ($i=0;$i -le 255;$i++) {
          if ($AsciiTable[$i].hexadecimal -eq $hexadecima) {
            if ($i -ne 0) {$text+=$AsciiTable[$i].value}
            else {$text+="\0"}
          }
        }
      }
      $text=$text -join ""
      $text
    }
    


O script está quase completo, já tendo criado Remove-Item, New-Iteme Remove-ItemPropertycondições de alternância; agora, a peça final do quebra-cabeça é escrever uma regex que corresponda aos valores. Quando isso for feito, postarei como resposta aqui.

  • Pseudo-código:
    if $line match [ and ]->$line match [-HKEY -> Remove-Item
    else $registry[$i+1] eq ""->New-Item
    elseif $line match "=-" -> Remove-ItemProperty
    
  • Criei uma tabela de hash ASCII para usar como dicionário:
    $asciihex=@{}
    0..255 | % {
      $number=$_
      [string]$hex=$number.tostring('x')
      if ($hex.length -eq 1) {$hex='{1}{0}' -f $hex,'0'}
      $char=[char]$number
      $asciihex.add($hex,$char)
      }
    
    • Para procurar um caractere em um determinado codepoint:
      # Change:
        $asciihex.'00'
      
      # to:
        $asciihex.'ff'
      
    • Para procurar um caractere em qualquer codepoint:
      # Don't use $asciihex to print it
        $asciihex.$codepoint
      

Para grep valores de linhas, use -replace $name+$typepara obter o valor.

powershell command-line
  • 2 2 respostas
  • 3413 Views

2 respostas

  • Voted
  1. Best Answer
    Xeнεi Ξэnвϵς
    2021-01-05T21:05:29+08:002021-01-05T21:05:29+08:00

    Versão final:

    Function reg2ps1 {
    
        [CmdLetBinding()]
        Param(
            [Parameter(ValueFromPipeline=$true, Mandatory=$true)]
            [Alias("FullName")]
            [string]$path,
            $Encoding = "utf8"
        )
    
        Begin {
            $hive = @{
                "HKEY_CLASSES_ROOT" = "HKCR:"
                "HKEY_CURRENT_USER" = "HKCU:"
                "HKEY_LOCAL_MACHINE" = "HKLM:"
                "HKEY_USERS" = "HKU:"
                "HKEY_CURRENT_CONFIG" = "HKCC:"
            }
            [system.boolean]$isfolder=$false
            $addedpath=@()
        }
        Process {
            switch (test-path $path -pathtype container)
            {
                $true {$files=(get-childitem -path $path -recurse -force -file -filter "*.reg").fullname;$isfolder=$true}
                $false {if($path.endswith(".reg")){$files=$path}}
            }
            foreach($File in $Files) {
                $Commands = @()
                [string]$text=$nul
                $FileContent = Get-Content $File | Where-Object {![string]::IsNullOrWhiteSpace($_)} | ForEach-Object { $_.Trim() }
                $joinedlines = @()
                for ($i=0;$i -lt $FileContent.count;$i++){
                    if ($FileContent[$i].EndsWith("\")) {
                        $text=$text+($FileContent[$i] -replace "\\").trim()
                    } else {
                        $joinedlines+=$text+$FileContent[$i]
                        [string]$text=$nul
                    }
                }
    
                foreach ($joinedline in $joinedlines) {
                    if ($joinedline -match '\[' -and $joinedline -match '\]' -and $joinedline -match 'HKEY') {
                        $key=$joinedline -replace '\[|\]'
                        switch ($key.StartsWith("-HKEY"))
                        {
                            $true {
                                $key=$key.substring(1,$key.length-1)
                                $hivename = $key.split('\')[0]
                                $key = "`"" + ($key -replace $hivename,$hive.$hivename) + "`""
                                $Commands += 'Remove-Item -Path {0} -Force -Recurse' -f $key
                            }
                            $false {
                                $hivename = $key.split('\')[0]
                                $key = "`"" + ($key -replace $hivename,$hive.$hivename) + "`""
                                if ($addedpath -notcontains $key) {
                                    $Commands += 'New-Item -Path {0} -ErrorAction SilentlyContinue | Out-Null'-f $key
                                    $addedpath+=$key
                                }
                            }
                        }
                    }
                    elseif ($joinedline -match "`"([^`"=]+)`"=") {
                        [System.Boolean]$delete=$false
                        $name=($joinedline | select-string -pattern "`"([^`"=]+)`"").matches.value | select-object -first 1
                        switch ($joinedline)
                        {
                            {$joinedline -match "=-"} {$commands+=$Commands += 'Remove-ItemProperty -Path {0} -Name {1} -Force' -f $key, $Name;$delete=$true}
                            {$joinedline -match '"="'} {
                                $type="string"
                                $value=$joinedline -replace "`"([^`"=]+)`"="
                            }
                            {$joinedline -match "dword"} {
                                $type="dword"
                                $value=$joinedline -replace "`"([^`"=]+)`"=dword:"
                                $value="0x"+$value
                            }
                            {$joinedline -match "qword"} {
                                $type="qword"
                                $value=$joinedline -replace "`"([^`"=]+)`"=qword:"
                                $value="0x"+$value
                            }
                            {$joinedline -match "hex(\([2,7,b]\))?:"} {
                                $value=($joinedline -replace "`"[^`"=]+`"=hex(\([2,7,b]\))?:").split(",")
                                $hextype=($joinedline | select-string -pattern "hex(\([2,7,b]\))?").matches.value
                                switch ($hextype)
                                {
                                    {$hextype -eq 'hex(2)' -or $hextype -eq 'hex(7)'} {
                                        $value=for ($i=0;$i -lt $value.count;$i+=2) {
                                            switch ($hextype)
                                            {
                                                'hex(2)' {if ($value[$i] -ne '00') {[string][char][int]('0x'+$value[$i])}}
                                                'hex(7)' {if ($value[$i] -ne '00') {[string][char][int]('0x'+$value[$i])} else {"\0"}}
                                            }
                                        }
                                        $value=$value -join ""
                                        switch ($hextype)
                                        {
                                            'hex(2)' {$type="expandstring"}
                                            'hex(7)' {$type="multistring"}
                                        }
                                    }
                                    'hex(b)' {
                                        $type="qword"
                                        $value=for ($i=$value.count-1;$i -ge 0;$i--) {$value[$i]}
                                        $value='0x'+($value -join "").trimstart('0')
                                    }
                                    'hex' {
                                        $type="binary"
                                        $value='0x'+($value -join "")
                                    }
                                }
                            }
                        }
                        if ($delete -eq $false) {$commands+='Set-ItemProperty -Path {0} -Name {1} -Type {2} -Value {3}' -f $key, $name, $type, $value}
                    }
                    elseif ($joinedline -match "@=") {
                        $name='"(Default)"';$type='string';$value=$joinedline -replace '@='
                        $commands+='Set-ItemProperty -Path {0} -Name {1} -Type {2} -Value {3}' -f $key, $name, $type, $value
                    }
                
                }
                $parent=split-path $file -parent
                $filename=[System.IO.Path]::GetFileNameWithoutExtension($file)
                $Commands | out-file -path "${parent}\${filename}_reg.ps1" -encoding $encoding
            }
            if ($isfolder -eq $true) {
                $allcommands=(get-childitem -path $path -recurse -force -file -filter "*_reg.ps1").fullname | where-object {$_ -notmatch "allcommands_reg"} | foreach-object {get-content $_}
                $allcommands | out-file -path "${path}\allcommands_reg.ps1" -encoding $encoding
            }
        }
    }
    $path = Read-Host "input path"
    reg2ps1 $path
    

    Esta é a versão final, baseada no meu roteiro anterior e no roteiro fornecido por SimonS. O script está realmente completo, todos os bugs corrigidos, ele pode analisar corretamente todos os 6 tipos de valor do registro: REG_SZ, REG_DWORD, REG_QWORD, e REG_BINARY, converte cada linha em uma linha, cada uma em uma linha, cada linha em uma linha e cada linha em um linha com base no tipo de propriedade. Ele aceita um caminho inserido, detecta automaticamente se o caminho aponta para um arquivo ou uma pasta, se for um arquivo com extensão .reg, ele envia comandos convertidos para um arquivo na pasta pai do arquivo com o nome do arquivo; Se for uma pasta, converte todos os arquivos .reg dentro dessa pasta e gera umREG_MULTI_SZREG_EXPAND_SZ[HKEY_*New-Item[-HKEY_*Remove-Item"([^"=]+)"=-Remove-ItemProperty"([^"=]+)"=Set-ItemProperty${filename}_reg.ps1${filename}_reg.ps1arquivo para cada arquivo .reg para essa pasta e, em seguida, coloque todos os _reg.ps1comandos em um allcommands.ps1na pasta.

    Fiz vários testes e confirmei que realmente está funcionando. O script agora está completo. Fiz grandes melhorias, usei formatos melhores e simplifiquei bastante o código, usei lógicas melhores e fiz muitos outros aprimoramentos.

    Isso é realmente completo, para usar minha versão final, copie e cole a função em uma janela do powershell aberta e invoque-a como reg2ps1 "full\path\to\content" ou salve-a como um arquivo .ps1 e execute-a por cd $scriptdir e .\reg2ps1.ps1, então insira full\path\to\content, observe que você não deve usar aspas, ou o caminho não pode ser encontrado...


    Atualizar

    Cometi um erro no código, especificando o -Forceparâmetro ao usar New-Item, caso o item já exista, ele irá recriar o item, esvaziando o item no processo, não era isso que eu pretendia, agora está corrigido. Ao remover -Forceo parâmetro na New-Itemlinha, tentar criar um item que já existe gerará um erro informando que o item existe e não redefinirá o item. A mensagem de erro é ocultada por -ErrorAction SilentlyContinue. Se o item não existir, ele será criado, o item ficará vazio, o processo exibirá uma mensagem informando que o item foi criado, a mensagem será ocultada por | Out-Null.

    • 3
  2. Pete Gomersall
    2022-06-12T13:06:52+08:002022-06-12T13:06:52+08:00

    Isso é muito bom, mas você tem alguns erros no seu código de conversão.

    1. No texto do valor reg que contém caracteres de escape como "cmd.exe /s /k pushd "%V"" sua conversão não substitui "por `" ou similar.
    2. Você precisa de New-ItemProperty em vez de Set-ItemProperty ao usar a propriedade -Type.
    3. O PowerShell não pode funcionar com "HKCR:" etc. sem definir uma unidade primeiro.
    4. O parâmetro do caminho de saída do arquivo é -FilePath

    Provavelmente vale a pena consertar

    • 0

relate perguntas

  • Adicionando cor de primeiro plano ao perfil do Powershell?

  • Qual seria o equivalente em lote do argumento "pass" do Python?

  • Não é possível ativar o Microsoft Print to PDF depois de desativado

  • Posso fazer com que este script do PowerShell aceite vírgulas?

Sidebar

Stats

  • Perguntas 205573
  • respostas 270741
  • best respostas 135370
  • utilizador 68524
  • Highest score
  • respostas
  • Marko Smith

    Como posso reduzir o consumo do processo `vmmem`?

    • 11 respostas
  • Marko Smith

    Baixar vídeo do Microsoft Stream

    • 4 respostas
  • Marko Smith

    O Google Chrome DevTools falhou ao analisar o SourceMap: chrome-extension

    • 6 respostas
  • Marko Smith

    O visualizador de fotos do Windows não pode ser executado porque não há memória suficiente?

    • 5 respostas
  • Marko Smith

    Como faço para ativar o WindowsXP agora que o suporte acabou?

    • 6 respostas
  • Marko Smith

    Área de trabalho remota congelando intermitentemente

    • 7 respostas
  • Marko Smith

    O que significa ter uma máscara de sub-rede /32?

    • 6 respostas
  • Marko Smith

    Ponteiro do mouse movendo-se nas teclas de seta pressionadas no Windows?

    • 1 respostas
  • Marko Smith

    O VirtualBox falha ao iniciar com VERR_NEM_VM_CREATE_FAILED

    • 8 respostas
  • Marko Smith

    Os aplicativos não aparecem nas configurações de privacidade da câmera e do microfone no MacBook

    • 5 respostas
  • Martin Hope
    Saaru Lindestøkke Por que os arquivos tar.xz são 15x menores ao usar a biblioteca tar do Python em comparação com o tar do macOS? 2021-03-14 09:37:48 +0800 CST
  • Martin Hope
    CiaranWelsh Como posso reduzir o consumo do processo `vmmem`? 2020-06-10 02:06:58 +0800 CST
  • Martin Hope
    Jim Pesquisa do Windows 10 não está carregando, mostrando janela em branco 2020-02-06 03:28:26 +0800 CST
  • Martin Hope
    v15 Por que uma conexão de Internet gigabit/s via cabo (coaxial) não oferece velocidades simétricas como fibra? 2020-01-25 08:53:31 +0800 CST
  • Martin Hope
    andre_ss6 Área de trabalho remota congelando intermitentemente 2019-09-11 12:56:40 +0800 CST
  • Martin Hope
    Riley Carney Por que colocar um ponto após o URL remove as informações de login? 2019-08-06 10:59:24 +0800 CST
  • Martin Hope
    zdimension Ponteiro do mouse movendo-se nas teclas de seta pressionadas no Windows? 2019-08-04 06:39:57 +0800 CST
  • Martin Hope
    jonsca Todos os meus complementos do Firefox foram desativados repentinamente, como posso reativá-los? 2019-05-04 17:58:52 +0800 CST
  • Martin Hope
    MCK É possível criar um código QR usando texto? 2019-04-02 06:32:14 +0800 CST
  • Martin Hope
    SoniEx2 Altere o nome da ramificação padrão do git init 2019-04-01 06:16:56 +0800 CST

Hot tag

windows-10 linux windows microsoft-excel networking ubuntu worksheet-function bash command-line hard-drive

Explore

  • Início
  • Perguntas
    • Recentes
    • Highest score
  • tag
  • help

Footer

AskOverflow.Dev

About Us

  • About Us
  • Contact Us

Legal Stuff

  • Privacy Policy

Language

  • Pt
  • Server
  • Unix

© 2023 AskOverflow.DEV All Rights Reserve