Skip to content

Instantly share code, notes, and snippets.

@emilwojcik93
Last active March 13, 2025 16:02
Show Gist options
  • Save emilwojcik93/788eca2e456488c360fabc15d274031d to your computer and use it in GitHub Desktop.
Save emilwojcik93/788eca2e456488c360fabc15d274031d to your computer and use it in GitHub Desktop.
Install-NvidiaApp
<#
.SYNOPSIS
This script automates the detection of an NVIDIA GPU, retrieves the latest NVIDIA App installer (either Enterprise or Public edition), and facilitates its download and installation with customizable parameters.
.DESCRIPTION
This script efficiently manages the process of downloading and installing the latest NVIDIA App by:
- Scraping the NVIDIA App webpage to locate the most recent installer.
- Verifying the existence and size of the installer file locally.
- Confirming the presence of an NVIDIA GPU on the machine prior to installation.
- Supporting a dry run mode to simulate operations without actual downloading or installation.
- Allowing the user to choose between the Enterprise and Public editions of the NVIDIA App.
.PARAMETER Verbose
Enables verbose logging for detailed output.
.PARAMETER DryRun
Executes the script in a dry run mode to check and extract information without downloading or installing the package.
.PARAMETER Force
Forces the installation of the NVIDIA App even if the same version is already installed or if no NVIDIA GPU is detected.
.PARAMETER Edition
Specifies the edition of the NVIDIA App to install. Valid values are "Enterprise" and "Public". Default is "Public".
.EXAMPLE
.\Install-NvidiaApp.ps1 -Verbose
.EXAMPLE
.\Install-NvidiaApp.ps1 -Force
.EXAMPLE
.\Install-NvidiaApp.ps1 -DryRun
.EXAMPLE
.\Install-NvidiaApp.ps1 -Edition Enterprise
.LINK
NVIDIA App Enterprise: https://www.nvidia.com/en-us/software/nvidia-app-enterprise/
NVIDIA App Public: https://www.nvidia.com/en-us/software/nvidia-app/
#>
param (
[switch]$Verbose,
[switch]$DryRun,
[switch]$Force,
[string]$Edition = "Public"
)
function Get-NvidiaDownloadLink {
param (
[string]$url
)
Write-Verbose "Scraping URL: $url"
$response = Invoke-WebRequest -Uri $url
$downloadLink = $null
if ($response.Content -match 'https:\/\/us\.download\.nvidia\.com\/nvapp\/client\/[\d\.]+\/NVIDIA_app_v[\d\.]+\.exe') {
$downloadLink = $matches[0]
}
elseif ($response.Content -match '<a[^>]*href="([^"]*nv[^"]*app[^"]*\.exe)"[^>]*>\s*<span[^>]*>Download Now<\/span>') {
$downloadLink = $matches[1]
}
elseif ($response.Content -match 'href="([^"]*nv[^"]*app[^"]*\.exe)"') {
$downloadLink = $matches[1]
}
return $downloadLink
}
function Get-RemoteFileSize {
param (
[string]$url
)
Write-Verbose "Getting remote file size for URL: $url"
$remoteFileSize = (Invoke-WebRequest -Uri $url -Method Head).Headers['Content-Length']
if ($remoteFileSize) {
return [int64]$remoteFileSize
} else {
Write-Warning "Could not determine the remote file size."
return 0
}
}
function Save-File {
param (
[string]$url,
[string]$path
)
Write-Verbose "Downloading file from URL: $url to path: $path"
Invoke-WebRequest -Uri $url -OutFile $path
}
function Install-Application {
param (
[string]$installerPath,
[string]$installParams
)
Write-Verbose "Installing NVIDIA App from path: $installerPath with parameters: $installParams"
Start-Process -FilePath $installerPath -ArgumentList $installParams -Wait
}
function Test-NvidiaGPU {
Write-Verbose "Checking for NVIDIA GPU presence"
$gpu = Get-WmiObject Win32_VideoController | Where-Object { $_.Name -like "*NVIDIA*" -or $_.VideoProcessor -like "*NVIDIA*" }
if ($gpu) {
if ($gpu.Name) {
Write-Verbose "NVIDIA GPU recognized: Name = $($gpu.Name)"
return $gpu.Name
}
elseif ($gpu.VideoProcessor) {
Write-Verbose "NVIDIA GPU recognized: VideoProcessor = $($gpu.VideoProcessor)"
return $gpu.VideoProcessor
}
}
else {
return $null
}
}
function Get-InstalledNvidiaAppVersion {
$appPath = Join-Path -Path ${env:ProgramFiles} -ChildPath "NVIDIA Corporation\NVIDIA app\CEF\NVIDIA app.exe"
if (Test-Path $appPath) {
$fileVersionInfo = Get-Item $appPath | Select-Object -ExpandProperty VersionInfo
return $fileVersionInfo.ProductVersion
}
else {
return $null
}
}
function Install-NvidiaApp {
param (
[switch]$Verbose,
[switch]$DryRun,
[switch]$Force,
[string]$Edition = "Public"
)
Write-Verbose "Script parameters:"
Write-Verbose "Verbose: $Verbose"
Write-Verbose "DryRun: $DryRun"
Write-Verbose "Force: $Force"
Write-Verbose "Edition: $Edition"
$gpuModel = Test-NvidiaGPU
if (-not $gpuModel) {
if ($Force) {
$gpuModel = "unknown"
Write-Warning "No NVIDIA GPU found but `"`$Force`" parameter is declared, setting `$gpuModel = `"$gpuModel`".`nThe NVIDIA installer might do nothing because installer also will make automatic check for Nvidia GPU."
} else {
Write-Error "No NVIDIA GPU found. Exiting."
throw "No NVIDIA GPU found."
}
}
$url = if ($Edition -eq "Enterprise") {
"https://www.nvidia.com/en-us/software/nvidia-app-enterprise/"
} else {
"https://www.nvidia.com/en-us/software/nvidia-app/"
}
$downloadLink = Get-NvidiaDownloadLink -url $url
$installParams = "-s -noreboot -noeula -nofinish -nosplash"
if ($downloadLink) {
Write-Verbose "Download link found: $downloadLink"
$fileName = [System.IO.Path]::GetFileName($downloadLink)
if ($downloadLink -match '_v(\d+\.\d+\.\d+\.\d+)\.exe') {
$version = $matches[1]
}
else {
$version = "Unknown"
}
Write-Verbose "Extracted version: $version"
$installerPath = Join-Path -Path $env:Temp -ChildPath $fileName
$remoteFileSize = Get-RemoteFileSize -url $downloadLink
$remoteFileSizeMiB = [math]::Round($remoteFileSize / 1MB, 2)
Write-Verbose "Remote file size: $remoteFileSize bytes ($remoteFileSizeMiB MiB)"
$installedVersion = Get-InstalledNvidiaAppVersion
if ($DryRun) {
Write-Output "Dry run mode: Skipping download and installation."
Write-Output "GPU Model: $gpuModel"
Write-Output "URL: $downloadLink"
Write-Output "Filename: $fileName"
Write-Output "Size of package: $remoteFileSize bytes ($remoteFileSizeMiB MiB)"
Write-Output "Version: $version"
Write-Output "Install command: Start-Process -FilePath ""$installerPath"" -ArgumentList ""$installParams"" -Wait"
}
if ($installedVersion -and $installedVersion -eq $version -and -not $Force) {
Write-Output "NVIDIA App version: ${installedVersion} is already installed. Skipping installation."
return
}
if (-not $DryRun) {
if (Test-Path $installerPath) {
$localFileSize = (Get-Item $installerPath).Length
if ($localFileSize -eq $remoteFileSize) {
Write-Verbose "File already exists and has the same size. Skipping download."
}
else {
Write-Verbose "File exists but sizes do not match. Downloading again."
Save-File -url $downloadLink -path $installerPath
}
}
else {
Save-File -url $downloadLink -path $installerPath
}
Install-Application -installerPath $installerPath -installParams $installParams
$installedVersion = Get-InstalledNvidiaAppVersion
if ($installedVersion) {
Write-Output "NVIDIA App version: ${installedVersion} was installed successfully."
} else {
Write-Warning "NVIDIA App does not exist after installation."
}
}
}
else {
Write-Warning "Download link not found. The NVIDIA installer might do nothing."
}
}
# Enable verbose logging if the -Verbose switch is provided
if ($Verbose) {
$VerbosePreference = "Continue"
}
Install-NvidiaApp -Verbose:$Verbose -DryRun:$DryRun -Force:$Force -Edition $Edition
@emilwojcik93
Copy link
Author

