Upload multiple files from Powershell script Upload multiple files from Powershell script powershell powershell

Upload multiple files from Powershell script


I've been crafting multipart HTTP POST with PowerShell today. I hope the code below is helpful to you.

  • PowerShell itself cannot do multipart form uploads.
  • There are not many sample about it either. I built the code based on this and this.
  • Sure, Invoke-RestMethod requires PowerShell 3.0 but the code in the latter of the above links shows how to do HTTP POST with .NET directly, allowing you to have this running in Windows XP as well.

Good luck! Please tell if you got it to work.

function Send-Results {    param (        [parameter(Mandatory=$True,Position=1)] [ValidateScript({ Test-Path -PathType Leaf $_ })] [String] $ResultFilePath,        [parameter(Mandatory=$True,Position=2)] [System.URI] $ResultURL    )    $fileBin = [IO.File]::ReadAllBytes($ResultFilePath)    $computer= $env:COMPUTERNAME    # Convert byte-array to string (without changing anything)    #    $enc = [System.Text.Encoding]::GetEncoding("iso-8859-1")    $fileEnc = $enc.GetString($fileBin)    <#    # PowerShell does not (yet) have built-in support for making 'multipart' (i.e. binary file upload compatible)    # form uploads. So we have to craft one...    #    # This is doing similar to:     # $ curl -i -F "file=@file.any" -F "computer=MYPC" http://url    #    # Boundary is anything that is guaranteed not to exist in the sent data (i.e. string long enough)    #        # Note: The protocol is very precise about getting the number of line feeds correct (both CRLF or LF work).    #>    $boundary = [System.Guid]::NewGuid().ToString()    #     $LF = "`n"    $bodyLines = (        "--$boundary",        "Content-Disposition: form-data; name=`"file`"$LF",   # filename= is optional        $fileEnc,        "--$boundary",        "Content-Disposition: form-data; name=`"computer`"$LF",        $computer,        "--$boundary--$LF"        ) -join $LF    try {        # Returns the response gotten from the server (we pass it on).        #        Invoke-RestMethod -Uri $URL -Method Post -ContentType "multipart/form-data; boundary=`"$boundary`"" -TimeoutSec 20 -Body $bodyLines    }    catch [System.Net.WebException] {        Write-Error( "FAILED to reach '$URL': $_" )        throw $_    }}


I was bothered by this thing and haven't found a satisfactory solution. Although the gist here proposed can do the yob, it is not efficient in case of large files transmittal. I wrote a blog post proposing a solution for it, basing my cmdlet on HttpClient class present in .NET 4.5. If that is not a problem for you, you can check my solution at the following address http://blog.majcica.com/2016/01/13/powershell-tips-and-tricks-multipartform-data-requests/

EDIT:

function Invoke-MultipartFormDataUpload{    [CmdletBinding()]    PARAM    (        [string][parameter(Mandatory = $true)][ValidateNotNullOrEmpty()]$InFile,        [string]$ContentType,        [Uri][parameter(Mandatory = $true)][ValidateNotNullOrEmpty()]$Uri,        [System.Management.Automation.PSCredential]$Credential    )    BEGIN    {        if (-not (Test-Path $InFile))        {            $errorMessage = ("File {0} missing or unable to read." -f $InFile)            $exception =  New-Object System.Exception $errorMessage            $errorRecord = New-Object System.Management.Automation.ErrorRecord $exception, 'MultipartFormDataUpload', ([System.Management.Automation.ErrorCategory]::InvalidArgument), $InFile            $PSCmdlet.ThrowTerminatingError($errorRecord)        }        if (-not $ContentType)        {            Add-Type -AssemblyName System.Web            $mimeType = [System.Web.MimeMapping]::GetMimeMapping($InFile)            if ($mimeType)            {                $ContentType = $mimeType            }            else            {                $ContentType = "application/octet-stream"            }        }    }    PROCESS    {        Add-Type -AssemblyName System.Net.Http        $httpClientHandler = New-Object System.Net.Http.HttpClientHandler        if ($Credential)        {            $networkCredential = New-Object System.Net.NetworkCredential @($Credential.UserName, $Credential.Password)            $httpClientHandler.Credentials = $networkCredential        }        $httpClient = New-Object System.Net.Http.Httpclient $httpClientHandler        $packageFileStream = New-Object System.IO.FileStream @($InFile, [System.IO.FileMode]::Open)        $contentDispositionHeaderValue = New-Object System.Net.Http.Headers.ContentDispositionHeaderValue "form-data"        $contentDispositionHeaderValue.Name = "fileData"        $contentDispositionHeaderValue.FileName = (Split-Path $InFile -leaf)        $streamContent = New-Object System.Net.Http.StreamContent $packageFileStream        $streamContent.Headers.ContentDisposition = $contentDispositionHeaderValue        $streamContent.Headers.ContentType = New-Object System.Net.Http.Headers.MediaTypeHeaderValue $ContentType        $content = New-Object System.Net.Http.MultipartFormDataContent        $content.Add($streamContent)        try        {            $response = $httpClient.PostAsync($Uri, $content).Result            if (!$response.IsSuccessStatusCode)            {                $responseBody = $response.Content.ReadAsStringAsync().Result                $errorMessage = "Status code {0}. Reason {1}. Server reported the following message: {2}." -f $response.StatusCode, $response.ReasonPhrase, $responseBody                throw [System.Net.Http.HttpRequestException] $errorMessage            }            $responseBody = [xml]$response.Content.ReadAsStringAsync().Result            return $responseBody        }        catch [Exception]        {            $PSCmdlet.ThrowTerminatingError($_)        }        finally        {            if($null -ne $httpClient)            {                $httpClient.Dispose()            }            if($null -ne $response)            {                $response.Dispose()            }        }    }    END { }}

Cheers


I have found a solution to my problem after studying how multipart/form-data is built. A lot of help came in the form of http://www.paraesthesia.com/archive/2009/12/16/posting-multipartform-data-using-.net-webrequest.aspx.

The solution then is to build the body of the request up manually according to that convention. I have left of niceties like correct Content-Lengths etc.

Here is an excerpt of what I am using now:

    $path = "/Some/path/to/data/"    $boundary_id = Get-Date -Format yyyyMMddhhmmssfffffff    $boundary = "------------------------------" + $boundary_id    $url = "http://..."    [System.Net.HttpWebRequest] $req = [System.Net.WebRequest]::create($url)    $req.Method = "POST"    $req.ContentType = "multipart/form-data; boundary=$boundary"    $ContentLength = 0    $req.TimeOut = 50000    $reqst = $req.getRequestStream()    <#    Any time you write a file to the request stream (for upload), you'll write:        Two dashes.        Your boundary.        One CRLF (\r\n).        A content-disposition header that tells the name of the form field corresponding to the file and the name of the file. That looks like:        Content-Disposition: form-data; name="yourformfieldname"; filename="somefile.jpg"         One CRLF.        A content-type header that says what the MIME type of the file is. That looks like:        Content-Type: image/jpg        Two CRLFs.        The entire contents of the file, byte for byte. It's OK to include binary content here. Don't base-64 encode it or anything, just stream it on in.        One CRLF.    #>    <# Upload #1: XFA #>     $xfabuffer = [System.IO.File]::ReadAllBytes("$path\P7-T.xml")    <# part-header #>    $header = "--$boundary`r`nContent-Disposition: form-data; name=`"xfa`"; filename=`"xfa`"`r`nContent-Type: text/xml`r`n`r`n"    $buffer = [Text.Encoding]::ascii.getbytes($header)            $reqst.write($buffer, 0, $buffer.length)    $ContentLength = $ContentLength + $buffer.length    <# part-data #>    $reqst.write($xfabuffer, 0, $xfabuffer.length)    $ContentLength = $ContentLength + $xfabuffer.length    <# part-separator "One CRLF" #>    $terminal = "`r`n"    $buffer = [Text.Encoding]::ascii.getbytes($terminal)            $reqst.write($buffer, 0, $buffer.length)    $ContentLength = $ContentLength + $buffer.length    <# Upload #1: PDF template #>    $pdfbuffer = [System.IO.File]::ReadAllBytes("$path\P7-T.pdf")    <# part-header #>    $header = "--$boundary`r`nContent-Disposition: form-data; name=`"pdf`"; filename=`"pdf`"`r`nContent-Type: application/pdf`r`n`r`n"    $buffer = [Text.Encoding]::ascii.getbytes($header)            $reqst.write($buffer, 0, $buffer.length)    $ContentLength = $ContentLength + $buffer.length    <# part-data #>    $reqst.write($pdfbuffer, 0, $pdfbuffer.length)    $ContentLength = $ContentLength + $pdfbuffer.length    <# part-separator "One CRLF" #>    $terminal = "`r`n"    $buffer = [Text.Encoding]::ascii.getbytes($terminal)            $reqst.write($buffer, 0, $buffer.length)    $ContentLength = $ContentLength + $buffer.length    <#    At the end of your request, after writing all of your fields and files to the request, you'll write:    Two dashes.    Your boundary.    Two more dashes.    #>    $terminal = "--$boundary--"    $buffer = [Text.Encoding]::ascii.getbytes($terminal)            $reqst.write($buffer, 0, $buffer.length)    $ContentLength = $ContentLength + $buffer.length    $reqst.flush()    $reqst.close()    # Dump request to console    #$req    [net.httpWebResponse] $res = $req.getResponse()    # Dump result to console    #$res    # Dump result-body to filesystem<#        $resst = $res.getResponseStream()    $sr = New-Object IO.StreamReader($resst)    $result = $sr.ReadToEnd()    $res.close()#>    $null = New-Item -ItemType Directory -Force -Path "$path\result"    $target = "$path\result\P7-T.pdf"    # Create a stream to write to the file system.    $targetfile = [System.IO.File]::Create($target)    # Create the buffer for copying data.    $buffer = New-Object Byte[] 1024    # Get a reference to the response stream (System.IO.Stream).    $resst = $res.GetResponseStream()    # In an iteration...    Do {        # ...attemt to read one kilobyte of data from the web response stream.        $read = $resst.Read($buffer, 0, $buffer.Length)        # Write the just-read bytes to the target file.        $targetfile.Write($buffer, 0, $read)        # Iterate while there's still data on the web response stream.    } While ($read -gt 0)    # Close the stream.    $resst.Close()    $resst.Dispose()    # Flush and close the writer.    $targetfile.Flush()    $targetfile.Close()    $targetfile.Dispose()