GPU Computing Tutorial

Total Page:16

File Type:pdf, Size:1020Kb

GPU Computing Tutorial GPU Computing Tutorial M. Schwinzerl, R. De Maria CERN [email protected], [email protected] December 13, 2018 M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 1 / 34 Outline • Goal • Identify Problems benefitting from GPU Computing • Understand the typical structure of a GPU enhanced Program • Introduce the two most established Frameworks • Basic Idea about Performance Analysis • Teaser: SixTrackLib • Code: https://github.com/martinschwinzerl/intro_gpu_computing M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 2 / 34 Introduction: CPUs vs. GPUs (Spoilers Ahead!) GPUs have: • More arithmetic units (in particular single precision SP) • Less logic for control flow • Less registers per arithmetic units • Less memory but larger bandwidth GPU hardware types: • Low-end Gaming: <100$, still equal or better computing than desktop CPU in SP and DP • High-end Gaming : 100-800$, substantial computing in SP, DP= 1/32 SP • Server HPC: 6000-8000$, substantial computing in SP, DP= 1/2 SP, no video • Hybrid HPC: 3000-8000$, substantial computing in SP, DP= 1/2 SP • Server AI: 6000-8000$, substantial computing in SP, DP= 1/32 SP, no video M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 3 / 34 Introduction: GPU vs CPU (Example) Specification CPU GPU Cores or compute units 2-64 16-80 Arithmetic units per core 2-8 64 GFlops SP 24-2000 1000 - 15000 GFlops DP 12-1000 100 - 7500 • Obtaining theoretical performance is guaranteed only for a limited number of problems • Code complexity, Number of temporary varaibles, Branches, Latencies, Memory access patterns / Synchronization, .... • Question 1: How to write and run programs for GPUs? • Question 2: What kind of problems are suitable for GPU computing? M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 4 / 34 Example: Non-Scary GPU programming using CuPy1 import cupy as cp import numpy as np N = 100000 # length of the vectors # create vectors of random numbers and transfer them to the GPU: x = cp.asarray( np.random.rand( N ) ) y = cp.asarray( np.random.rand( N ) ) # perform the calculations on the GPU: z = x + y # transfer the result back from the GPU z cmp = z.asnumpy( z ) 1CuPy: Cuda + Python https://cupy.chainer.org/ M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 5 / 34 Overview: Coding frameworks • Cuda: NVIDIA, GPUs only, C99 / C++1x language, unified memory (free) • OpenCL: vendor and hardware neutral (AMD, NVIDIA, Intel, CPU(pocl, Intel)), v1.2: C99-like language (free) • SyCL: open standard, beta commercial implementation (Intel, AMD) (no NVIDIA) • ROCm: open source (from AMD) (HIP compatible AMD, Nvidia) • clang+SPIRV+vulkan: vendor neutral (AMD, NVIDIA) not easy • clang+PTX: Nvidia not easy • OpenACC and OpenMP: directive based, offloading, open standard, compiler directives • numba, cupy (pure python) • pyopencl (python + OpenCL kernels), pycuda (python + Cuda kernels) M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 6 / 34 Comparison: OpenCL and Cuda OpenCL Cuda • Hardware Neutral: GPUs, CPUs, FPGAs, • Hardware: only NVIDIA GPUs Signal Processors • Software: only implementation from • Standardized by Khronos Group NVIDIA, • Programs should work across • Tools, Libraries and Toolkits also available implementations ! \Least Common • Software and hardware tightly integrated Denominator' Programming" (versioning!) • Now: OpenCL 1.2 (C99 - like language • No emulator/CPU target on recent for device programs), future: OpenCL implementations 2.x, OpenCL-Next? • Version 10.0 with C99 and C++11/14 • Primarily: Run-time compilation like language • Single-file compilation (SyCL) • Primarily: Single-file compilation • Run-time compilation available (NVRTC) M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 7 / 34 Example: Vector-Vector Addition (Overview) M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 8 / 34 Example: Vector-Vector Addition (Kernel, SPMD) M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 9 / 34 Detail: OpenCL and Cuda Kernels for ~z = ~x + ~y OpenCL Kernel __kernel void add_vec_kernel( __global double const* restrictx, __global double const* restricty, __global double* restrictz, int constn) { int const gid= get_global_id( 0 ); if( gid<n)z[ gid]=x[ gid]+y[ gid]; } Cuda Kernel __global__ void add_vec_kernel( double const* __restrict__x, double const* __restrict__y, double* __restrict__z, int constn) { int const gid= blockIdx.x* blockDim.x+ threadIdx.x; if( gid<n)z[ gid]=x[ gid]+y[ gid]; } M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 10 / 34 OpenCL: Building the Program, Getting the Kernel /*---------------------------------------------------------------------*/ /* Build the program and get the kernel:*/ cl::Context context( device); cl::CommandQueue queue( context, device); std::string const kernel_source= "__kernel void add_vec_kernel(\r\n" " __global double const* restrictx, __global double const* restricty," " __global double* restrictz, int constn)\r\n" "{\r\n" " int const gid= get_global_id(0);\r\n" " if( gid<n){\r\n" "z[ gid]=x[ gid]+y[ gid];\r\n" "}\r\n" "}\r\n"; std::string const compile_options="-w-Werror"; cl::Program program( context, kernel_source); cl_int ret= program.build( compile_options.c_str()); assert( ret ==CL_SUCCESS); cl::Kernel kernel( program,"add_vec_kernel"); M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 11 / 34 Example: Vector-Vector Addition (SPMD,Teams,Grid) • Internally: Groups of W Threads operating in lock-step • NVidia: Warp, W ∼ 32 • AMD: Wavefront, W ∼ 64 • Other: Team, .... • For the user, threads are organized in a 3D geometrical structure • Cuda: Grid (Blocks, Threads) • OpenCL: Work-groups of Threads in a 3D grid • The 3D grid is motivated by image (video) applications • Flexible ! can be treated like a 1D grid M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 12 / 34 Example: Vector-Vector Addition (SPMD, Branching) One Consequence of SPMD: Branching can be Expensive Example below: One Wave of W threads: M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 13 / 34 M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 14 / 34 OpenCL: On the Host: prepare Device, Context, Queue /*---------------------------------------------------------------------*/ /* Select the first device on the first platform:*/ std::vector< cl::Platform> platforms; cl::Platform::get(&platforms); std::vector< cl::Device> devices; bool device_found= false; cl::Device device; for( auto const& available_platform: platforms) { devices.clear(); available_platform.getDevices(CL_DEVICE_TYPE_ALL,&devices); if(!devices.empty()) { device= devices.front(); device_found= true; break; } } assert( device_found); /*---------------------------------------------------------------------*/ /* Build the program and get the kernel:*/ cl::Context context( device); cl::CommandQueue queue( context, device); M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 15 / 34 Cuda: Just checking .... /*---------------------------------------------------------------------*/ /* use the"default"/"first" Cuda device for the program:*/ int device= int{ 0 }; ::cudaGetDevice(&device); cudaError_t cu_err = ::cudaDeviceSynchronize(); assert( cu_err == ::cudaSuccess); M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 16 / 34 Allocating the Buffers on the Device OpenCL: /*---------------------------------------------------------------------*/ /* Allocate the buffers on the device*/ /* x_arg, y_arg, z_arg... handles on the host side managing buffers in* * the device memory*/ cl::Buffer x_arg( context,CL_MEM_READ_WRITE, sizeof( double)*N, nullptr); cl::Buffer y_arg( context,CL_MEM_READ_WRITE, sizeof( double)*N, nullptr); cl::Buffer z_arg( context,CL_MEM_READ_WRITE, sizeof( double)*N, nullptr); Cuda: /*---------------------------------------------------------------------*/ /* Allocate the buffers on the device*/ /* x_arg, y_arg, z_arg... handles on the host side managing buffers in* * the device memory*/ double* x_arg= nullptr; double* y_arg= nullptr; double* z_arg= nullptr; ::cudaMalloc(&x_arg, sizeof( double)*N); ::cudaMalloc(&y_arg, sizeof( double)*N); ::cudaMalloc(&z_arg, sizeof( double)*N); M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 17 / 34 Transfering ~x and ~y to the Device Memory OpenCL: /* Transferx andy from the host to the device*/ ret= queue.enqueueWriteBuffer( x_arg,CL_TRUE, std::size_t{ 0 }, x.size()* sizeof( double),x.data()); assert( ret ==CL_SUCCESS); ret= queue.enqueueWriteBuffer( y_arg,CL_TRUE, std::size_t{ 0 }, y.size()* sizeof( double),y.data()); assert( ret ==CL_SUCCESS); Cuda: /*---------------------------------------------------------------------*/ /* Transferx andy from host to device*/ ::cudaMemcpy( x_arg,x.data(), sizeof( double)*N, cudaMemcpyHostToDevice); ::cudaMemcpy( y_arg,y.data(), sizeof( double)*N, cudaMemcpyHostToDevice); M. Schwinzerl, R. De Maria (CERN) GPU Computing December 13, 2018 18 / 34 Running the kernel OpenCL: /*---------------------------------------------------------------------*/ /* Prepare the kernel for execution: bind the arguments to the kernel*/ kernel.setArg( 0, x_arg); kernel.setArg( 1, y_arg); kernel.setArg( 2, z_arg); kernel.setArg( 3,N); /*--------------------------------------------------------------------*/ /* execute the kernel on the device*/ cl::NDRange offset= cl::NullRange; cl::NDRange local= cl::NullRange; ret= queue.enqueueNDRangeKernel( kernel, offset,N, local);
Recommended publications
  • AMD Firestream™ 9350 GPU Compute Accelerator
    AMD FireStream™ 9350 GPU Compute Accelerator High Density Server GPU Acceleration The AMD FireStream™ 9350 GPU compute accelerator card offers industry- leading performance-per-watt in a highly dense, single-slot form factor. This AMD FireStream 9350 low-profile GPU card is designed for scalable high performance computing > Heterogeneous computing that (HPC) systems that require density and power efficiency. The AMD FireStream leverages AMD GPUs and x86 CPUs 9350 is ideal for a wide range of HPC applications across several industries > High performance per watt at 2.9 including Finance, Energy (Oil and Gas), Geosciences, Life Sciences, GFLOPS / Watt Manufacturing (CAE, CFD, etc.), Defense, and more. > Industry’s most dense server GPU card 1 Utilizing the multi-billion-transistor ASICs developed for AMD Radeon™ graphics > Low profile and passively cooled cards, AMD’s FireStream 9350 cards provide maximum performance-per-slot > Massively parallel, programmable GPU and are designed to meet demanding performance and reliability requirements architecture of HPC systems that can scale to thousands of nodes. AMD FireStream 9350 > Open standard OpenCL™ and cards include a single DisplayPort output. DirectCompute2 AMD FireStream 9350 cards can be used in scalable servers, blades, PCIe® > 2.0 TFLOPS, Single-Precision Peak chassis, and are available from many leading server OEMs and HPC solution > 400 GFLOPS, Double-Precision Peak providers. > 2GB GDDR5 memory Priced competitively, AMD FireStream GPUs offer unparalleled performance > Industry’s only Single-Slot PCIe® Accelerator and value for high performance computing. > PCI Express® 2.1 Compliant Note: For workstation and server > AMD Accelerated Parallel Processing installations that require active (APP) Technology SDK with OpenCL3 cooling, AMD FirePro™ Professional > 3-year planned availability; 3-year Graphics boards are software- limited warranty compatible and offer comparable features.
    [Show full text]
  • AMD Firepro™Professional Graphics for CAD & Engineering and Media
    AMD FirePro™Professional Graphics for CAD & Engineering and Media & Entertainment Performance at every price point. AMD FirePro professional graphics offer breakthrough capabilities that can help maximize productivity and help lower cost and complexity — giving you the edge you need in your business. Outstanding graphics performance, compute power and ultrahigh-resolution multidisplay capabilities allows broadcast, design and engineering professionals to work at a whole new level of detail, speed, responsiveness and creativity. AMD FireProTM W9100 AMD FireProTM W8100 With 16GB GDDR5 memory and the ability to support up to six 4K The new AMD FirePro W8100 workstation graphics card is based on displays via six Mini DisplayPort outputs,1 the AMD FirePro W9100 the AMD Graphics Core Next (GCN) GPU architecture and packs up graphics card is the ideal single-GPU solution for the next generation to 4.2 TFLOPS of compute power to accelerate your projects beyond of ultrahigh-resolution visualization environments. just graphics. AMD FireProTM W7100 AMD FireProTM W5100 The new AMD FirePro W7100 graphics card delivers 8GB The new AMD FirePro™ W5100 graphics card delivers optimized of memory, application performance and special features application and multidisplay performance for midrange users. that media and entertainment and design and engineering With 4GB of ultra-fast GDDR5 memory, users can tackle moderately professionals need to take their projects to the next level. complex models, assemblies, data sets or advanced visual effects with ease. AMD FireProTM W4100 AMD FireProTM W2100 In a class of its own, the AMD FirePro Professional graphics starts with AMD W4100 graphics card is the best choice FirePro W2100 graphics, delivering for entry-level users who need a boost in optimized and certified professional graphics performance to better address application performance that similarly- their evolving workflows.
    [Show full text]
  • AMD Firepro™ W5000
    AMD FirePro™ W5000 Be Limitless, When Every Detail Counts. Powerful mid-range workstation graphics. This powerful product, designed for delivering superior performance for CAD/CAE and Media workflows, can process Key Features: up to 1.65 billion triangles per second. This means during > Utilizes Graphics Core Next (GCN) to the design process you can easily interact and render efficiently balance compute tasks with your 3D models, while the competition can only process 3D workloads, enabling multi-tasking that is designed to optimize utilization up to 0.41 billion triangles per second (up to four times and maximize performance. less performance). It also offers double the memory > Unmatched application of competing products (2GB vs. 1GB) and 2.5x responsiveness in your workflow, the memory bandwidth. It’s the ideal solution whether in advanced visualization, for professionals working with a broad range of complex models, large data sets or applications, moderately complex models and datasets, video editing. and advanced visual effects. > AMD ZeroCore Power Technology enables your GPU to power down when your monitor is off. Product features: > AMD ZeroCore Power technology leverages > GeometryBoost—the GPU processes > Optimized and certified for major CAD and M&E AMD’s leadership in notebook power efficiency geometry data at a rate of twice per clock cycle, doubling the rate of primitive applications delivering 1 TFLOP of single precision and 80 to enable our desktop GPUs to power down and vertex processing. GFLOPs of double precision performance with when your monitor is off, also known as the > AMD Eyefinity Technology— outstanding reliability for the most demanding “long idle state.” Industry-leading multi-display professional tasks.
    [Show full text]
  • Radeon Pro Software for Enterprise 20.Q1.1
    Radeon Pro Software for Enterprise 20.Q1.1 Release Notes This document captures software compatibility guidelines and known errata DISCLAIMER The information contained herein is for informational purposes only and is subject to change without notice. While every precaution has been taken in the preparation of this document, it may contain technical inaccuracies, omissions, and typographical errors, and AMD is under no obligation to update or otherwise correct this information. Advanced Micro Devices, Inc. makes no representations or warranties with respect to the accuracy or completeness of the contents of this document, and assumes no liability of any kind, including the implied warranties of non-infringement, merchantability or fitness for particular purposes, with respect to the operation or use of AMD hardware, software or other products described herein. No license, including implied or arising by estoppel, to any intellectual property rights is granted by this document. Terms and limitations applicable to the purchase or use of AMD’s products are as set forth in a signed agreement between the parties or in AMD's Standard Terms and Conditions of Sale. ©2019 Advanced Micro Devices, Inc. All rights reserved. AMD, the AMD arrow, FirePro, Radeon Pro, and combinations thereof are trademarks of Advanced Micro Devices, Inc. in the United States and/or other jurisdictions. Windows is a registered trademark of Microsoft Corporation in the United States and/or other jurisdictions. Other names are for informational purposes only and may be
    [Show full text]
  • AMD Firepro™ W5000
    AMD FirePro™ W5000 Be Limitless, When Every Detail Counts. The most powerful mid-range workstation graphics card ever created. Key Features: AMD FirePro™ W5000 is the most powerful > Utilizes Graphics Core Next (GCN) to efficiently balance compute tasks with mid-range workstation graphics card in the market. 3D workloads, enabling multi-tasking It delivers significantly higher performance than that is designed to optimize utilization the competing cards measured against a wide set and maximize performance. of parameters and in real world workflows.3 > Unmatched application responsiveness in your workflow, This powerful product, designed for delivering whether in advanced visualization, superior performance for CAD/CAE and Media complex models, large data sets or workflows, can process up to 1.65 billion triangles video editing. per second. This means during the design process > AMD ZeroCore Power Technology you can easily interact and render your 3D models, enables your GPU to power down when your monitor is off. while the competition can only process up to 0.41 billion > An energy-efficient design uses AMD PowerTune triangles per second (up to four times less > GeometryBoost—the GPU processes 3 technology to dynamically optimize GPU power geometry data at a rate of twice per performance). It also offers double the memory usage while AMD ZeroCore Power technology clock cycle, doubling the rate of primitive of competing products (2GB vs. 1GB) and 2.5x significantly reduces power consumption at idle. and vertex processing. the memory bandwidth.3 It’s the ideal solution > AMD Eyefinity Technology— for professionals working with a broad range of > The Industry-leading multi-display technology, Industry-leading multi-display AMD Eyefinity, enables highly immersive and technology enabling highly immersive applications, moderately complex models and datasets, and advanced visual effects.
    [Show full text]
  • AMD Codexl 1.8 GA Release Notes
    AMD CodeXL 1.8 GA Release Notes Contents AMD CodeXL 1.8 GA Release Notes ......................................................................................................... 1 New in this version .............................................................................................................................. 2 System Requirements .......................................................................................................................... 2 Getting the latest Catalyst release ....................................................................................................... 4 Note about installing CodeAnalyst after installing CodeXL for Windows ............................................... 4 Fixed Issues ......................................................................................................................................... 4 Known Issues ....................................................................................................................................... 5 Support ............................................................................................................................................... 6 Thank you for using CodeXL. We appreciate any feedback you have! Please use the CodeXL Forum to provide your feedback. You can also check out the Getting Started guide on the CodeXL Web Page and the latest CodeXL blog at AMD Developer Central - Blogs This version contains: For 64-bit Windows platforms o CodeXL Standalone application o CodeXL Microsoft® Visual Studio®
    [Show full text]
  • Radeon PRO Software for Enterprise 21.Q2.1
    Radeon PRO Software for Enterprise 21.Q2.1 Release Notes This document captures software compatibility guidelines and known errata DISCLAIMER The information contained herein is for informational purposes only and is subject to change without notice. While every precaution has been taken in the preparation of this document, it may contain technical inaccuracies, omissions, and typographical errors, and AMD is under no obligation to update or otherwise correct this information. Advanced Micro Devices, Inc. makes no representations or warranties with respect to the accuracy or completeness of the contents of this document, and assumes no liability of any kind, including the implied warranties of non-infringement, merchantability or fitness for particular purposes, with respect to the operation or use of AMD hardware, software or other products described herein. No license, including implied or arising by estoppel, to any intellectual property rights is granted by this document. Terms and limitations applicable to the purchase or use of AMD’s products are as set forth in a signed agreement between the parties or in AMD's Standard Terms and Conditions of Sale. ©2021 Advanced Micro Devices, Inc. All rights reserved. AMD, the AMD arrow, FirePro, Radeon PRO, and combinations thereof are trademarks of Advanced Micro Devices, Inc. in the United States and/or other jurisdictions. Windows is a registered trademark of Microsoft Corporation in the United States and/or other jurisdictions. Other names are for informational purposes only and may be
    [Show full text]
  • AMD Firepro™ S7150 X2 Server GPU Data Sheet
    Cisco® UCS C-Series Rack Servers AMD FireProTM S-Series for Virtualization Pure Virtualized Graphics Solution Brief: AMD Multiuser GPU with Cisco® UCS C-Series rack servers Graphics virtualization is taking off as more and more enterprises deploy VDI Cisco and AMD are combining the proven UCS C-Series server platform and AMD Multiuser GPU (MxGPU) hardware-based Cisco and AMD are addressing today’s enterprise graphics virtualization to deliver a world-class VDI solution. graphics virtualization demands by making the AMD FirePro™ S7150 series GPUs available on Cisco UCS C- Key Reasons to Consider Cisco UCS C-Series Rack Servers Series rack servers. These graphics cards support • Industry-leading reference architectures deliver out-of-the-box AMD Multiuser GPU (MxGPU) technology, the performance while scaling from small to very large Big Data and world’s first hardware-virtualized GPU solution. Analytics deployments. Building virtualized graphics into the silicon offers the ideal solution for Cisco customers looking for • Superior rack server management capabilities manage individual or highly secure, high performance, and cost effective scale-out server deployments with a consistent methodology. GPU acceleration for their Virtual Desktop • Improved application performance that has captured 126 world Infrastructure (VDI) deployments. The Cisco records with first-to-market results or results that exceed those set UCS C240 M4, UCS C240 M5, UCS C460 M4, and by other vendors. UCS C480 M5 rack servers are now available with the AMD FirePro S7150 and AMD FirePro™ S7150 x2 Five reasons for AMD MxGPU Technology server graphics accelerators. • Full workstation acceleration: Each user receives dedicated GPU Cisco and AMD understand that scalability is key for resources and predictable graphics acceleration.
    [Show full text]
  • AMD Firepro™Professional Graphics for CAD & Engineering and Media & Entertainment
    AMD FirePro™Professional Graphics for CAD & Engineering and Media & Entertainment Performance at every price point. AMD FirePro professional graphics offer breakthrough capabilities that can help maximize productivity and help lower cost and complexity — giving you the edge you need in your business. Outstanding graphics performance, compute power and ultrahigh- resolution multidisplay capabilities allows broadcast, design and engineering professionals to work at a whole new level of detail, speed, responsiveness and creativity. AMD FireProTM W9100 AMD FireProTM W8100 With 16GB GDDR5 memory and the ability to support up to six 4K The new AMD FirePro W8100 workstation graphics card is based displays via six Mini DisplayPort outputs,1 the AMD FirePro W9100 on the AMD Graphics Core Next (GCN) GPU architecture and graphics card is the ideal single-GPU solution for the next generation packs up to 4.2 TFLOPS of compute power to accelerate your of ultrahigh-resolution visualization environments. projects beyond just graphics. AMD FireProTM W7100 AMD FireProTM W5100 The new AMD FirePro W7100 graphics card delivers 8GB The new AMD FirePro™ W5100 graphics card delivers optimized of memory, application performance and special features application and multidisplay performance for midrange users. that media and entertainment and design and engineering With 4GB of ultra-fast GDDR5 memory, users can tackle professionals need to take their projects to the next level. moderately complex models, assemblies, data sets or advanced visual effects with ease. AMD FireProTM W4300 AMD FireProTM W4100 AMD FireProTM W2100 The AMD FirePro™ W4300 is AMD’s In a class of its own, the AMD FirePro Professional graphics starts with AMD most powerful workstation graphics card W4100 graphics card is the best choice FirePro W2100 graphics, delivering for small form factor, energy efficient for entry-level users who need a boost in optimized and certified professional workstations with a power consumption graphics performance to better address application performance that similarly- of under 50W.
    [Show full text]
  • Schneider Digital 3D Pluraview Supported Graphics Cards
    3D PluraView Supported Graphics Cards 3D PluraView 3D PluraView | Supported Graphics Cards 3D PluraView Supported Graphics Cards Since 2019 all four 3D PluraView monitors feature an integrated mirror card, making them ‘plug & play’ compatible with any operating system and any graphics card with at least two digital monitor outputs. This basic hardware requirement supports all software applications, displaying a full-screen, ‘side-by-side’ or ‘top-bottom’ stereoscopic view, used for instance by VR headsets. 3D PluraView Models & Dimensions D Benefit from professional Graphics Card with Quad-Buffer Most stereo-capable software applications under Linux, iOS and Windows have implemented the advanced Quad-Buffer OpenGL / DirectX / Vulkan support. The applications-dependent Quad-Buffer feature provides maximum flexibility and user-friendliness: Both, stereoscopic content and monoscopic application menus, documents or open web browser tabs can be arranged freely at the same time on the 3D PluraView. Multiple stereo windows at different sizes can be displayed, even multiple stereoscopic applications can be active at the same time! Altogether, this results in a much more productive stereo work-environment, with application menus and stereo- windows on the same screen. Since 2012, all NVIDIA Quadro and all AMD FirePro™ or AMD Radeon™ Pro cards listed in this document fully support this feature, even with their newest drivers and in the latest Microsoft Windows 10, Version 21H1. After the official release from Microsoft Windows 11 in November 2021, we will certainly update this list. Even for those customers, who continue to work under the Windows XP or Windows 2000 operating system, we can still supply NVIDIA QuadroFX AGP-BUS cards that are compatible with our 3D PluraView 22” Full-HD monitor.
    [Show full text]
  • AMD Accelerators for HPE Proliant Servers Overview
    QuickSpecs AMD Accelerators for HPE ProLiant Servers Overview AMD Accelerators for HPE ProLiant Servers Hewlett Packard Enterprise supports, on select HPE ProLiant servers, computational accelerator modules based on AMD® Graphical Processing Unit (GPU) technology. AMD server graphics and accelerators offer exceptional compute performance handling of a variety of workloads. Instinct™ accelerators provides the performance to support high performance compute workloads and industry leading frameworks like TensorFlow, Caffe, PyTorch and others for machine intelligence. AMD Accelerators Models AMD Instinct MI100 PCIe Graphics Accelerator for HPE R4W72A AMD Radeon Instinct MI100 PCIe Graphics Accelerator for HPE R4W72C Notes: Please see the HPE ProLiant server QuickSpecs for the following servers for configuration rules, including requirements for enablement kits for xl675d Gen10 Plus and the HPE ProLiant DL385 Gen10 Plus Page 1 QuickSpecs AMD Accelerators for HPE ProLiant Servers Standard Features Description AMD Instinct MI100 GPU Module for HPE SKU R4W72A/ R4W72C Performance 46.1 TF SP Memory Size 32GB HBM2 Memory Bandwidth Up to 1.2 TB/s Cores 7680 GPU Peer to Peer PCIe Gen4 Power 300W Supported Servers and Operating Systems Supported Servers CPU RHEL SLES Ubuntu Windows VMware Citrix Enterprise Enterprise Community Enterprise ESXi XenServer HPE Apollo 6500 – AMD 8.2 SLES15 20.04 -- -- -- XL645d Gen10 Plus Rome SP2 HPE Apollo 6500 – AMD 8.2 SLES15 19.1 -- -- -- XL675d Gen10 Plus Rome SP1 HPE ProLiant DL385 AMD 7.8 SLES15 -- -- -- -- Gen10 Plus Milan SP1 Page 2 QuickSpecs AMD Accelerators for HPE ProLiant Servers Service and Support If this is a qualified option, it is covered under the HPE Support Service(s) applied to the HPE ProLiant Server.
    [Show full text]
  • AMD Mxgpu and Vmware Deployment Guide, V2.4
    AMD MxGPU and VMware Deployment Guide v2.6 This guide describes host and VM configuration procedures to enable AMD MxGPU hardware-based GPU virtualization using the PCIe SR-IOV protocol. DISCLAIMER The information contained herein is for informational purposes only and is subject to change without notice. While every precaution has been taken in the preparation of this document, it may contain technical inaccuracies, omissions, and typographical errors, and AMD is under no obligation to update or otherwise correct this information. Advanced Micro Devices, Inc. makes no representations or warranties with respect to the accuracy or completeness of the contents of this document, and assumes no liability of any kind, including the implied warranties of non- infringement, merchantability or fitness for particular purposes, with respect to the operation or use of AMD hardware, software or other products described herein. No license, including implied or arising by estoppel, to any intellectual property rights is granted by this document. Terms and limitations applicable to the purchase or use of AMD’s products are as set forth in a signed agreement between the parties or in AMD's Standard Terms and Conditions of Sale. ©2020 Advanced Micro Devices, Inc. All rights reserved. AMD, the AMD arrow, FirePro, Radeon Pro and combinations thereof are trademarks of Advanced Micro Devices, Inc. in the United States and/or other jurisdictions. OpenCL is a trademark of Apple, Inc. and used by permission of Khronos. PCIe and PCI Express are registered trademarks of the PCI-SIG Corporation. VMware is a registered trademark of VMware, Inc. in the United States and/or other jurisdictions.
    [Show full text]