emilwojcik93 commented Nov 21, 2024

Install-NvidiaApp.ps1

This script checks for an NVIDIA GPU, scrapes the NVIDIA App page for the latest installer, and optionally downloads and installs it. It can also run in dry run mode to only check and extract information without downloading or installing the package.

Usage

.\Install-NvidiaApp.ps1 [options]

Options

  • -Verbose: Enables verbose logging for detailed output.
  • -SkipCheck: Skips the verification step for the presence of an NVIDIA GPU.
  • -DryRun: Executes the script in a dry run mode to check and extract information without downloading or installing the package.

Additional Parameters from setup.cfg

  • -SilentInstall (s): Executes the installation without user interaction.
  • -ValidationInstall (validate): Conducts integrity checks during installation.
  • -validationFile: Allows specification of a custom validation file for advanced users.
  • -RebootRequired (k), -IgnoreReboot (n): Controls system reboot behavior post-installation; use -k to enforce reboot or -n to skip it.
  • -ProgressOnly (passive): Shows download and installation progress with minimal UI.
  • -SkipCustomEula (noeula): Bypasses the custom EULA; the standard EULA might still appear.
  • -SkipFinish (nofinish): Omits the final completion screen, concluding the process silently.
  • -ProgressWithEULA (progresswitheula): Displays progress alongside the EULA.
  • -NoSplashScreen (nosplash): Removes the initial splash screen during installation.
  • -NvAppInitiated: An internal flag indicating installation initiation by the NVIDIA App.
  • -GFExperienceInitiated: An internal flag for installations initiated by GeForce Experience.
  • -CustomInvokerId: An identifier for custom invoker processes.
  • -SkipDeployerUninstall: Prevents uninstallation of previous deployment tools.

Hardcoded Parameters in Script

The script uses the following hardcoded parameters for installation:

$installParams = "-silent -noreboot -noeula -nofinish -passive"

Running the Script from the Internet:

Use Invoke-RestMethod to download and execute the script. Here is how you can do it:

# Using Invoke-RestMethod
irm https://gist.githubusercontent.com/emilwojcik93/788eca2e456488c360fabc15d274031d/raw/Install-NvidiaApp.ps1 | iex

Note

If it doesn't works, then try to Set-ExecutionPolicy via PowerShell (Admin)

Set-ExecutionPolicy -ExecutionPolicy Bypass -Scope Process -Force; irm 
https://gist.githubusercontent.com/emilwojcik93/788eca2e456488c360fabc15d274031d/raw/Install-NvidiaApp.ps1 | iex

Note

To execute script from Internet with additional parameters please run

&([ScriptBlock]::Create((irm https://gist.githubusercontent.com/emilwojcik93/788eca2e456488c360fabc15d274031d/raw/Install-NvidiaApp.ps1))) -DryRun

Example of execution

PS > &([ScriptBlock]::Create((irm https://gist.githubusercontent.com/emilwojcik93/788eca2e456488c360fabc15d274031d/raw/Install-NvidiaApp.ps1))) -DryRun
Dry run mode: Skipping download and installation.
GPU Model: NVIDIA GeForce MX450
URL: https://us.download.nvidia.com/nvapp/client/11.0.1.163/NVIDIA_app_v11.0.1.163.exe
Filename: NVIDIA_app_v11.0.1.163.exe
Size of package: 153886600 bytes (146.76 MiB)
Install command: Start-Process -FilePath "C:\Users\UserName\AppData\Local\Temp\NVIDIA_app_v11.0.1.163.exe" -ArgumentList "-silent -noreboot -noeula -nofinish -passive" -Wait

@dana-ramos
Copy link

dana-ramos commented Feb 11, 2025

@emilwojcik93 I made a couple changes to this script to download the latest stable version from: https://www.nvidia.com/en-us/software/nvidia-app-enterprise/. Also replaced unapproved verbs Download- w/Get- and Check- w/Confirm- just to get rid of the problems notifications in VSCode. I'm trying to get this to install silently but it appears to be more like /qb and not /qn as I'm still getting the splash screen with progress bar. Any ideas?

https://gist.github.com/dana-ramos/aac77e2b4b36e1d5d9e742dacd65a84d

@emilwojcik93
Copy link
Author

emilwojcik93 commented Feb 11, 2025

Detailed Changes in the New Script

Changes Overview:

  1. Support for Multiple Editions:

    • Added support for downloading both the Enterprise and Public editions of the NVIDIA App.
    • Introduced a new parameter Edition to specify the edition to install. Valid values are "Enterprise" and "Public". Default is "Public".
  2. Updated Synopsis and Description:

    • Enhanced the synopsis and description to reflect the new functionality of supporting multiple editions.
  3. Verbose Parameter Handling:

    • Added verbose messages to print the parameters that were taken by the script.
    • Ensured that all parameters are properly interpreted and displayed.
  4. Function Renaming:

    • Renamed functions to use approved verbs for PowerShell commands:
      • Download-File -> Get-File
      • Install-App -> Install-Application
      • Check-NvidiaGPU -> Test-NvidiaGPU
  5. Parameter Interpretation:

    • Ensured that the parameters are correctly interpreted throughout the script.
    • Added verbose messages at the beginning of the script to display the values of the parameters.
  6. URL Handling:

    • Added logic to determine the correct URL based on the specified edition.

Detailed Changes:

  1. Support for Multiple Editions:

    • Added a new parameter Edition:
      param (
          [switch]$Verbose,
          [switch]$DryRun,
          [switch]$Force,
          [string]$Edition = "Public"
      )
    • Updated the URL determination logic:
      $url = if ($Edition -eq "Enterprise") {
          "https://www.nvidia.com/en-us/software/nvidia-app-enterprise/"
      } else {
          "https://www.nvidia.com/en-us/software/nvidia-app/"
      }
  2. Updated Synopsis and Description:

    • Enhanced the synopsis and description to reflect the new functionality:
      .SYNOPSIS
          This script automates the detection of an NVIDIA GPU, retrieves the latest NVIDIA App installer (either Enterprise or Public edition), and facilitates its download and installation with customizable parameters.
      .DESCRIPTION
          This script efficiently manages the process of downloading and installing the latest NVIDIA App by:
          - Scraping the NVIDIA App webpage to locate the most recent installer.
          - Verifying the existence and size of the installer file locally.
          - Confirming the presence of an NVIDIA GPU on the machine prior to installation.
          - Supporting a dry run mode to simulate operations without actual downloading or installation.
          - Allowing the user to choose between the Enterprise and Public editions of the NVIDIA App.
  3. Verbose Parameter Handling:

    • Added verbose messages to print the parameters:
      Write-Verbose "Script parameters:"
      Write-Verbose "Verbose: $Verbose"
      Write-Verbose "DryRun: $DryRun"
      Write-Verbose "Force: $Force"
      Write-Verbose "Edition: $Edition"
  4. Function Renaming:

    • Renamed functions to use approved verbs:
      function Get-File {
          param (
              [string]$url,
              [string]$path
          )
          Write-Verbose "Downloading file from URL: $url to path: $path"
          Invoke-WebRequest -Uri $url -OutFile $path
      }
      
      function Install-Application {
          param (
              [string]$installerPath,
              [string]$installParams
          )
          Write-Verbose "Installing NVIDIA App from path: $installerPath with parameters: $installParams"
          Start-Process -FilePath $installerPath -ArgumentList $installParams -Wait
      }
      
      function Test-NvidiaGPU {
          Write-Verbose "Checking for NVIDIA GPU presence"
          $gpu = Get-WmiObject Win32_VideoController | Where-Object { $_.Name -like "*NVIDIA*" -or $_.VideoProcessor -like "*NVIDIA*" }
      
          if ($gpu) {
              if ($gpu.Name) {
                  Write-Verbose "NVIDIA GPU recognized: Name = $($gpu.Name)"
                  return $gpu.Name
              }
              elseif ($gpu.VideoProcessor) {
                  Write-Verbose "NVIDIA GPU recognized: VideoProcessor = $($gpu.VideoProcessor)"
                  return $gpu.VideoProcessor
              }
          }
          else {
              return $null
          }
      }
  5. Parameter Interpretation:

    • Ensured that the parameters are correctly interpreted and displayed:
      Install-NvidiaApp -Verbose:$Verbose -DryRun:$DryRun -Force:$Force -Edition $Edition
  6. URL Handling:

    • Added logic to determine the correct URL based on the specified edition:
      $url = if ($Edition -eq "Enterprise") {
          "https://www.nvidia.com/en-us/software/nvidia-app-enterprise/"
      } else {
          "https://www.nvidia.com/en-us/software/nvidia-app/"
      }

These changes ensure that the script can handle multiple editions of the NVIDIA App, provide detailed verbose output, and use standardized approved verbs for PowerShell commands.

Available Parameters in setup.cfg

The setup.cfg file contains a section <options> which lists all available flags for the NVIDIA App setup. These parameters can be used to customize the installation process. Here are the available options:

<options>
    <bool name="s" property="SilentInstall"/>
    <bool name="validate" property="ValidationInstall"/>
    <string name="validationFile" property="ValidationFile"/>
    <bool name="forcereboot" property="RebootRequired"/>
    <bool name="noreboot" property="IgnoreReboot"/>
    <bool name="k" property="RebootRequired"/>
    <bool name="n" property="IgnoreReboot"/>
    <bool name="passive" property="ProgressOnly"/>
    <!-- You can still use -noeula command line parameter to show or hide the EULA form -->
    <bool name="noeula" property="SkipCustomEula"/>
    <bool name="nofinish" property="SkipFinish"/>
    <bool name="progresswitheula" property="ProgressWithEula"/>
    <bool name="nosplash" property="NoSplashScreen"/>
    <bool name="nvappinitiated" property="NvAppInitiated"/>
    <bool name="gfexperienceinitiated" property="GFExperienceInitiated"/>
    <int name="custominvokerid" property="CustomInvokerId"/>
    <bool name="skipDeployerUninstall" property="SkipDeployerUninstall"/>
</options>

These options allow for a fully unattended, silent installation process of the NVIDIA App. The parameters can be passed to the setup executable to customize the installation behavior.

@dana-ramos in your there sill are not updated functions for Download- w/Get-

Correct parameters for fully silent, unattended instllation process are: -s -noreboot -noeula -nofinish -nosplash
https://gist.github.com/emilwojcik93/788eca2e456488c360fabc15d274031d#file-install-nvidiaapp-ps1-L154

@dana-ramos
Copy link

@emilwojcik93 Thanks for the quick updates and instructions!

@Hottihotte
Copy link

Hottihotte commented Feb 27, 2025

I can't do it.
I run the script via cmd
Powershell .\Install-NvidiaApp.ps1 -SkipCheck
The installer is also downloaded but it is not installed.
I would have tried it with
".\setup.exe"
but the installer has a different name every time.
What am I doing wrong?
I wanted to include the execution of the script in a firstlogon.cmd for installation

@emilwojcik93
Copy link
Author

@Hottihotte
run:

&([ScriptBlock]::Create((irm https://gist.githubusercontent.com/emilwojcik93/788eca2e456488c360fabc15d274031d/raw/Install-NvidiaApp.ps1))) -SkipCheck -Verbose

or download script and run it offline with params -SkipCheck -Verbose
and send me logs, please :)

@emilwojcik93
Copy link
Author

@Hottihotte I just tested it. Installation of Nvidia App, can not be complete without Nvidia GPU
image

@emilwojcik93
Copy link
Author

@Hottihotte I removed -SkipCheck parameters because Nvidia App installer have mandatory validation of such validation of GPU

> Set-ExecutionPolicy -ExecutionPolicy Bypass -Scope Process -Force; &([ScriptBlock]::Create((irm https://gist.githubusercontent.com/emilwojcik93/788eca2e456488c360fabc15d274031d/raw/Install-NvidiaApp.ps1))) -DryRun
Install-NvidiaApp : No NVIDIA GPU found. Exiting.
At line:209 char:1
+ Install-NvidiaApp -Verbose:$Verbose -DryRun:$DryRun -Force:$Force -Ed ...
+ ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    + CategoryInfo          : NotSpecified: (:) [Write-Error], WriteErrorException
    + FullyQualifiedErrorId : Microsoft.PowerShell.Commands.WriteErrorException,Install-NvidiaApp

No NVIDIA GPU found.
At line:136 char:9
+         throw "No NVIDIA GPU found."
+         ~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    + CategoryInfo          : OperationStopped: (No NVIDIA GPU found.:String) [], RuntimeException
    + FullyQualifiedErrorId : No NVIDIA GPU found.

@Hottihotte
Copy link

Thanks for the help
How can I incorporate this into a firstlogon.cmd?

@emilwojcik93
Copy link
Author

Yes, it should works

@Hottihotte
Copy link

Hottihotte commented Mar 6, 2025

What exactly would have to be written in the cmd to make it work?

` Set-ExecutionPolicy -ExecutionPolicy Bypass -Scope Process -Force; &([ScriptBlock]::Create((irm https://gist.githubusercontent.com/emilwojcik93/788eca2e456488c360fabc15d274031d/raw/Install-NvidiaApp.ps1))) -DryRun
Install-NvidiaApp : No NVIDIA GPU found. Exiting.
At line:209 char:1

  • Install-NvidiaApp -Verbose:$Verbose -DryRun:$DryRun -Force:$Force -Ed ...
  •   + CategoryInfo          : NotSpecified: (:) [Write-Error], WriteErrorException
      + FullyQualifiedErrorId : Microsoft.PowerShell.Commands.WriteErrorException,Install-NvidiaApp
    
    

No NVIDIA GPU found.
At line:136 char:9

  •     throw "No NVIDIA GPU found."
    
  •     ~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    • CategoryInfo : OperationStopped: (No NVIDIA GPU found.:String) [], RuntimeException
    • FullyQualifiedErrorId : No NVIDIA GPU found.`

That will not do

@Hottihotte
Copy link

Hottihotte commented Mar 8, 2025

`@Echo off
cd /d "%~dp0"

REM NVIDIA
powershell -noprofile "Start-BitsTransfer -DisplayName Nvidia "https://gist.githubusercontent.com/emilwojcik93/788eca2e456488c360fabc15d274031d/raw/Install-NvidiaApp.ps1"
powershell -ExecutionPolicy Bypass -Command "& '.\Install-NvidiaApp.ps1'" -Verbose`

This works perfectly in a batch.
The ps1 is loaded and then executed, i.e. installed.
Unfortunately, however, it doesn't work in Virtualbox for testing.
This is where the error comes

`AUSFÜHRLICH: Script parameters:
AUSFÜHRLICH: Verbose: True
AUSFÜHRLICH: DryRun: False
AUSFÜHRLICH: Force: False
AUSFÜHRLICH: Edition: Public
AUSFÜHRLICH: Checking for NVIDIA GPU presence
Install-NvidiaApp : No NVIDIA GPU found. Exiting.
In C:\Users\Robbi\Desktop\Install-NvidiaApp.ps1:209 Zeichen:1

  • Install-NvidiaApp -Verbose:$Verbose -DryRun:$DryRun -Force:$Force -Ed ...
  •   + CategoryInfo          : NotSpecified: (:) [Write-Error], WriteErrorException
      + FullyQualifiedErrorId : Microsoft.PowerShell.Commands.WriteErrorException,Install-NvidiaApp
    
    

No NVIDIA GPU found.
In C:\Users\Robbi\Desktop\Install-NvidiaApp.ps1:136 Zeichen:9

  •     throw "No NVIDIA GPU found."
    
  •     ~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    • CategoryInfo : OperationStopped: (No NVIDIA GPU found.:String) [], RuntimeException
    • FullyQualifiedErrorId : No NVIDIA GPU found.`

Because the GPU is only simulated and is not that of the host system and I don't know how to simulate NVIDIA drivers in Virtualbox..

@emilwojcik93
Copy link
Author

emilwojcik93 commented Mar 13, 2025

I moved this script from gist to git repo
https://github.com/emilwojcik93/Install-NvidiaApp.git

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment