08_Transocean-SC-Navigator
- 格式:pdf
- 大小:5.77 MB
- 文档页数:21
nvenc分割编码
NvEnc(NVIDIA视频编码器)是NVIDIA显卡中的硬件加速视频编码器。
要进行分割编码,即将一个视频流分割成多个片段进行独立编码,您可以使用以下步骤:
1. 视频分割:将原始视频分割成多个片段,每个片段都是一个独立的视频流。
可以使用视频编辑软件、转码工具或自定义脚本等方式来完成分割。
2. NvEnc编码:对每个单独的视频片段使用NvEnc进行编码。
您可以使用NVIDIA的视频编码SDK(包括NVENC API)或支持NvEnc 编码的其他软件(如FFmpeg)来实现。
3. 编码参数设置:根据需求,设置适当的编码参数,例如分辨率、比特率、帧率、编码质量等。
您可以参考NvEnc编码器的文档以及相关的编码软件文档来了解可用的参数选项。
4. 并行处理:考虑使用多个GPU进行并行的分割编码,以加快整个过程的速度。
NvEnc支持多GPU加速,您可以设置适当的并行编码策略来利用多个GPU。
需要注意的是,NvEnc编码是一个计算密集型任务,对显卡的性能要求较高。
请确保您的显卡支持NvEnc编码,并具备足够的性能来处理分割编码任务。
另外,不同的编码参数和设置可能会对编码质量和文件大小产生影响,您可能需要进行实验和调优来达到预期的效果。
最后,建议在进行任何实际的分割编码任务之前,详细阅读NvEnc
编码器的文档,并参考相关的编码工具和库的文档和示例以了解更多细节和最佳实践。
March 2009High Quality DXT Compression using OpenCL for CUDAIgnacio Castaño*******************Document Change HistoryVersion Date Responsible Reason for Change0.1 02/01/2007 Ignacio Castaño First draft0.2 19/03/2009 Timo Stich OpenCL versionAbstractDXT is a fixed ratio compression format designed for real-time hardware decompression of textures. While it’s also possible to encode DXT textures in real-time, the quality of the resulting images is far from the optimal. In this white paper we will overview a more expensivecompression algorithm that produces high quality results and we will see how to implement it using CUDA to obtain much higher performance than the equivalent CPU implementation.MotivationWith the increasing number of assets and texture size in recent games, the time required to process those assets is growing dramatically. DXT texture compression takes a large portion of this time. High quality DXT compression algorithms are very expensive and while there are faster alternatives [1][9], the resulting quality of those simplified methods is not very high. The brute force nature of these compression algorithms makes them suitable to be parallelized and adapted to the GPU. Cheaper compression algorithms have already been implemented [2] on the GPU using traditional GPGPU approaches. However, with the traditional GPGPU programming model it’s not possible to implement more complex algorithms where threads need to share data and synchronize.How Does It Work?In this paper we will see how to use CUDA to implement a high quality DXT1 texturecompression algorithm in parallel. The algorithm that we have chosen is the cluster fit algorithm as described by Simon Brown [3]. We will first provide a brief overview of the algorithm and then we will describe how did we parallelize and implement it in CUDA.DXT1 FormatDXT1 is a fixed ratio compression scheme that partitions the image into 4x4 blocks. Each block is encoded with two 16 bit colors in RGB 5-6-5 format and a 4x4 bitmap with 2 bits per pixel. Figure 1 shows the layout of the block.Figure 1. DXT1 block layoutThe block colors are reconstructed by interpolating one or two additional colors between the given ones and indexing these and the original colors with the bitmap bits. The number of interpolated colors is chosen depending on whether the value of ‘Color 0’ is lower or greater than ‘Color 1’.BitmapColorsThe total size of the block is 64 bits. That means that this scheme achieves a 6:1 compression ratio. For more details on the DXT1 format see the specification of the OpenGL S3TCextension [4].Cluster FitIn general, finding the best two points that minimize the error of a DXT encoded block is a highly discontinuous optimization problem. However, if we assume that the indices of the block are known the problem becomes a linear optimization problem instead: minimize the distance from each color of the block to the corresponding color of the palette.Unfortunately, the indices are not known in advance. We would have to test them all to find the best solution. Simon Brown [3] suggested pruning the search space by considering only the indices that preserve the order of the points along the least squares line.Doing that allows us to reduce the number of indices for which we have to optimize theendpoints. Simon Brown provided a library [5] that implements this algorithm. We use thislibrary as a reference to compare the correctness and performance of our CUDAimplementation.The next section goes over the implementation details.OpenCL ImplementationPartitioning the ProblemWe have chosen to use a single work group to compress each 4x4 color block. Work items that process a single block need to cooperate with each other, but DXT blocks are independent and do not need synchronization or communication. For this reason the number of workgroups is equal to the number of blocks in the image.We also parameterize the problem so that we can change the number of work items per block to determine what configuration provides better performance. For now, we will just say that the number of work items is N and later we will discuss what the best configuration is.During the first part of the algorithm, only 16 work items out of N are active. These work items start reading the input colors and loading them to local memory.Finding the best fit lineTo find a line that best approximates a set of points is a well known regression problem. The colors of the block form a cloud of points in 3D space. This can be solved by computing the largest eigenvector of the covariance matrix. This vector gives us the direction of the line.Each element of the covariance matrix is just the sum of the products of different colorcomponents. We implement these sums using parallel reductions.Once we have the covariance matrix we just need to compute its first eigenvector. We haven’t found an efficient way of doing this step in parallel. Instead, we use a very cheap sequential method that doesn’t add much to the overall execution time of the group.Since we only need the dominant eigenvector, we can compute it directly using the Power Method [6]. This method is an iterative method that returns the largest eigenvector and only requires a single matrix vector product per iteration. Our tests indicate that in most cases 8iterations are more than enough to obtain an accurate result.Once we have the direction of the best fit line we project the colors onto it and sort them along the line using brute force parallel sort. This is achieved by comparing all the elements against each other as follows:cmp[tid] = (values[0] < values[tid]);cmp[tid] += (values[1] < values[tid]);cmp[tid] += (values[2] < values[tid]);cmp[tid] += (values[3] < values[tid]);cmp[tid] += (values[4] < values[tid]);cmp[tid] += (values[5] < values[tid]);cmp[tid] += (values[6] < values[tid]);cmp[tid] += (values[7] < values[tid]);cmp[tid] += (values[8] < values[tid]);cmp[tid] += (values[9] < values[tid]);cmp[tid] += (values[10] < values[tid]);cmp[tid] += (values[11] < values[tid]);cmp[tid] += (values[12] < values[tid]);cmp[tid] += (values[13] < values[tid]);cmp[tid] += (values[14] < values[tid]);cmp[tid] += (values[15] < values[tid]);The result of this search is an index array that references the sorted values. However, this algorithm has a flaw, if two colors are equal or are projected to the same location of the line, the indices of these two colors will end up with the same value. We solve this problem comparing all the indices against each other and incrementing one of them if they are equal:if (tid > 0 && cmp[tid] == cmp[0]) ++cmp[tid];if (tid > 1 && cmp[tid] == cmp[1]) ++cmp[tid];if (tid > 2 && cmp[tid] == cmp[2]) ++cmp[tid];if (tid > 3 && cmp[tid] == cmp[3]) ++cmp[tid];if (tid > 4 && cmp[tid] == cmp[4]) ++cmp[tid];if (tid > 5 && cmp[tid] == cmp[5]) ++cmp[tid];if (tid > 6 && cmp[tid] == cmp[6]) ++cmp[tid];if (tid > 7 && cmp[tid] == cmp[7]) ++cmp[tid];if (tid > 8 && cmp[tid] == cmp[8]) ++cmp[tid];if (tid > 9 && cmp[tid] == cmp[9]) ++cmp[tid];if (tid > 10 && cmp[tid] == cmp[10]) ++cmp[tid];if (tid > 11 && cmp[tid] == cmp[11]) ++cmp[tid];if (tid > 12 && cmp[tid] == cmp[12]) ++cmp[tid];if (tid > 13 && cmp[tid] == cmp[13]) ++cmp[tid];if (tid > 14 && cmp[tid] == cmp[14]) ++cmp[tid];During all these steps only 16 work items are being used. For this reason, it’s not necessary to synchronize them. All computations are done in parallel and at the same time step, because 16 is less than the warp size on NVIDIA GPUs.Index evaluationAll the possible ways in which colors can be clustered while preserving the order on the line are known in advance and for each clustering there’s a corresponding index. For 4 clusters there are 975 indices that need to be tested, while for 3 clusters there are only 151. We pre-compute these indices and store them in global memory.We have to test all these indices and determine which one produces the lowest error. In general there are indices than work items. So, we partition the total number of indices by the number of work items and each work item loops over the set of indices assigned to it. It’s tempting to store the indices in constant memory, but since indices are used only once for each work group, and since each work item accesses a different element, coalesced global memory loads perform better than constant loads.Solving the Least Squares ProblemFor each index we have to solve an optimization problem. We have to find the two end points that produce the lowest error. For each input color we know what index it’s assigned to it, so we have 16 equations like this:i i i x b a =+βαWhere {}i i βα, are {}0,1, {}32,31, {}21,21, {}31,32 or {}1,0 depending on the index and the interpolation mode. We look for the colors a and b that minimize the least square error of these equations. The solution of that least squares problem is the following:∑∑⋅∑∑∑∑= −i i i i i ii i i i x x b a βαββαβαα122 Note: The matrix inverse is constant for each index set, but it’s cheaper to compute it everytime on the kernel than to load it from global memory. That’s not the case of the CPU implementation.Computing the ErrorOnce we have a potential solution we have to compute its error. However, colors aren’t stored with full precision in the DXT block, so we have to quantize them to 5-6-5 to estimate the error accurately. In addition to that, we also have to take in mind that the hardware expands thequantized color components to 8 bits replicating the highest bits on the lower part of the byte as follows:R = (R << 3) | (R >> 2); G = (G << 2) | (G >> 4); B = (B << 3) | (B >> 2);Converting the floating point colors to integers, clamping, bit expanding and converting them back to float can be time consuming. Instead of that, we clamp the color components, round the floats to integers and approximate the bit expansion using a multiplication. We found the factors that produce the lowest error using an offline optimization that minimized the average error.r = round(clamp(r,0.0f,1.0f) * 31.0f); g = round(clamp(g,0.0f,1.0f) * 63.0f); b = round(clamp(b,0.0f,1.0f) * 31.0f); r *= 0.03227752766457f; g *= 0.01583151765563f; b *= 0.03227752766457f;Our experiment show that in most cases the approximation produces the same solution as the accurate solution.Selecting the Best SolutionFinally, each work item has evaluated the error of a few indices and has a candidate solution.To determine which work item has the solution that produces the lowest error, we store the errors in local memory and use a parallel reduction to find the minimum. The winning work item writes the endpoints and indices of the DXT block back to global memory.Implementation DetailsThe source code is divided into the following files:•DXTCompression.cl: This file contains OpenCL implementation of the algorithm described here.•permutations.h: This file contains the code used to precompute the indices.dds.h: This file contains the DDS file header definition. PerformanceWe have measured the performance of the algorithm on different GPUs and CPUscompressing the standard Lena. The design of the algorithm makes it insensitive to the actual content of the image. So, the performance depends only on the size of the image.Figure 2. Standard picture used for our tests.As shown in Table 1, the GPU compressor is at least 10x faster than our best CPUimplementation. The version of the compressor that runs on the CPU uses a SSE2 optimized implementation of the cluster fit algorithm. This implementation pre-computes the factors that are necessary to solve the least squares problem, while the GPU implementation computes them on the fly. Without this CPU optimization the difference between the CPU and GPU version is even larger.Table 1. Performance ResultsImage TeslaC1060 Geforce8800 GTXIntel Core 2X6800AMD Athlon64 DualCore 4400Lena512x51283.35 ms 208.69 ms 563.0 ms 1,251.0 msWe also experimented with different number of work-items, and as indicated in Table 2 we found out that it performed better with the minimum number.Table 2. Number of Work Items64 128 25654.66 ms 86.39 ms 96.13 msThe reason why the algorithm runs faster with a low number of work items is because during the first and last sections of the code only a small subset of work items is active.A future improvement would be to reorganize the code to eliminate or minimize these stagesof the algorithm. This could be achieved by loading multiple color blocks and processing them in parallel inside of the same work group.ConclusionWe have shown how it is possible to use OpenCL to implement an existing CPU algorithm in parallel to run on the GPU, and obtain an order of magnitude performance improvement. We hope this will encourage developers to attempt to accelerate other computationally-intensive offline processing using the GPU.High Quality DXT Compression using CUDAMarch 2009 9References[1] “Real-Time DXT Compression”, J.M.P. van Waveren. /cd/ids/developer/asmo-na/eng/324337.htm[2] “Compressing Dynamically Generated Textures on the GPU”, Oskar Alexandersson, Christoffer Gurell, Tomas Akenine-Möller. http://graphics.cs.lth.se/research/papers/gputc2006/[3] “DXT Compression Techniques”, Simon Brown. /?article=dxt[4] “OpenGL S3TC extension spec”, Pat Brown. /registry/specs/EXT/texture_compression_s3tc.txt[5] “Squish – DXT Compression Library”, Simon Brown. /?code=squish[6] “Eigenvalues and Eigenvectors”, Dr. E. Garcia. /information-retrieval-tutorial/matrix-tutorial-3-eigenvalues-eigenvectors.html[7] “An Experimental Analysis of Parallel Sorting Algorithms”, Guy E. Blelloch, C. Greg Plaxton, Charles E. Leiserson, Stephen J. Smith /blelloch98experimental.html[8] “NVIDIA CUDA Compute Unified Device Architecture Programming Guide”.[9] NVIDIA OpenGL SDK 10 “Compress DXT” sample /SDK/10/opengl/samples.html#compress_DXTNVIDIA Corporation2701 San Tomas ExpresswaySanta Clara, CA 95050 NoticeALL NVIDIA DESIGN SPECIFICATIONS, REFERENCE BOARDS, FILES, DRAWINGS, DIAGNOSTICS, LISTS, AND OTHER DOCUMENTS (TOGETHER AND SEPARATELY, “MATERIALS”) ARE BEING PROVIDED “AS IS.” NVIDIA MAKES NO WARRANTIES, EXPRESSED, IMPLIED, STATUTORY, OR OTHERWISE WITH RESPECT TO THE MATERIALS, AND EXPRESSLY DISCLAIMS ALL IMPLIED WARRANTIES OF NONINFRINGEMENT,MERCHANTABILITY, AND FITNESS FOR A PARTICULAR PURPOSE.Information furnished is believed to be accurate and reliable. However, NVIDIA Corporation assumes no responsibility for the consequences of use of such information or for any infringement of patents or otherrights of third parties that may result from its use. No license is granted by implication or otherwise under any patent or patent rights of NVIDIA Corporation. Specifications mentioned in this publication are subject to change without notice. This publication supersedes and replaces all information previously supplied. NVIDIA Corporation products are not authorized for use as critical components in life support devices or systems without express written approval of NVIDIA Corporation.TrademarksNVIDIA, the NVIDIA logo, GeForce, and NVIDIA Quadro are trademarks or registeredtrademarks of NVIDIA Corporation in the United States and other countries. Other company and product names may be trademarks of the respective companies with which they are associated. Copyright© 2009 NVIDIA Corporation. All rights reserved.。
Solaris8(SP ARC平台版)10/00发行说明更新Sun Microsystems,Inc.901San Antonio RoadPalo Alto,CA94303-4900U.S.A.部件号码806-6267–102000年10月Copyright2000Sun Microsystems,Inc.901San Antonio Road,Palo Alto,California94303-4900U.S.A.版权所有。
本产品或文档受版权保护,其使用、复制、发行和反编译均受许可证限制。
未经Sun及其授权者事先的书面许可,不得以任何形式、任何手段复制本产品及其文档的任何部分。
包括字体技术在内的第三方软件受Sun供应商的版权保护和许可证限制。
本产品的某些部分可能是从Berkeley BSD系统衍生出来的,并获得了加利福尼亚大学的许可。
UNIX是通过X/Open Company,Ltd.在美国和其他国家独家获准注册的商标。
Sun、Sun Microsystems、Sun标志、、AnswerBook、AnswerBook2、Java,JDK,DiskSuite,JumpStart,HotJava,Solstice AdminSuite,Solstice AutoClient,SunOS,OpenWindows,XView,和Solaris是Sun Microsystems,Inc.在美国和其他国家的商标、注册商标或服务标记。
所有SPARC商标均按许可证使用,它们是SPARC International,Inc.在美国和其他国家的商标或注册商标。
带有SPARC商标的产品均以Sun Microsystems,Inc.开发的体系结构为基础。
PostScript是Adobe Systems,Incorporated的商标或注册商标,它们可能在某些管辖区域注册。
Netscape Navigator(TM)是Netscape Communications Corporation的商标或注册商标。
Displays the map. When on a route, switches between the map and guidance screens.MENU buttonDisplays the “Enter destination by”screen. When on a route, displaysthe “Change route by” screen.SET UP buttonPressing this button displays the Set-up screens to change and update information in the system.INFO buttonPressing this button displays the screen for selecting Trip Computer, Calendar, Calculator, and V oice Command Help. CANCEL buttonPressing this button cancels the current screen and returns to the previousscreen display.ScreenAll selections and instructions are displayed on the screen. In addition, the display is a “touch screen” –– you can enter information into the system by touching the images (icons) on the screen with your finger.For example, when you need to enter a street name, a keyboard will be displayed. You can “type in” the street name by touching the individual characters on the screen.Clean the screen with a soft, damp cloth. You may use a mild cleaner intended for eyeglasses or computer screens. Harsher chemicals may damage the screen.JoystickThe joystick moves left, right, up, and down. Use the joystick to move the highlighting around the display, to scroll through a list, or to look around a displayed map. After making a selection in a menu or list, push in on the joystick to enter the selection into the system.In almost all cases, you can enter a selection into the system by pushing in on the joystick, or by touching the appropriate image on the screen.ZOOM (IN/UP)/ (OUT/DOWN) buttonsWhen you are displaying a map, these buttons allow you to change the scale. ZOOM IN reduces the scale, showing less area with greater detail. It is also used to scroll UP a page in a list. ZOOM OUT increases the scale, showing more area with less detail. It is also used to scroll DOWN a page in a list.Other buttons (Audio and Climate Control functions)See the vehicle owner’s manual for information on the rest of the buttons. Most of the audio and climate control functions may be controlled by voice.Voice Control BasicsYour Honda has a voice control system that allows hands-free operation of most of the navigation system functions. You can also control the audio system and the climate control system. The voice control system uses the TALK and BACK buttons on the steering wheel and a microphone nearthe map light on the ceiling.NOTE: While using the voice control system, all of the speakers are muted.BACK buttonThis button has the same function as the CANCEL button. When you press it, the display returns to the previous screen. When the previous screen appears, the system replays the last prompt. This button is enabled for the navigation system commands only.However, it can be used to cancel an audio or climate control voicecommand up to one second after the command confirmation.Using the Voice Control System Most of the system’s functions can be controlled by voice commands. The voice control system is activated with the TALK button. To control your navigation system by voice, press and release the TALK button, wait for the beep, then give a voice command. Once the microphone picks up your command, the system changes the display in response to the command and prompts you for the next command. Answer the prompts as required.If you hear a prompt such as “Pleaseuse the touch screen to...” or “Pleasechoose an area with the joystick.” thesystem is asking for input that cannotbe performed using the voice controlsystem.If the system does not understand acommand or you wait too long to give acommand, it responds with “Pardon,”“Please repeat,” or “Would you sayagain.” If the system cannot perform acommand or the command is notappropriate for the screen you are on, itsounds a beep.Anytime you are not sure of what voicecommands are available on a screen,you can always say “Help.” at anyscreen. The system then reads the listof commands to you.When you speak a command, thesystem generally either repeats thecommand as a confirmation or asks youfor further information. If you do notwish to hear this feedback, you can turnit off. See Voice Feedback setting onSet-up screen 3.Improving Voice RecognitionTo achieve optimum voice recognition, the following guidelines should be followed:NOTE: Make sure the correct screen is displayed for the voice command that you are using. See Voice Command Index on page 85.•Close the windows and the sunroof.•Set the fan speed to low (1 or 2).•Adjust the air flow from the dashboard vents so they do not blow against the microphone on the ceiling.•After pressing the TALK button, wait for the beep, then give a voice command.•Give a voice command in a clear, natural speaking voice without pausing between words.•If the system cannot recognize your command, speak louder.•If the microphone picks up voices other than yours, the system may not interpret your voice commands correctly.•If you speak a command with something in your mouth, or your voice is either too high or too husky, the system may misinterpret your voice commands.。
User’s Manual Slim Portable CD/DVD WriterTS8XDVDS(Version 1.1)Table of ContentsIntroduction︱ (1)Features︱ (2)System Requirements︱ (2)General Use (2)Writing Data (3)Power (3)Reminders (4)Product Overview︱ (5)Basic Operation︱ (6)Plugging in the CD/DVD Writer (6)Inserting a Disc (6)Ejecting a Disc (9)Disconnecting from a Computer︱ (11)Software Download︱ (11)Troubleshooting︱ (13)System Requirements︱ (14)Ordering Information︱ (14)Recycling & Environmental Considerations︱ (15)Two-year Limited Warranty︱ (16)Introduction︱Congratulations on purchasing Transcend’s 8X Slim Portable CD/DVD Writer.This slim, elegant high-speed portable CD/DVD writer is perfect for playing, backing up your vital data and discs. With its slim easy-to-carry size and advanced high-speed media writing capabilities, the CD/DVD Writer is ideal for playing movies, installing software, or backing up your files, folders, documents, photos, music and videos when using a compact notebook computer or netbook. In addition, the CD/DVD Writer comes with a full-version of CyberLink’s extremely useful Power2Go* software that lets you easily create your own CDs and DVDs. This User’s Manual is designed to help you get the most from your new device. Please read it in detail before using the CD/DVD Writer.*Power2Go is a registered trademark of CyberLink®. This software can be only used in Windows®XP, Windows Vista® , Windows®7 and Windows®8.Features︱USB 2.0 interface for high-speed data transfer8x DVD±R read/write, 24x CD-R/RW read/writeCompatible with CD-R/RW, DVD±R, DVD±RW, DVD±R DL, DVD-RAM mediaReads and writes Dual Layer discsUSB powered –No external power adapter neededElegant slim modern design with rounded edgesCompact and easy-to-carryEasy Plug and Play installationAnti-slip rubber feetSystem Requirements︱Desktop or notebook computer with two working USB ports.One of following Operating Systems:•Windows®XP•Windows Vista®•Windows® 7•Windows® 8•Mac OS® X 10.4 or laterSafety Precautions︱These usage and safety guidelines are IMPORTANT! Please follow them carefully.Please ensure that you connect the USB cable to the CD/DVD Writer and your computer correctly (small end CD/DVD Writer, large end PC)General Use•During operation, avoid exposing your CD/DVD writer to extreme temperatures above 40℃or below 5℃.•Never drop your CD/DVD Writer.•Only use the CD/DVD Writer face-up, on a stable flat surface•Do not allow your CD/DVD Writer to come in contact with water or any other liquids.•Do not use a damp/wet cloth to wipe or clean the exterior case.•Never look directly into the laser lens, as it can be harmful to your eyes.•Do not attempt to open the outer case (doing so will void your product warranty).•Do not store your CD/DVD Writer in any of the following environments:o Direct sunlighto Next to an air conditioner, electric heater or other heat sourceso In a closed car that is in direct sunlighto In an area with strong magnetic fields or excessive vibration• Never touch the laser lens.Writing Data• Do not touch, pick up, or move the CD/DVD Writer during the write process. This candamage the device and will cause errors on the disc being written• Transcend does not take any responsibility for data loss or damage resulting fromuse of this product . If using this product to backup data, we strongly advise using high-quality recordable media, and that you fully test and verify the contents of all written discs. It is also a good idea to regularly backup important data to a different computer or other storage medium.• To ensure High-Speed USB 2.0 data transfer rates when using your CD/DVD Writer witha computer, please check that the computer has the relevant USB drivers. If you are unsure about how to check this, please consult the computer or motherboard User’sManual for USB driver information.Power• The CD/DVD Writer is powered directly from your computer’s USB port. However, theUSB ports of certain computers may not supply enough power to use the CD/DVD Writer when using a single USB port. Please make sure to connect both large connector ends of the provided USB Cable to the USB ports on your computer. This will ensure the CD/DVD Writer receives adequate power for stable operation.• Only use the USB cable that came with the CD/DVD Writer to connect it to a computer,and always ensure that the cable is in good condition. NEVER use a cable that is frayedThe second USB connector provides additional power forthe CD/DVD Writer. Please make sure to connect bothUSB connectors to your computer’s USB ports.or damaged.•Ensure nothing is resting on the USB cable and that the cable is not located where it can be tripped over or stepped on.•If you have connected all ends of the USB cable and still have power-related problems while reading / writing data, we recommend that you purchase a Transcend USB Power Adapter (TS-PA2A) to provide the power necessary to operate the CD/DVD Writer.Reminders•Always follow the procedures in the “Disconnecting from a Computer” section to remove the CD/DVD Writer from your computer.Product Overview︱A Disc TrayB Read/Write Activity IndicatorC Eject ButtonD Emergency EjectE Anti-slip Rubber FeetF USB ConnectorBasic Operation︱Plugging in the CD/DVD Writer1. Plug the small end of the USB Cable into the Mini USB port on the CD/DVD Writer.2. Plug the large end(s) of the cable into available USB ports on your desktop computer, notebookor netbook.Note: Please be sure to connect the CD/DVD Writer to two USB ports on your computer using the provided USB Cable.3. When the CD/DVD Writer is successfully connected to a computer, a new drive with a newlyassigned drive letter will appear in the My Computer window, and a Removable Hardwareicon will appear on the Windows System Tray.*D: is an example drive letter. The letter in your "My Computer" window may differ4. Once properly connected, you can use the CD/DVD Writer as an optical device to read CDsand DVDs, and create/write your own discs with the included Power2Go software.Inserting a Disc1. Press the Eject Button on the front of the CD/DVD Writer to release the disc tray.2. Gently pull the disc tray out until it stops.3. Place a CD or DVD onto the tray.4. Using two or more fingers, press down on the center of the disc until it snaps into place.5. Push the disc tray back into the CD/DVD Writer. When completely closed, the LED indicatorwill flash.Ejecting a Disc1. Press the Eject Button on the front of the CD/DVD Writer to release the disc tray.2. Gently pull the disc tray out until it stops.3. Place your thumb on the spindle and use your other fingers to gently pry the disc upwards untilit pops free.Disconnecting from a Computer︱NEVER disconnect the CD/DVD Writer from a Computer when the disc is spinning.1. Select the Hardware icon on the system tray.2. The Safely Remove Hardware pop-up window will appear. Select it to continue.3. A window will appear stating, “The ‘USB Mass Storage Device’ device can now be safelyremoved from the system.”Always use this procedure to safely remove the device from a Windows computer.Software Download︱The free software download includes: CyberLink® Power2Go (LE Version) and CyberLink®MediaShow (trial version).Note: CyberLink®Power2Go and MediaShow can only be installed in Windows® XP/Vista/7/8.Make sure that the DVDS is connected to your computer before installing:1. Download the CyberLink Media Suite 10 from Transcend’s online Download Center at/downloads.2. Double click on the CyberLink.Media.Suite.10.zip Zip file you have just downloaded fromthe Transcend website.3. Extract the file to a temporary directory on your hard disk and double click on the fileCyberLink.Media.Suite.10.exe to run the setup program.4. Follow the on-screen instructions to complete the installation process.CyberLink Power2Go: Power2Go lets you burn music, data, video and even bootable discs in a variety of CD and DVD formats. CyberLink Power2Go also includes several handy discutilities and an express mode that makes burning convenient and easy.CyberLink MediaShow: MediaShow is a useful tool for compiling, arranging, and producing media files with a simple and straightforward software interface.Troubleshooting︱If a problem occurs with your CD/DVD Writer,please check the information listed below before sending your CD/DVD Writer in for repair. If you are unable to remedy a problem after trying the following suggestions, please consult your dealer, service center, or local Transcend branch office. We also have FAQ and Support services on our website at .Operating system cannot detect the CD/DVD WriterCheck the following:1. Is your CD/DVD Writer properly connected to the USB port? If not, unplug it and plug it inagain. If it is properly connected, try using another available USB port.2. Are you using the USB cable that came in the CD/DVD Writer package? If not, try using theTranscend-supplied USB cable to connect the CD/DVD Writer to your computer.3. The CD/DVD Writer is powered directly via a computer USB port; however, the power suppliedby the USB port on some older computers is below the 5V DC required to power the CD/DVD Writer. Please make sure to connect the USB cable to both USB ports on your computer. This will provide the additional power necessary to run the drive.Both USB connectors are required to provide adequate power.4. Is the USB port enabled? If not, refer to the user’s manual of your computer (or motherboard)to enable it.5. If you have connected all ends of the USB cable and still have power-related problems whilereading / writing data, we recommend that you purchase a Transcend USB Power Adapter (TS-PA2A) to provide the power necessary to operate the CD/DVD Writer. (Please see the Transcend Website or contact your local dealer for availability)My computer does not recognize CD/DVD Writer1. A single USB port may not provide enough power for the CD/DVD Writer to function. Makesure you plug both large ends of the USB cable directly into your computer’s USB ports.2. Avoid connecting the CD/DVD Writer through a USB hub.The CD/DVD Writer does not Power On (LED does not flash)Check the following:1. Ensure that the CD/DVD Writer is properly connected to the USB port(s) on your computer.2.Ensure that the USB port is working properly. If not, try using an alternate USB port.The CD/DVD Writer Cannot Read a DiscThe disc may be dirty, scratched or damaged. Try cleaning the disc with water or a CD/DVDcleaning solution.Writing to a Blank Disc FailsIn most cases, this problem is a result of trying to write to poor quality recordable media. For best results, please use only retail-packaged name brand recordable discs.System Requirements ︱Hardware CPU: Intel Pentium III 800 MHz or equivalent (minimum )Intel Pentium IV 2.0 GHz or higher (recommended )Memory: 256MB or greaterHard Drive: 20GB of free space requiredSoftwareOperating System: Windows ® XP , Windows Vista ® , Windows ® 7 or Windows ® 8Ordering Information ︱Device Description Transcend P/N USB Power Adapter TS-PA2ARecycling & Environmental Considerations︱Recycling the Product (WEEE): Your product is designed and manufactured with high quality materials and components, which can be recycled and reused. When you see the crossed-out wheel bin symbol attached to a product, it means the product is covered by the European Directive 2002/96/EC:Never dispose of your product with other household waste. Please inform yourself about the local rules on the separate collection of electrical and electronic products. The correct disposal of your old product helps prevent potential negative consequences on the environment and human health.Battery Disposal: Your product contains a built-in rechargeable battery covered by the European Directive 2006/66/EC, which cannot be disposed of with normal household waste.Please inform yourself about the local rules on separate collection of batteries. The correct disposal of batteries helps prevent potentially negative consequences on the environment and human health.For products with non-exchangeable built in batteries: The removal of (or the attempt to remove) the battery invalidates the warranty. This procedure is only to be performed at the end of the product’s life.Two-year Limited Warranty︱This product is covered by a Two-year Limited Warranty.Should your product fail under normal use within two years from the original purchase date, Transcend will provide warranty service pursuant to the terms of the Transcend Warranty Policy. Proof of the original purchase date is required for warranty service. Transcend will inspect the product and in its sole discretion repair or replace it with a refurbished product or functional equivalent. Under special circumstances, Transcend may refund or credit the current value of the product at the time the warranty claim is made. The decision made by Transcend shall be final and binding upon you. Transcend may refuse to provide inspection, repair or replacement service for products that are out of warranty, and will charge fees if these services are provided for out-of-warranty products.LimitationsAny software or digital content included with this product in disc, downloadable, or preloaded form, is not covered under this Warranty. This Warranty does not apply to any Transcend product failure caused by accident, abuse, mishandling or improper usage (including use contrary to the product description or instructions, outside the scope of the product’s intended use, or for tooling or testing purposes), alteration, abnormal mechanical or environmental conditions (including prolonged exposure to humidity), acts of nature, improper installation (including connection to incompatible equipment), or problems with electrical power (including undervoltage, overvoltage, or power supply instability). In addition, damage or alteration of warranty, quality or authenticity stickers, and/or product serial or electronic numbers, unauthorized repair or modification, or any physical damage to the product or evidence of opening or tampering with the product casing will also void this Warranty. This Warranty shall not apply to transferees of Transcend products and/or anyone who stands to profit from this Warranty without Transcend’s prior written authorization. This Warranty only applies to the product itself, and excludes integrated LCD panels, rechargeable batteries, and all product accessories (such as card adapters, cables, earphones, power adapters, and remote controls). Transcend Warranty PolicyPlease visit /warranty to view the Transcend Warranty Policy.By using the product, you agree that you accept the terms of the Transcend Warranty Policy, which may be amended from time to time.Online registrationTo expedite warranty service, please access /register to register your Transcend product within 30 days of the purchase date.Transcend Information, Inc.*The Transcend logo is a registered trademark of Transcend Information, Inc.*The specifications mentioned above are subject to change without notice.*All logos and marks are trademarks of their respective companies.。
C-NaviGator Software Update Installation ProcedureRevision 4Revision Date: March 20, 2018C-Nav Positioning Solutions730 E. Kaliste Saloom RoadLafayette, LA 70508 U.S.A./cnavC-NaviGator Software Update Installation ProcedureRelease NoticeThis is the March 2018 release of the C-NaviGator Software Update Installation Procedure.Revision HistoryC-NaviGator Software Update Installation ProcedureTrademarksThe Oceaneering logo is a trademark of Oceaneering International, Inc. C-Nav is a trademark of Oceaneering International, Inc. All other brand names are trademarks of their respective holders.Disclaimer of WarrantyEXCEPT AS INDICATED IN “LIMITED WARRANTY” HEREIN, OCEANEERING INTERNATIONAL, INC. SOFTWARE, FIRMWARE AND DOCUMENTATION ARE PROVIDED “AS IS” AND WITHOUT EXPRESSED OR LIMITED WARRANTY OF ANY KIND BY EITHER OCEANEERING INTERNATIONAL, INC., OR ANYONE WHO HAS BEEN INVOLVED IN ITS CREATION, PRODUCTION, OR DISTRIBUTION INCLUDING BUT NOT LIMITED TO THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK, AS TO THE QUALITY AND PERFORMANCE OF THE OCEANEERING INTERNATIONAL, INC. HARDWARE, SOFTWARE, FIRMWARE AND DOCUMENTATION, IS WITH YOU. SOME STATES DO NOT ALLOW THE EXCLUSION OF IMPLIED WARRANTIES, SO THE ABOVE EXCLUSION MAY NOT APPLY TO YOU. Limitation of LiabilityIN NO EVENT WILL OCEANEERING INTERNATIONAL, INC., OR ANY PERSON INVOLVED IN THE CREATION, PRODUCTION, OR DISTRIBUTION OF THE OCEANEERING INTERNATIONAL, INC. SOFTWARE, HARDWARE, FIRMWARE AND DOCUMENTATION BE LIABLE TO YOU ON ACCOUNT OF ANY CLAIM FOR ANY DAMAGES, INCLUDING ANY LOST PROFITS, LOST SAVINGS, OR OTHER SPECIAL, INCIDENTAL, CONSEQUENTIAL, OR EXEMPLARY DAMAGES, INCLUDING BUT NOT LIMITED TO ANY DAMAGES ASSESSED AGAINST OR PAID BY YOU TO ANY THIRD PARTY, RISING OUT OF THE USE, LIABILITY TO USE, QUALITY OR PERFORMANCE OF SUCH OCEANEERING INTERNATIONAL, INC. SOFTWARE, HARDWARE, AND DOCUMENTATION, EVEN IF OCEANEERING INTERNATIONAL, INC., OR ANY SUCH PERSON OR ENTITY HAS BEEN ADVISED OF THE POSSIBILITY OF DAMAGES, OR FOR ANY CLAIM BY ANY OTHER PARTY. SOME STATES DO NOT ALLOW THE LIMITATION OR EXCLUSION OF LIABILITY FOR INCIDENTAL OR CONSEQUENTIAL DAMAGES SO, THE ABOVE LIMITATIONS MAY NOT APPLY TO YOU.C-NaviGator Software Update Installation ProcedureTable of ContentsTrademarks (3)Disclaimer of Warranty (3)Limitation of Liability (3)Table of Contents (4)Manual Organization (5)Manual Conventions (6)Section 1 - Overview (7)Introduction (7)Section 2 - Required Items (8)Software Update (8)Rescue Install (8)Section 3 - Software Update (9)Section 4 - Rescue Install (10)C-NaviGator Software Update Installation ProcedureManual OrganizationThe purpose of this document is to provide instruction on the installation of software updates for the C-NaviGator touch-screen Control and Display Unit (CDU) using a USB Drive. Sections are organized in a manner that facilitates quick operator orientation.Section 1 - Overview (Page 7) gives a brief overview of the purpose of this document.Section 2 - Required Items (Page 8) lists the items required to perform both a software update and a rescue install.Section 3 - Software Update (Page 9) describes a normal software update procedure.Section 4 - Rescue Install (Page 10) describes the procedure to use the rescue installer to recover a corrupt software installation.C-NaviGator Software Update Installation ProcedureManual ConventionsArial font is used for plain text in this document.Arial italic font is used for settings names.“Arial quoted” font is used for settings values.Arial Bold font is used for button names.Arial Bold Italic font is used for menu items.Arial Blue font is used for cross-references.Arial Blue Underline font is used for hyperlinks.Arial red italic is used for typed commands.Arial Bold font size 10 is used for captions.ARIAL BLACK ALL-CAPS font is used for port connection names.This symbol means Reader Be Careful. It indicates a caution, care, and/or safety situation. The user might do something that couldresult in equipment damage or loss of data.This symbol means Danger. You are in a situation that could cause bodily injury. Before you work on any equipment, be aware of thehazards involved with electrical and RF circuitry and be familiarwith standard practices for preventing accidents.Important notes are displayed in shaded text boxes.Simple file content is displayed in Courier New Black font in a text box.C-NaviGator Software Update Installation ProcedureSection 1 - OverviewIntroductionThe purpose of this document is to provide instructions on the installation of software updates for the C-NaviGator touch-screen Control and Display Unit (CDU) using a USB Drive. To obtain copies of C-Nav software updates, contact C-Nav Support at *************************** or visit /cnav.C-NaviGator Software Update Installation ProcedureSection 2 - Required ItemsSoftware Update∙C-NaviGator CDU∙USB drive (>100 MB) formatted as FAT (not NTFS)∙Software Update cng or cng3 file, available by contacting C-Nav Support at ***************************or by visiting/positioning-solutions/customer-access-and-resources/∙ A Windows PCRescue Install∙C-NaviGator CDU∙USB drive (>100 MB) formatted as FAT (not NTFS)∙USB keyboard to connect to the C-NaviGator∙Software Update zip file, available by contacting C-Nav Support at *************************** or by visiting/positioning-solutions/customer-access-and-resources/∙ A Windows PC and WinZip or equivalent file extraction softwareC-NaviGator Software Update Installation ProcedureSection 3 - Software Update1. Contact C-Nav Support at ***************************or visit/positioning-solutions/customer-access-and-resources/ to obtain the latest software update for the C-NaviGator. Download thefirmware file to the top-level folder of the USB.A. For the C-NaviGator II, the firmware file will be a .cng file.B. For the C-NaviGator III, the firmware file will be a .cng3 file.2. Attach a USB drive to the Windows PC.3. Ensure the computer has finished writing to the USB drive (use the SafelyRemove Hardware tray icon if necessary) then remove the USB drive from the computer.4. Reboot the C-NaviGator.5. When the boot menu appears, press the Update Software button.6. Connect the USB drive to the C-NaviGator.7. Press the Scan USB button to scan for the software update file.8. In the C-NaviGator Software Update table, select the firmware with aStatus of “compatible”.9. Press Start Update.10. When the installation is complete, press Restart to continue.11. The C-NaviGator software update is now complete.C-NaviGator Software Update Installation ProcedureSection 4 - Rescue InstallThe C-NaviGator CDU rescue installation is a procedure to recover a corrupt software installation. This should only be used as a last resort if regular a software update cannot be completed.1. Contact C-Nav Support at ***************************or visit/positioning-solutions/customer-access-and-resources/ to obtain the latest rescue installer for the C-NaviGator. Download thezipped file to the local drive of the Windows PC.2. Attach a USB drive to the Windows PC.3. Using WinZip or equivalent Windows file extraction software, extract thezipped file into the top-level folder of the USB drive. This will create afolder called syslinux when complete.4. Install the rescue installer onto the USB drive. The steps are differentdepending on what version of Windows the PC is running.A. Windows XP:I. Open the USB drive on the Windows PC via My Computerand navigate into the syslinux folder.II. Double-click on the file called install.bat. A commandprompt window will pop up to show the results. Press Enterto continue.B. Windows 7I. Click on the Start Menu button.II. In the Search bar, type cmd, then press Ctrl+Shift+Enter(all at the same time). This will open a command promptwindow with Administrator rights.III. Type DRIVE_LETTER: and press Enter. WhereDRIVE_LETTER is the drive letter of the USB drive.C-NaviGator Software Update Installation ProcedureIV. Type cd syslinux and press Enter.V. Type install.bat and press Enter.VI. Once finished, press Enter and close the command promptwindow.5. Ensure the computer has finished writing to the USB drive (use the SafelyRemove Hardware tray icon if necessary) then remove the USB drive from the computer.6. Power off the C-NaviGator via the front panel On/Off switch.7. Connect the USB keyboard to the C-NaviGator and disconnect all otherUSB devices from the C-NaviGator.8. Connect the USB drive to the C-NaviGator.9. Turn on the C-NaviGator.10. The next step is to boot the C-NaviGator CDU off of the USB drive. Thesteps are different depending on which type of C-NaviGator CDU.A. C-NaviGator II:I. When the blue C-Nav logo screen appears, hit Delete on thekeyboard. This will open C-NaviGator CDU’s BIOSconfiguration screen. If the BIOS configuration screen doesnot appear, power off the C-NaviGator and try again.II. At the main BIOS configuration screen, select AdvancedBIOS Features. Within that screen, set First Boot Device to“USB-ZIP”. All other boot devices should be set to“Disabled”. Press F10 to save and exit the BIOS screen.B. C-NaviGator III:I. When the screen appears, press F11 on the keyboard.Continue to press F11 until the boot-device menu appears.C-NaviGator Software Update Installation ProcedureII. Select the device that starts with USB and press Enter.11. The C-NaviGator will now boot off of the USB drive. Messages will printon the C-NaviGator screen from the installation program; it will take a few seconds for the installation program to locate the appropriate files on theUSB drive. When complete, press Enter to begin the installation.12. When the installation is complete, press Enter or touch the screenanywhere to continue.13. At this point the C-NaviGator will prompt the user to turn off the unit. Doso via the front panel On/Off switch and disconnect the USB drive.14. The following step applies only to the C-NaviGator II.A. When the blue C-Nav logo screen appears, hit Delete on thekeyboard. This will open C-NaviGator CDU’s BIOS configurationscreen. If the BIOS configuration screen does not appear, poweroff the C-NaviGator and try again.B. As before, select Advanced BIOS Features. Within that screen, setFirst Boot Device to “Hard Disk”. Leave the other boot devices as“Disabled”. Press F10 to save and exit the BIOS screen.15. The C-NaviGator rescue installation is now complete.。
katalon的编码格式-回复标题:深入理解Katalon的编码格式Katalon是一款强大的自动化测试工具,它支持多种编程语言和编码格式,使得测试人员能够更加灵活和高效地进行自动化测试。
在本文中,我们将详细探讨Katalon的编码格式,包括其主要特性、使用方法以及最佳实践。
一、Katalon的编码格式概述Katalon Studio默认使用Groovy语言进行脚本编写,Groovy是一种基于Java平台的动态编程语言,其语法简洁、灵活,且与Java高度兼容。
因此,Katalon的编码格式主要是Groovy的编码规则。
Groovy的编码格式遵循一般的编程规范,包括但不限于以下几点:1. 使用UTF-8字符集:这是互联网上最常用的字符集,能够支持全球大多数语言的字符。
2. 采用四个空格作为缩进:这是一般的代码风格规范,可以提高代码的可读性。
3. 使用驼峰命名法:对于变量、函数和类的命名,通常采用驼峰命名法,即首字母小写,后续单词首字母大写。
4. 注释的使用:Groovy支持单行注释()和多行注释(/* */),用于解释代码的功能和逻辑。
二、Katalon编码格式的实际应用在Katalon Studio中,我们可以利用Groovy的编码格式来编写各种测试脚本。
以下是一个简单的示例,展示如何使用Katalon的编码格式来编写一个Web UI测试脚本:groovyimport staticcom.kms.katalon.core.testcase.TestCaseFactory.findTestCase import staticcom.kms.katalon.core.testdata.TestDataFactory.findTestData import staticcom.kms.katalon.core.testobject.ObjectRepository.findTestObject importcom.kms.katalon.core.mobile.keyword.MobileBuiltInKeywords as Mobileimportcom.kms.katalon.core.webui.keyword.WebUiBuiltInKeywords as WebUI定义测试数据def testData = findTestData('TestData/ Login Data')循环遍历测试数据for (def row : testData.getRows()) {获取测试对象def usernameField = findTestObject('ObjectRepository/Page_Login/input_Username')def passwordField = findTestObject('ObjectRepository/Page_Login/input_Password')def loginButton = findTestObject('ObjectRepository/Page_Login/button_Login')输入用户名和密码WebUI.setText(usernameField, row['username'])WebUI.setText(passwordField, row['password'])点击登录按钮WebUI.click(loginButton)验证登录成功def successMessage = findTestObject('ObjectRepository/Page_Home/text_Success_Message')WebUI.verifyElementText(successMessage, 'Login successful!') }在这个示例中,我们首先导入了Katalon的内置关键字,然后定义了测试数据,并使用for循环遍历每一行测试数据。
redisearch windows 编译-概述说明以及解释1.引言文章1.1 概述:Redisearch是一个开源的基于Redis的全文搜索引擎,它能够快速地处理和搜索大量的结构化和非结构化数据。
Redisearch提供了丰富的搜索功能,如全文搜索、模糊搜索、排序和聚合等,可以轻松地满足各种搜索需求。
本篇文章旨在介绍如何在Windows操作系统上编译Redisearch,以便读者能够在自己的开发环境中快速搭建和使用Redisearch。
在正式介绍编译步骤之前,我们会先准备好Windows编译环境,确保编译的顺利进行。
通过本文的学习,读者将了解Redisearch的基本原理和功能,了解在Windows上编译Redisearch的必要环境和步骤,并能够应用所学知识进行相应的实践和项目开发。
通过对Redisearch在Windows上的编译的研究和探讨,我们可以更好地发掘Redisearch在Windows环境下的潜力和应用前景。
这对于那些使用Windows系统进行开发的用户来说将是一个重要的突破,为他们提供更多灵活和高效的搜索解决方案。
在我们结束之前,本文还将对Redisearch在Windows上的编译进行总结,并展望它的应用前景和意义。
希望读者通过本文的学习,能够对Redisearch在Windows环境下的编译有一个深入的理解,并能够将其应用到自己的实际项目中。
通过深入探索和应用Redisearch在Windows上的编译,我们相信其将为各类项目提供更好的搜索功能和性能,为用户提供更好的搜索体验,从而推动整个搜索技术的发展和创新。
1.2文章结构文章结构部分主要介绍了本文的组织和结构安排。
本文将按照以下内容来组织文章:第一部分是引言部分,包括概述、文章结构和目的三个小节。
在概述中,将简要介绍Redisearch和Windows编译的背景和概念。
在文章结构中,将详细说明本文的章节和内容安排。
在目的中,将明确本文的编写目的和期望的读者群体。
RELEASE NOTESMeasurement Studio™These release notes introduce Measurement Studio 8.1.2. Refer to thisdocument for installation requirements, deployment requirements,installation instructions, information about new features and functionality,and resources in Measurement Studio.These release notes are a subset of the Measurement Studio User Manual,which has not been updated for Measurement Studio 8.1.2. SelectStart»All Programs»National Instruments»<Measurement Studio>»Measurement Studio User Manual to access the Measurement Studio8.0.1 User Manual.ContentsInstallation Requirements (2)Deployment Requirements (3)Installation Instructions (3)Installing the Current Version of Measurement Studioover Previous Versions of Measurement Studio (4)What’s New in Measurement Studio 8.1.2 (4)Legend Control Scrollbars (5)WYSIWYG Editing of Labels with Engineering Formatting inMeasurement Studio User Interface Controls (5)Programmatic Parsing of Strings with Engineering Formatting (6)Network Variable Library Enhancements (7)Increased Performance with Network Variable (7)Updated Visual Studio 6.0 Support (7)Analysis Code Snippets (8)NI-SCOPE .NET Driver Support (8)Learning Measurement Studio (8)Measurement Studio Release Notes Installation RequirementsTo use Measurement Studio, your computer must have the following:•Microsoft Windows XP/2000 for Visual Studio .NET 2003 orMicrosoft Windows Vista/XP/2000 for Visual Studio 2005Note If you have Windows Vista installed, you must also have both Visual Studio 2005 Service Pack 1 and Visual Studio Service Pack 1 Update for Windows Vista installed on your machine for Measurement Studio to function properly.•Microsoft .NET Framework 1.1 for Visual Studio .NET 2003 orMicrosoft .NET Framework 2.0 for Visual Studio 2005 (requiredonly for the Measurement Studio .NET class libraries)•Standard, Professional, Enterprise Developer, Enterprise Architect, orAcademic edition of Microsoft Visual Studio .NET 2003; Standard,Professional, or Team System edition of Microsoft Visual Studio 2005(required to use the Measurement Studio integrated tools); or VisualC#, Visual Basic .NET, or Visual C++ Express Editions of MicrosoftVisual Studio 2005•Intel Pentium III class processor, 1 GHz or higher•Video display—1024 × 768, 256 colors (16-bit color recommended foruser interface controls)•Minimum of 256 MB of RAM (512 MB or higher recommended)•Minimum of 405 MB of free hard disk space for Visual Studio .NET2003 support and minimum of 385 MB of free hard disk space forVisual Studio 2005 support•Microsoft-compatible mouse•Microsoft Internet Explorer 6.0 or later Optional Installation —In order for links from Measurement Studiohelp topics to .NET Framework help topics to work, you must installthe Microsoft .NET Framework SDK 1.1 or Microsoft .NET FrameworkSDK2.0.© National Instruments Corporation 3Measurement Studio Release Notes Deployment RequirementsTo deploy an application built with Measurement Studio .NET classlibraries, the target computer must have a Windows Vista/XP/2000operating system and the .NET Framework version 1.1 for Visual Studio.NET 2003 or the .NET Framework version 2.0 for Visual Studio 2005.To deploy an application built with Measurement Studio Visual C++ classlibraries, the target computer must have a Windows Vista/XP/2000 operating system.Installation InstructionsComplete the following steps to install Measurement Studio. These stepsdescribe a typical installation. Please carefully review all additionallicensing and warning dialog boxes.Note There are separate installers for Measurement Studio support for Visual Studio .NET 2003 and Measurement Studio support for Visual Studio 2005. Repeat the installation instructions to install support for both. Also, if prompted, insert the Device Drivers CD and select Rescan Drive to install device drivers.National Instruments recommends that you exit all programs beforerunning the Measurement Studio installer. Applications that run in thebackground, such as virus scanning utilities, might cause the installer totake longer than average to complete.Complete the following steps to install Measurement Studio:1.Log on as an administrator or as a user with administrator privileges.2.Insert the Measurement Studio 8.1.2 installation CD and follow theinstructions that appear on the screen.National Instruments recommends that you install the completeMeasurement Studio program. If you perform a custom installation and donot install all the Measurement Studio features, you can run the installationprogram again later to install additional features.Note The option to browse for an installation location is valid only if you have not already installed any Measurement Studio features for the version of Visual Studio or the .NET Framework that you are installing. If you have any Measurement Studio features installed, then Measurement Studio installs to the same root directory to which you installed otherMeasurement Studio features.Installing the Current Version of Measurement Studio over Previous Versions of Measurement StudioYou can have only one version of Measurement Studio installed on asystem for each version of Visual Studio or the .NET Framework installedon the system. For example, you can have Measurement Studio 8.1.1 forVisual Studio .NET 2003 installed on the same system as MeasurementStudio 8.1.2 for Visual Studio 2005, but you cannot have MeasurementStudio 8.1.1 for Visual Studio 2005 installed on the same system asMeasurement Studio 8.1.2 for Visual Studio 2005.If you install a newer version of Measurement Studio on a machine that hasa prior version of Measurement Studio installed, the newer version installerreplaces the prior version functionality, including class libraries. However,the prior version assemblies remain in the global assembly cache (GAC);therefore, applications that reference the prior version continue to use theprior version .NET assemblies.1The default directory for Measurement Studio 8.1 support for Visual Studio.NET 2003 (Program Files\NationalInstruments\MeasurementStudioVS2003) is different than the default directory forMeasurement Studio 7.0 support for Visual Studio .NET 2003 (ProgramFiles\NationalInstruments\MeasurementStudio70). IfMeasurement Studio 7.0 is installed on your machine when you installMeasurement Studio 8.1, Measurement Studio 8.1 installs to the 7.0directory. If you prefer to install Measurement Studio 8.1 to the default 8.1directory, you must first uninstall all Measurement Studio class libraries,including class libraries installed with National Instruments driversoftware, such as NI-VISA, NI-488.2, and NI-DAQmx.What’s New in Measurement Studio 8.1.2Measurement Studio includes support for Visual Studio 2005, VisualStudio .NET 2003, and Visual Studio 6.0. New features in MeasurementStudio 8.1.2 include legend control scrollbars, WYSIWYG editing oflabels with engineering formatting in Measurement Studio user interfacecontrols, programmatic parsing of strings with engineering formatting,network variable library enhancements, an updated version of the VisualStudio 6.0 support, analysis code snippets, and NI-SCOPE .NET DriverSupport.1 This does not apply to mon.dll. mon.dll uses a publisher policy file to redirect applications to always use the newest version of mon.dll installed on the system, for each version of the .NET Framework. mon.dll is backward-compatible. Measurement Studio Release Legend Control ScrollbarsYou can use the Measurement Studio legend control scrollbar to scrollthrough the legend items at run time instead of having a fixed size for thecontrol. This enables you to conserve valuable space in your applicationwhile still representing all the items necessary for a useful legend.For more information, refer to Using the Measurement Studio WindowsForms Legend .NET Control or Using the Measurement Studio Web FormsLegend .NET Control topics in the NI Measurement Studio Help.Figure 1. Legend Control with Horizontal Scrollbar WYSIWYG Editing of Labels with Engineering Formatting in Measurement Studio User Interface ControlsPrior versions of Measurement Studio only support editing engineeringformatted values at run time as basic numeric formatted strings. InMeasurement Studio 8.1.2, you can edit engineering formatted values atrun time as engineering formatted strings or as basic numeric formattedstrings. Engineering formatted values are numeric values formatted withengineering notation and International System of Units (SI) prefixes andsymbols. You can edit engineering formatted values for the WindowsForms and Web Forms numeric edit control and the Windows Formsnumeric edit array control. You can edit engineering formatted ranges forthe Windows Forms numeric pointer controls and the Windows Forms andWeb Forms scatter, waveform, and complex graph axes.© National Instruments Corporation5Measurement Studio Release NotesThis feature is enabled by default for new Measurement Studio controlsyou add to your project. You can enable this feature for existingMeasurement Studio controls in your project by checking the WYSIWYGEditing check box in the Numeric Format Mode Editor dialog box. Youaccess the Numeric Format Mode Editor dialog box for the numeric editcontrol and the numeric edit array control by selecting the FormatModeproperty on the Property Pages for the control. You access the NumericFormat Mode Editor dialog box for the numeric pointer controls and theaxes of the graph controls by selecting theEditRangeNumericFormatMode property in the Property Pages for thecontrol.Figure 2. Numeric Format Mode Editor Programmatic Parsing of Strings with Engineering FormattingYou can use theNationalInstruments.EngineeringFormatInfo.TryParsemethod or theNationalInstruments.EngineeringFormatInfo.Parse method toconvert the engineering string representation of a number to itsdouble-precision floating-point number equivalent based on the format youspecify. You use TryParse or Parse to parse an engineering stringrepresentation of a value, such as a formatted string returned byNationalInstruments.EngineeringFormatInfo.Format, toobtain the actual value.Measurement Studio Release Network Variable Library EnhancementsIn the Network Variable Browser dialog box, you can now select multiplenetwork variable locations. To enable this feature, right-click theNetworkVariableBrowserDialog component and select Properties. Inthe Property Pages, set MultipleSelect to True. You can use theSelectedLocationS property to return an array of the selected networkvariable locations.Increased Performance with Network VariableLogos is the underlying technology of the NI-Publish Subscribe Protocol(psp:), a National Instruments proprietary protocol for inter-processcommunication. Network variables in Measurement Studio 8.1.2,LabWindows/CVI 8.5, and LabVIEW 8.5 and later use a newimplementation of Logos called LogosXT. You can use LogosXT toincrease the speed of network variable data transfer—LogosXT isapproximately 3.5 times faster when all host machines are runningLogosXT instead of Logos. LogosXT is automatically installed when youinstall Measurement Studio 8.1.2.Updated Visual Studio 6.0 SupportMeasurement Studio Support for Visual Studio 6.0 will now require you torun only one installer instead of an initial installation and an updaterinstaller. Measurement Studio Support for Visual Studio 6.0 also includessupport for Microsoft Windows Vista.As you work with Measurement Studio Support for Visual Studio 6.0, youmight need to consult additional resources. For detailed MeasurementStudio help, including function reference and in-depth documentation ondeveloping with Measurement Studio, refer to the Measurement StudioReference and Measurement Studio Reference Addendum. For a list of allMeasurement Studio documentation in electronic format, refer to theMeasurement Studio Library. To view the Measurement Studio Reference,Reference Addendum, and Library, select Start»All Programs»NationalInstruments»Measurement Studio Support for Visual Studio 6»Help.Refer to Measurement Studio for Visual Basic Support and MeasurementStudio for Visual C++ Support on for additional information.© National Instruments Corporation7Measurement Studio Release NotesAnalysis Code SnippetsMeasurement Studio 8.1.2 includes analysis code snippets in thedocumentation that can be copied and pasted into an application and usedimmediately. The following classes include new example code snippets:•CurveFit•ArrayOperations•Digital Filters—Bessel, Butterworth, and Chebyshev•StatisticsFor more information, refer to Using the Measurement Studio Analysis.NET Library in the NI Measurement Studio Help.NI-SCOPE .NET Driver SupportThe .NET class libraries for NI-SCOPE include .NET APIs for NI-SCOPE,NI-TClk, and NI-ModInst instrument drivers. These class libraries providea .NET interface to the underlying driver API. You can use the .NET classlibraries to create and configure NI-SCOPE components programmaticallyand at design time.For further information on NI-SCOPE .NET driver support and todownload the NI-SCOPE .NET class libraries, refer to NI-SCOPE.NET Driver Support on .Learning Measurement StudioAs you work with Measurement Studio, you might need to consultadditional resources. For detailed Measurement Studio help, includingfunction reference and in-depth documentation on developing withMeasurement Studio, refer to the NI Measurement Studio Help within theVisual Studio environment. The NI Measurement Studio Help is fullyintegrated with the Visual Studio help. You must have Visual Studioinstalled to view the online help, and you must have the Microsoft .NETFramework SDK 1.1 for Visual Studio .NET 2003 or the Microsoft .NETFramework SDK 2.0 for Visual Studio 2005 installed in order for linksfrom Measurement Studio help topics to .NET Framework help topics towork. You can launch the NI Measurement Studio Help in the followingways:•From the Windows Start menu, select Start»All Programs»NationalInstruments»<Measurement Studio>»Measurement StudioDocumentation. The help launches in a stand-alone help viewer.•From Visual Studio, select Help»Contents to view the Visual Studiotable of contents. The NI Measurement Studio Help is listed in the tableof contents.Measurement Studio Release •From Visual Studio, select Measurement Studio»NI MeasurementStudio Help. The help launches within the application.The following resources also are available to provide you with informationabout Measurement Studio.•Getting Started information—Refer to the Measurement Studio CoreOverview topic and the Getting Started with the Measurement StudioClass Libraries section in the NI Measurement Studio Help for anintroduction to Measurement Studio and for walkthroughs that guideyou step-by-step in learning how to develop Measurement Studioapplications.•Examples—Measurement Studio installs examples organized by classlibrary, depending on the component, the version of Visual Studio orthe .NET Framework that the example supports, the version ofMeasurement Studio installed on the system, and the operating system.For more information on example locations, refer to Where To FindExamples in the NI Measurement Studio Help.•Measurement Studio Web site, /mstudio—ContainsMeasurement Studio news, support, downloads, white papers, producttutorials, and purchasing information.•NI Developer Zone, —Provides access to onlineexample programs, tutorials, technical news, and a MeasurementStudio Discussion Forum where you can participate in discussionforums for Visual Basic 6.0, Visual C++, and .NET Languages.•Measurement Studio .NET Class Hierarchy Chart and MeasurementStudio Visual C++ Class Hierarchy Chart—Provide overviews ofclass relationships within class libraries. Charts are included with allMeasurement Studio packages and are posted online at/manuals.•Review the information from the Microsoft Web site on using VisualStudio.National Instruments, NI, , and LabVIEW are trademarks of National Instruments Corporation.Refer to the Terms of Use section on /legal for more information about NationalInstruments trademarks. Other product and company names mentioned herein are trademarks or tradenames of their respective companies. For patents covering National Instruments products, refer to theappropriate location: Help»Patents in your software, the patents.txt file on your CD, or/patents.© 2006–2007 National Instruments Corporation. All rights reserved.373085C-01Sep07。
WinAC RTX 2008 软件冗余功能Software Redundancy Function of WinAC RTX 2008摘要软件冗余又称软冗余,它是Siemens 实现冗余功能的一种低成本解决方案,可以应用于对主备系统切换时间为秒级的控制系统中,常用S7-300/400实现。
但在WinAC RTX 2008之后,西门子PC-Based 的应用也有机会使用软冗余功能。
它不仅能有效提升系统的可用性,同时又具有PC高运算性能和良好的开放性。
关键词 WinAC RTX 2008, 软冗余Key Words WinAC RTX 2008, Software Redundancy目录一.简述: (4)二.组态步骤: (6)1.建立项目 (6)2.硬件组态 (7)3.建立连接 (8)4.编写软冗余程序 (12)5.组态“Station Configuration Editor” (16)6.编译下载及运行 (18)IA&DT Service & Support Page 3-22WinAC RTX软件冗余功能一.简述:软件冗余又称软冗余,和S7-400 H硬件冗余系统相对应,顾名思义是用户使用程序来完成 PLC 系统的冗余功能,可以应用于对主备系统切换时间为秒级的控制系统中,硬件平台一般是S7-300/400, 是Siemens 实现提高系统可用性的一种低成本解决方案,这种PLC 软冗余方案已在国内外很多行业和项目中使用。
而WinAC RXT 从版本2008起,也开始支持软冗余功能,其原理和编程方式与S7-300/400的软冗余方式基本相同。
它不仅能有效提升系统的可用性,又可借助主流PC实现高性能多任务运算,同时具有良好的开放性,是一种高性价比的方案。
WinAC RTX 软冗余系统结构示意图:系统构成:A. 两台装有WinAC RTX 2008 的PC作为冗余的控制器(对于较恶劣的运行环境,可以使用嵌入式Windows XP作为操作系统,使用无风扇、无硬盘采用电子盘的工业PC硬件平台,实现抗震防尘)。
EDIUS® X EDIT ANYTHING. FAST Software version 10.32.8750Release NotesMay 2022Copy and Trademark NoticeGrass Valley®, GV® and the Grass Valley logo and / or any of the Grass Valley products listed in this document are trademarks or registered trademarks of GVBB Holdings SARL, Grass Valley USA, LLC, or one of its affiliates or subsidiaries. All third party intellectual property rights (including logos or icons) remain the property of their respective ownersCopyright ©2021 GVBB Holdings SARL and Grass Valley USA, LLC. All rights reserved.Specifications are subject to change without notice.Other product names or related brand names are trademarks or registered trademarks of their respective companies.Terms and ConditionsPlease read the following terms and conditions carefully. By using EDIUS documentation, you agree to the following terms and conditions.Grass Valley hereby grants permission and license to owners of to use their product manuals for their own internal business use. Manuals for Grass Valley products may not be reproduced or transmitted in any form or by any means, electronic or mechanical, including photocopying and recording, for any purpose unless specifically authorized in writing by Grass Valley.A Grass Valley manual may have been revised to reflect changes made to the product during its manufacturing life.Thus, different versions of a manual may exist for any given product. Care should be taken to ensure that one obtains the proper manual version for a specific product serial number.Information in this document is subject to change without notice and does not represent a commitment on the part of Grass Valley.Warranty i nformation is available from the Legal Terms and Conditions section of Grass Valley’s website ().Important NotificationSupported OSWindows 7 OS is no longer supported. You are only able to use EDIUS X on Windows 10 or 11 OS.If Windows Defender SmartScreen prevents the installer from startingIf Windows Defender SmartScreen prevents the installer from starting, please follow the following steps.1) Right-click the installer file then select “Properties”2) Open “Digital Signatures” tab then make sure the file has the digital signature of “GRASS VALLEY K.K.”3) Open “General” tab then check [Unlock] checkbox4) Click [Apply] button, then click [OK] button5) Run the installer againUsing with Floating LicenseIf Floating License Server is being used, its version has to be the same (or upper) as EDIUS X.Precautions when using subscription licensesSubscription licenses have the following restrictions:∙Bonus Contents for EDIUS X including the OFX Bridge are not available*OpenFX plugins cannot be used because the OFX Bridge is not available∙Disc Burner is not available∙H.264/AVC Blu-ray and Blu-ray 3D exporters are not available∙Internet connection is required for regular online validation of the licenses and the eID even for Workgroup∙The same license is not allowed to be installed on two computers at the same time*Some types of perpetual licenses are permitted to be installed on up to two computers per license only for use by asingle user under certain conditionsIf the above restrictions are an issue, please consider purchasing perpetual licenses.About offline usageFrom 10.30, the maximum offline usage period for licenses that require Internet access regularly, such as EDIUS X Pro, is shortened from 60 days to 30 days.Upgrading from an earlier buildIf you update EDIUS X from build 10.20 or earlier, eID log in dialog appears at the first startup.∙You can skip the eID validation only in Workgroup license∙If the eID validation skipped to start Workgroup editor, eID log in dialog doesn’t appear on subsequent running of EDIUS∙Internet connection is required for eID validationIf you upgrade EDIUS X from build 10.21 or earlier, the following settings of GV Job Monitor will be reset to the default settings:- Windows colors- Display settings of jobsUsing with virtual machinesWhen a virtual machine is created by duplicating another virtual machine on which EDIUS has been installed, please follow the following steps to use EDIUS with the created machine:1) Run SelfCertificationInstaller.exe on "C:\Program Files\Grass Valley\EDIUS Hub"2) Restart the OS*Only EDIUS Cloud supports use with virtual machines in cloud environments such as AWSSystem RequirementsThe following are the system requirements of this build*System requirements are subject to change without noticeNew Features & fixed issuesNew Features*No additional / improved featureFixed or improved issuesThe following issues are fixed or improved in this version:EDIUS∙When a partial render job is divided into multiple jobs, the order of these jobs is incorrect∙Export with the option "Export Between In and Out" fails if the timeline has a sequence on which "Remove cut points" is possible∙EDIUS crashes when performing "Consolidate Project" if audio waveform is displayed in the timeline∙External Render Engine crashes if EDIUS Hub Server is not found (EDIUS Hub Server environment only) Mync*No fix providedKnown issuesThis build has below known issues:EDIUS∙Frame number of source timecode is always shown as even number in 50p/60p clips∙There is a security software that detect EDIUS.exe as a malware∙Encoding in Dolby Digital Professional/Plus changes the volume of audio∙Standalone GV Job Monitor requests “EdiusHubPackage.msi” when it is launchedWorkaround: Use EDIUS integrated GV Job Monitor∙Two “EDIUS X” items appear in “App & Features” in Windows settings∙MPEG2 Elementary Stream exporter is unavailable∙Some of third party plug-ins and Bonus Contents cannot be uninstalled or updated properly if GV Render Engine is running in the backgroundWorkaround: Follow the following steps when uninstalling or updating plug-ins:1. Close EDIUS if it is running2. Click GV Render Engine on the Taskbar, then select "Pause"*If GV Render Engine is not found on the Taskbar, sign out all accounts from the OS, then sign in with the accountused to uninstall or update plug-ins3. Uninstall or update plug-ins4. Click GV Render Engine on the Taskbar, then select "Start"∙Updating Floating License Server fails if the installed version is 10.30 or earlierWorkaround: Uninstall the old version first∙If the OS has not been restarted after changing the display scaling, sizes of texts created by QuickTitler will be unexpectedly changed at the exportWorkaround: Restart GV Render Engine before file export (See FAQ for the steps)∙AVCHD 3D writer exporter fails to export files∙When a clip exported by the P2 3D exporter is registered in the bin, it will be handled as a sequence clip instead of a 3D clip∙When "Separate Left and Right" is selected to export a stereoscopic clip, only the L side file is export∙"Add and Transfer to Bin" from Amazon S3 source browser fails if the path contains multibyte characters (EDIUS Cloud only)∙Vorbis exporter fails if the number of audio channels is 7 or 8, even though the exporter's specifications allow up to 8 channels of audio∙When exporting MP3 audio, noise is exported if "Bit Depth" of audio format is set to 20bit∙The color space of the project settings is not reflected to still image files created by "Create a Still Image"function∙File export from a checked out project failsMync∙Updating Floating License Server fails if the installed version is 10.30 or earlierWorkaround: Uninstall the old version firstDesign LimitationsRestrictions by no support of QuickTime for WindowsIn both EDIUS X and Mync, QuickTime modules are no longer used even though installing QuickTime Essentials. As the result, the following file formats are no longer supported:∙Still Image File Formats: Flash Pix; Mac Pict; QuickTime Image∙Video File Formats (Import / Export): M4V or some MOV file formats*MOV files whose video formats are general ones such as MPEG-2, H.264/AVC, ProRes, etc. are able to be imported / exported∙Video File Formats (Export): 3GP (MOV); 3G2 (MOV)∙Audio File Formats: MOV (other than Linear PCM and AAC); QuickTime AudioIMPORTANT NOTEIf loaded project contains type of above clips, they will be off-line in EDIUS X。
8.3.0 iCare Segmentation Installation and Configuration Installation/PrerequisitesAggregation DB created (if after 7.3.0). It is recommended that this run on its own server/node. Aggregation application server(s) exist.New iCare application server for trending. (suggested hardware: 2 CPU, 4GB RAM, 80 GB hard drives, Windows 2008 ENT R2)Installation NotesWith the release of 8.3.0, there are three pieces of install media: Install_8.3.0000.xxx.exe, DBinstall.exe, and DBUpdate.exe. The DBUpdate.exe should be run after the DBinstall.exe.DBUpdate.exeThe dbupdate utility is run against the iCare OLTP database, specifically the iCare customertable. The purpose of this utility is to prepare the iCare database with necessary updates for the activation of the iCare segmentation feature. If this utility is not run, the application willperform all appropriate updates. This may impact the amount of time it takes for organizations to be activated with iCare segmentation. This utility was designed to run with minimal impact to iCare, so no downtime is required. This utility should be run after the dbinstall process hasoccurred. It does not need to be immediately ran after the dbinstall, but it should be run before activating iCare segmentation.For example, an environment is upgraded to 8.3.0 with a significant iCare presence. If there are no plans to immediately activate segmentation, it would be recommended that the dbupdate be run shortly prior to activating organizations with segmentation.Aggregation Server Configuration (minimum settings)•Database Cache - Located in <installFolder>/AnalysisAggregation/config/db.xml cacheSize 30exhaustWaitMs 1000minIdle 0maxIdle 30maxActive 30evictFreqMs 3600000evictIdleMs 1800000validate True•Java Heap (64 bit server recommended) - Located in<installFolder>/AnalysisAggregation/config/aggregation.confwrapper.java.initmemory 1024wrapper.java.maxmemory 2048•Located in the file <installFolder>/AnalysisAggregation/config/aggregation.properties maxJobExecution 4maxJobLoadFromDb 60maxHistJobLoadFromDb 30readThreadPoolSize 4processThreadPoolSize 8writeThreadPoolSize 4secondsBeforeExpire 4One and only one server should have both of the following properties:monitorEnabled TrueenableICareSegSync trueInstaller – Aggregation Server•While running the installer, these properties may also be set.Define one and only one master aggregation server by choosing both properties:If installing or upgrading the aggregation server, the advanced review section will offerthe following configurations.•Database Cache•Aggregation Properties•Java HeapiCare Trending ServerA trending task will run in the background on this server. Data counts of the segments will be moved from the Aggregate DB into the iCare CA DB to establish a trend line.Please be sure to install this task only one server (the dedicated trend server). During the iCare installation process, you can activate the trending job as follows:The task itself will exist in:<install folder>/icare/server/default/deploy/storedValue.ear/scheduler.war/Web-Inf/schedule.xml <task type="Java" id="com.micros.storedValue.trending.TrendTask" frequency="5" />。
c_oflag参数
c_oflag是控制终端输出的参数,用于控制终端的输出方式。
它的一些参数包括:
1. CREAD:使用接收器,控制终端是否能够接收数据。
2. CSIZE:字符长度,取值范围为CS5、CS6、CS7或CS8,控制终端输出的字符长度。
3. CSTOPB:设置两个停止位,控制终端输出的停止位的数量。
4. PARENB:使用奇偶校验,控制终端是否使用奇偶校验。
5. PARODD:对输入使用奇偶校验,对输出使用偶校验,控制终端的奇偶校验设置。
6. CRTSCTS:使用RTS/CTS流控制,控制终端是否使用硬件流控制。
这些参数可以通过编程方式设置,以控制终端的输出方式和特性。
v8编译过程V8 编译过程分为以下步骤:1. 获取 V8 源代码在开始编译 V8 之前,需要先获取 V8 源代码。
可以从 V8 的官方 GitHub 仓库上下载源代码。
V8 源代码包含了 C++ 源代码、头文件和构建脚本等内容。
2. 安装构建工具V8 使用 GN 构建系统进行编译,因此需要先安装 GN 工具。
可以通过以下步骤,在 Mac 和 Linux 系统上安装 GN 工具:- 下载 Depot Tools 工具包:git clonehttps://chromium.googlesource/chromium/tools/depot_tools.git- 添加 Depot Tools 工具包到环境变量中:exportPATH=PATH:/path/to/depot_tools- 使用 Depot Tools 工具包安装 GN 工具:gclient sync在 Windows 系统上,需要安装 Visual Studio 并且配置 PATH环境变量。
3. 配置 V8 构建在获取了 V8 源代码并安装好构建工具之后,需要进行构建配置。
可以使用 GN 工具进行配置。
在 V8 源代码的根目录下执行以下命令:gn gen out/Release —args=‘is_debug=falsetarget_cpu=“x64”’这个命令会在 out/Release 目录下生成配置文件、构建配置和构建脚本等文件。
其中,is_debug=false 参数表示以 Release 模式构建,target_cpu 参数表示构建 x64 架构的版本。
4. 构建 V8在完成了配置之后,可以使用 ninja 工具进行构建。
在 V8 源代码的根目录下,执行以下命令:ninja -C out/Release这个命令会在 out/Release 目录下进行编译,并生成 V8 的库文件和可执行文件等。
5. 集成 V8 至目标项目在完成了 V8 的编译之后,需要将生成的库文件和头文件集成到目标项目中。
Cloning Windows® 7, 8, and 10with Legacy Logicube® DuplicatorsLogicube, Inc.Chatsworth, CA 91311USAPhone: 818 700 8488Fax: 818 700 8466Version: 1.0WIN7_8_10-GUIDE-LEGACYDate: 11/08/2017 Windows 7, 8, and 10 Cloning Guidelines – Legacy v1.0 Page I of 10 Revised 11/08/2017TABLE OF CONTENTS1.0 INTRODUCTION (3)1.1 CLONING TO SMALLER CAPACITY DRIVES (3)1.2 PARTITIONING SCHEMES (4)1.3 CLONING METHODS (4)1.3.1M IRROR C OPY M ETHOD (5)1.3.2C LEVER C OPY M ETHOD (5)1.3.3S ELECTIVE P ARTITIONS M ETHOD (5)1.4 ECHO PLUS CLONING LIMITATIONS (5)1.4.1M IRROR C OPY L IMITATIONS (5)1.4.2C LEVER C OPY L IMITATIONS (5)1.5 OMNICLONE 2XI/5XI/10XI CLONING LIMITATIONS (5)1.5.1M IRROR C OPY L IMITATIONS (6)1.5.2C LEVER C OPY L IMITATIONS (AVAILABLE AS AN OPTION) (6)1.5.3S ELECTIVE P ARTITIONS L IMITATIONS (AVAILABLE AS AN OPTION) (6)1.6 OMNISAS CLONING LIMITATIONS (7)1.6.1M IRROR C OPY L IMITATIONS (7)1.6.2C LEVER C OPY L IMITATIONS (7)1.6.3S ELECTIVE P ARTITIONS L IMITATIONS (7)1.7 SUPERSONIX LIMITATIONS (7)1.7.1M IRROR C OPY L IMITATIONS (7)1.7.2C LEVER C OPY L IMITATIONS (8)1.7.3S ELECTIVE P ARTITIONS L IMITATIONS (8)1.8 ZCLONE (8)1.8.1M IRROR C OPY L IMITATIONS (8)1.8.2C LEVER C OPY L IMITATIONS (9)1.9 LOOK-UP CHARTS - INTRODUCTION (9)TECHNICAL SUPPORT INFORMATION (10)1.0 IntroductionThis document provides guidelines on how drives with Windows 7, Windows 8/8.1, and Windows 10 can be cloned using the following legacy Logicube drive duplicators: •Echo Plus™•OmniClone™ 2Xi, 5Xi, 10Xi•OmniSAS™•SuperSonix®•ZClone™1.1 Cloning to Smaller Capacity DrivesTarget drives should be at least the same capacity or larger than the Master drive. Specifically, each Target drive must have the same number of sectors (or Logical Block Addresses/LBAs) or a larger number of sectors or LBAs than the Master.If the Master drive is larger in capacity than any Target drive, it is still possible to clone the drive, but there are some adjustments that will need to be made to the Master drive. The following applies to any Operating System:•The total partition sizes on the Master drive need to be adjusted to be less than the capacity/size of the smallest Target drive.•The partitions on the Master drive need to be adjusted so that the free/unallocated space is at the end of the drive.It is highly recommended to make a backup copy of the Master drive byperforming a Mirror copy of the drive to make sure there is an exact duplicatebackup of the Master drive before changing partition sizes and positions.Logicube cannot provide support on how to re-size, shrink, or move partitions.There are several articles and software/utilities/tools available on the internet onhow to re-size, shrink, or move partitions.Sample original drive (1 TB drive):Windows 7, 8, and 10 Cloning Guidelines – Legacy v1.0 Page 3 of 10 Revised 11/08/2017Sample of a properly adjusted drive (from a 1 TB drive to fit a 750 GB drive):Sample of an adjusted drive that will not work (from a 1 TB drive to fit a 750 GB drive):Once the partitions have been adjusted to properly fit the Target drive, it can be cloned using any of the cloning methods. Depending on the Operating System, cloning method, and Logicube device used, there may be limitations to cloning the drive. See Section 1.4for limitations based on the cloning method, drive capacities, and Logicube Device being used.1.2 Partitioning SchemesThere are two common partitioning schemes currently being used for Windows 7, Windows8/8.1, and Windows 10: MBR and GPT. Both partitioning schemes are supported with the Logicube products listed in this document.MBR (Master Boot Record) – An older partitioning scheme.GPT (GUID Partition Table) – A newer partitioning scheme.1.3 Cloning MethodsDifferent cloning methods are available on each of the Logicube products listed at the beginning of this document. Please refer to the respective User’s Manual of your Logicub e device for complete instructions on how to use each cloning method.Windows 7, 8, and 10 Cloning Guidelines – Legacy v1.0 Page 4 of 10 Revised 11/08/20171.3.1 Mirror Copy MethodAll the Logicube products listed at the beginning of this document have theMirror Copy method and will support the cloning of any Operating System usingthis method. Mirror Copy method performs a bit-for-bit copy of the Masterdrive, producing an exact duplicate of that drive.1.3.2 Clever Copy MethodAll the Logicube products listed at the beginning of this document have theClever Copy method (an additional option for the OmniClone Xi) and willsupport the cloning of any Operating System using this method. Clever Copycopies only the sectors with data from the Master drive.1.3.3 Selective Partitions MethodSelective Partition Copy method allows you to specify how each partition isgoing to be copied (Mirror or Clever) and is available only on the followingproducts:•OmniClone Xi (an additional software option)•OmniSAS•SuperSonix1.4 Echo Plus Cloning LimitationsThe Echo Plus has two cloning methods available and has the following limitations:1.4.1 Mirror Copy Limitations•The Target drives should be the same capacity or larger. If the Targetdrive is smaller in capacity, please see Section 1.1.1.4.2 Clever Copy Limitations•Windows 7, 8/8.1, or 10 is not supported with Clever Copy. Use MirrorCopy method.1.5 OmniClone 2Xi/5Xi/10Xi Cloning LimitationsThe OmniClone Xi series has three cloning methods available and has the following limitations: Windows 7, 8, and 10 Cloning Guidelines – Legacy v1.0 Page 5 of 10 Revised 11/08/20171.5.1 Mirror Copy Limitations•The Target drives should be the same capacity or larger. If the Targetdrive is smaller in capacity, please see Section 1.1.•Set the percentage setting to clone the proper percentage of the drive(for example, if the Target drive is 750 GB and the Master is 1 TB,clone no more than 75% of the drive).If the partitions are not adjusted and the percentage setting isnot set, the cloning task may start, but will not copy any datapast the capacity of the Target drive.1.5.2 Clever Copy Limitations (available as an option)•The Master drive must use the MBR partitioning scheme.•The Master drive must contain no more than 3 partitions.•The Operating System partition must be the last partition on the drive.•The Target drives should be the same capacity or larger. If the Targetdrive is smaller in capacity, please see Section 1.1.•Windows 8, 8.1, and 10 were released after the last OmniClone Xisoftware was released and although not officially supported, may workwhen using Clever Copy. If Clever Copy does not work, try the SelectivePartitions method or Mirror Copy.1.5.3 Selective Partitions Limitations (available as an option)•The Master drive must use the MBR partitioning scheme.•The Master drive must contain no more than 3 partitions.•The Operating System partition must be the last partition on the drive.•The Target drives should be the same capacity or larger. If the Targetdrive is smaller in capacity, please see Section 1.1.•All System Restore, Recovery, and OEM partitions should set to Mirrorand the Operating Partition (last partition on the list) should be set toClever.•Windows 8, 8.1, and 10 were released after the last OmniClone Xisoftware was released and although not officially supported, may workwhen using Selective Partitions. If Selective Partitions does not work,use Mirror Copy.Windows 7, 8, and 10 Cloning Guidelines – Legacy v1.0 Page 6 of 10 Revised 11/08/20171.6 OmniSAS Cloning LimitationsThe OmniSAS has three cloning methods available and has the following limitations:1.6.1 Mirror Copy Limitations•The Target drives should be the same capacity or larger. If the Targetdrive is smaller in capacity, please see Section 1.1.•Set the percentage setting to clone the proper percentage of the drive(for example, if the Target drive is 750 GB and the Master is 1 TB,clone no more than 75% of the drive).If the partitions are not adjusted and the percentage setting isnot set, the cloning task may start, but will not copy any datapast the capacity of the Target drive.1.6.2 Clever Copy Limitations•Windows 7, 8/8.1, or 10 is not supported with Clever Copy on theOmniSAS. Use Mirror Copy.1.6.3 Selective Partitions Limitations•The Windows 7, 8/8.1, or 10 is not supported with Selective Partitionson the OmniSAS. Use Mirror Copy.1.7 SuperSonix LimitationsThe SuperSonix has three cloning methods available and has the following limitations:1.7.1 Mirror Copy Limitations•The Target drives should be the same capacity or larger. If the Targetdrive is smaller in capacity, please see Section 1.1.•Set the percentage setting to clone the proper percentage of the drive(for example, if the Target drive is 750 GB and the Master is 1 TB,clone no more than 75% of the drive).If the partitions are not adjusted and the percentage setting isnot set, the cloning task may start, but will not copy any datapast the capacity of the Target drive.Windows 7, 8, and 10 Cloning Guidelines – Legacy v1.0 Page 7 of 10 Revised 11/08/20171.7.2 Clever Copy Limitations•The Master drive must use the MBR partitioning scheme.•The Master drive must contain no more than 3 partitions.•The Operating System partition must be the last partition on the drive.•The Target drives should be the same capacity or larger. If the Targetdrive is smaller in capacity, please see Section 1.1.•Windows 10 was released after the last SuperSonix software wasreleased and although not officially supported, may work when usingClever Copy. If Clever Copy does not work, try Selective Partitions orMirror Copy.1.7.3 Selective Partitions Limitations•The Master drive must use the MBR partitioning scheme.•The Master drive must contain no more than 3 partitions.•The Operating System partition must be the last partition on the drive.•The Target drives should be the same capacity or larger. If the Targetdrive is smaller in capacity, please see Section 1.1.•All System Restore, Recovery, and OEM partitions should set to Mirrorand the Operating Partition (last partition on the list) should be set toClever.•Windows 10 was released after the last SuperSonix software wasreleased and although not officially supported, may work when usingSelective Partitions. If Selective Partitions does not work, use MirrorCopy.1.8 ZClone LimitationsThe ZClone has two cloning methods available and has the following limitations:1.8.1 Mirror Copy Limitations•The Target drives should be the same capacity or larger. If the Targetdrive is smaller in capacity, please see Section 1.1.•Set the percentage setting to clone the proper percentage of the drive(for example, if the Target drive is 750 GB and the Master is 1 TB,clone no more than 75% of the drive).Windows 7, 8, and 10 Cloning Guidelines – Legacy v1.0 Page 8 of 10 Revised 11/08/20171.8.2 Clever Copy Limitations•All System Restore, Recovery, and OEM partitions should not beexpanded.•The Target drives should be the same capacity or larger. If the Targetdrive is smaller in capacity, please see Section 1.1.•Windows 10 was released after the last ZClone software was releasedand although not officially supported, may work when using CleverCopy. If Clever Copy does not work, use Mirror Copy.1.9 Look-Up Charts - IntroductionHere are two quick look-up charts for Windows 7, 8/8.1, and 10. The first chart is for Master drives with the MBR partitioning scheme (maximum capacity is 2TB). The second chart is for Master drives with the GPT partitioning scheme.The following chart is for Windows 7, 8/8.1, and 10 with the MBR partitioning scheme:Windows 7, 8, and 10 Cloning Guidelines – Legacy v1.0 Page 9 of 10 Revised 11/08/2017The following chart is for Windows 7, 8/8.1, 10 with the GPT partitioning scheme:Technical Support InformationWindows 7, 8, and 10 Cloning Guidelines – Legacy v1.0 Page 10 of 10 Revised 11/08/2017。
w e e n g i n e e r y o u r p r o g r e s sTable of Contents1 Product Details .....................................................................................................................................................................................2 1.1 Application ............................................................................................................................................................................................. 2 1.2 Recommended Installation .................................................................................................................................................................... 2 2 Function ................................................................................................................................................................................................ 2 2.1 Features ................................................................................................................................................................................................. 23 Technical Data ...................................................................................................................................................................................... 34 Ordering Information ........................................................................................................................................................................... 3 4.1 Type Code ............................................................................................................................................................................................. 3 4.2Versions currently available (3)5 Description of Characterisics in Accordance with Type Code ........................................................................................................ 4 5.1 Characteristic 1: Variant DSU ................................................................................................................................................................ 4 5.2 Characteristic 2: Port / Case: Variant CA - Cartridge ............................................................................................................................. 4 5.3 Characteristic 3: input flow rate .............................................................................................................................................................. 4 5.4 Characteristic 4: Max.permissible pressure ........................................................................................................................................... 4 5.5 Characteristic 5: Activation / Setting ...................................................................................................................................................... 4 5.6 Characteristic 6: Stepped cavity 8.00239 (corresponds to Bucher UVP- 4) ......................................................................................... 4 Das vorgesteuerte Druckbegrenzungsventil ist ein Cartridgebauteil und wird in eine Stufenbohrung entsprechend nebenstehender Zeichnung eingeschraubt. ..................................................................................................................................................................................................... 4 5.7 Characteristic 7: Seal ............................................................................................................................................................................. 4 6 Installation ............................................................................................................................................................................................ 5 6.1 General information ............................................................................................................................................................................... 5 6.2 Connection Recommendations .............................................................................................................................................................. 5 6.3 Installation - installation space ............................................................................................................................................................... 5 7 Notes, Standards and Safety Instructions ......................................................................................................................................... 5 7.1 General Instructions ............................................................................................................................................................................... 5 7.2 Standards ............................................................................................................................................................................................... 58 Zubehör .................................................................................................................................................................................................5w e e n g i n e e r y o u r p r o g r e s s1The pressure valve is designed as cartridge valve. It is a direct operated valve for flow rates up to 10 l / min, which can be adjusted manually. The adjustment can be protected by a cap. The components are designed robust. The valve can be charged up to 500 bar and is delivered at a certain pressure.1.1 ApplicationThe pressure valve is used to protect high volume lift cylinders in truck cranes. It should avoid excessive pressure increase in unmoving cylin-ders due to warming (“sushine valve”).1.2 Recommended Installation2 FunctionThe pressure valve operates as a direct acting seat valve. The pressure can be set using an adjusting screw. The screw is locked after adjustment with a backup sealing nut and can be protected by a cap.2.1 Features▪ Cartridge type▪ Small installation space ▪ Robust construction▪Stepped cavity (corresponds to Bucher UVP-4) ▪Seat valve, leakage freeP – protected port T - tankw e e n g i n e e r y o u r p r o g r e s s3 Technical Data4 4.1 Type CodeXXX – fest vorgegebene Merkmale XXX – vom Kunden wählbare Merkmale4.2 Versions currently availableThe versions listed below are available as standard. Further versions as part of the options given on the type code can be configured upon request.designationtype codepart nr.PRV –DSU –CA -10LPM -500BAR –MAN230BAR –239 -NBR PRV –DSU –CA -10 -500 –MAN230 –239 -N 412.072.451.9 PRV –DSU –CA -10LPM -500BAR –MAN235BAR –239 -NBR PRV –DSU –CA -10 -500 –MAN235 –239 -N 412.072.430.9 PRV –DSU –CA -10LPM -500BAR –MAN290BAR –239 -NBR PRV –DSU –CA -10 -500 –MAN290 –239 -N 412.072.433.9 PRV –DSU –CA -10LPM -500BAR –MAN340BAR –239 -NBR PRV –DSU –CA -10 -500 –MAN340 –239 -N 412.072.431.9 PRV –DSU –CA -10LPM -500BAR –MAN420BAR –239 -NBR PRV –DSU –CA -10 -500 –MAN420 –239 -N 412.072.432.9CriteriaUnit Value Installation position any Weightkg 0,1Surface protectiveZinc coated Maximum input pressure (P) bar 550Adjustable pressurebar 100 - 500 Maximum Tankpressure (T) bar 8 Maximum input flow rate (P) l/min 10Hydraulic fluidMineral oil (HL, HLP) conforming with DIN 51524, other fluids upon re-Hydraulic fluid pressure range °C -25 bis +80 Ambient temperature °C < +50 Viscosity rangemm2/s 2,8 - 500Contamination gradeFiltering conforming with NAS 1638, class 9, with minimum retentionPRVDSUCA10500239N000102030405060700 Product group Pressure relief valves PRV 01 Variant manual adjustable DSU 02 Port / Case Cartridgeventil CA 03 Input flow rate Qmax.10 l/min 1004 Max.permissible pressure Pmax.. 500bar50005 Activation Man ually adjustable 100-500barMAN100 06 Stepped cavity WESSEL-Patrone 8.00239 (stepped cavity) 239 07 Seal NBR, temperatur range -25°C bis +80°CNw e e n g i n e e r y o u r p r o g r e s s5 5.1 Characteristic 1: Variant DSUAdjustable pressure relief valve5.2 Characteristic 2: Port / Case: Variant CA - CartridgeAs variant CA, the valve is delivered as a cartridge valve. The Cavity has to be designed according to characteristic 6 (stepped cavity)5.3 Characteristic 3: input flow rateRecommended maximum flow rate of 10 l/min.5.4 Characteristic 4: Max.permissible pressureMaximum permissible pressure is 500bar (adjustable range100 - 500bar)5.5 Characteristic 5: Activation / SettingThe valve can be adjusted with a set screw. For this purpose, the protective cap must be removed and the counter nut undone.5.6 Characteristic 6: Stepped cavity 8.00239 (corresponds to Bucher UVP- 4)Das vorgesteuerte Druckbegrenzungsventil ist ein Cartridgebauteilund wird in eine Stufenbohrung entsprechend nebenstehender Zeichnung eingeschraubt.5.7 Characteristic 7: SealNBR, temperature range -25°C bis +80°Cw e e n g i n e e r y o u r p r o g r e s s6 Installation6.1 General information▪ Observe all installation and safety information of the construction machine / attachment tools manufacturer. ▪ Only technically permitted changes are to be made on the construction machine. ▪ The user has to ensure that the device is suitable for the respective application. ▪ Application exclusively for the range of application specified by the manufacturer. ▪ Before installation or de-installation, the hydraulic system is to be depressurized. ▪ Settings are to be made by qualified personnel only.▪ Opening is only to be performed with the approval of the manufacturer, otherwise the warranty is invalidated.6.2 Connection RecommendationsNOTE : Enclosed proposed resolution is not always guaranteed. The functionality and the technical details of the construction ma-chine must be checked.5.3 Montage – BauraumObserve connection names.Do not damage seals and flange surface. Its hydraulic system must be ventedEnsure sufficient free space for setting and installation work6.3 Installation - installation space▪ Observe connection names.▪ Do not damage seals and flange surface. ▪ Its hydraulic system must be vented▪ Ensure sufficient free space for setting and installation workCAUTION: Hydraulic hoses must not touch the pressure relief valve, otherwise they are subject to thermal damaging. Tightening torques must be observed. Torque wrench needed.77.1 General Instructions▪The views in drawings are shown in accordance with the European normal projection variant▪ A comma ( , ) is used as a decimal point in drawings ▪All dimensions are given in mm7.2 StandardsThe following standards must be observed when installing and operating the valve:▪ DIN EN ISO 13732-1:2008-12, Temperatures on accessible surfaces8 ZubehörSafety cap: 275.066.000.6。
Safety Case NavigatorJulian Soles DrillSafe Forum March 2013, PerthOverview• Safety y Case• Operational Integrity MajorHazards• Safety Case Navigator y • Summary2DrillSafe Forum Perth 20132Safety Case•A safety case is a document produced by the operator of a facility which(1): Identifies the hazards and risks Describes how the risks are controlled D Describes ib th the safety f t management t system t in i place l t to ensure the th controls t l are effectively ff ti l and d consistently applied•The safety safet case m must st identif identify the safety safet critical aspects of the facilit facility, both technical and managerial• •The workforce must be involved Major Accident Events (MAEs) assessed until the risks are reduced to As Low As Reasonably Practical (ALARP)Source: (1) NOPSEMA website3DrillSafe Forum Perth 20133Operational“Operational Integrity is the management of major hazards whereby consistent operational discipline and asset integrity is assured, verified, and continuously improved”• Any y hazard with p potential consequences q that could result in:• • •Multiple fatalities / permanent total disabilities Extensive damage to the installation Massive effect to the environment4DrillSafe Forum Perth 201345DrillSafe Forum Perth 20135Operational Integrity• Creating and improving awareness of Process Safety v Personal Safety • Process Safety is focused further preventing Major Hazards • Safety Case regime in Australia encompasses these elements • How well does the workforce know their Safety Case? • Safety Case is key component of Operational Integrity• •Transocean currently developing a safety case for every vessel in the fleet Australia regime puts us ahead of most areas in the world6DrillSafe Forum Perth 20136Safety Case DocumentQ. Can the workforce access the safety case? A. As the key health and safety document for a facility, access to and understanding of the safety case by the workforce is essential to meet the duties of the operator • Fundamental requirement that the workforce understands the Vessel Safety Case Safety Case documents can be very large and diffi lt to t find fi d information i f ti difficult •Deepwater Frontier Jack Bates Transocean Legend2011 2009 20081,475 pgs 1,854 pgs 1,628 pgs7DrillSafe Forum Perth 20137Safety Case Navigator• • •Knowing and Understanding roles and responsibilities for the management of safety Training on the Safety Case contents for all crew members The ‘safety case navigator’ is designed to help you find relevant information quickly and easily• •All the workforce and our Customers will have access to the Safety Case Navigator Development St t d in Started i January J 2012 Worked with RPS in Perth to create functional specification RPS developed p the Safety y Case Navigator g tool8DrillSafe Forum Perth 20138Safety Case Navigator9DrillSafe Forum Perth 20139Enter the website address into an internet browserEnter the provided usernameEnter the provided passwordClick Login to access the system10DrillSafe Forum Perth 201310Safety Case InfoYou can view a summary of the Safety Case from this menu11DrillSafe Forum Perth 201311Searching the Major Hazard RegisterEnter the search phrase i thi in this t text tb boxChoose which Ch hi h part t of f the register you want to search hereChoose any major hazard to view the full hazard reportSearch in the safety case documents for this major hazard12DrillSafe Forum Perth 201312Searching the Major Hazard RegisterAs you type in search words it will return a list of matches from the major hazard register that match. These could be: • • • • • Controls C Causes Consequences Position titles D Document t refs fYou don’t have to choose these results, b t can search but hf for any word or partial word.13DrillSafe Forum Perth 201313Searching the Major Hazard RegisterThe search results will show anything in the major hazard register that matched your search words.You can print the search results from here You can use the filter tool to refine the search results to show more or less data from the major hazard register. registerSearch in the safety case documents for this major hazard14DrillSafe Forum Perth 201314Navigating by Responsible PersonThis menu will show you the major hazards by responsible personChoose the job titleChoose the major hazardChoose the cause or consequenceThe search results are refined based on what you choose y15DrillSafe Forum Perth 201315Navigating by Major Hazard (MAE)You can also navigate the major hazard register by HazardChoose the major hazardChoose the cause or consequenceChoose the job titleThe search results are refined based on what you choose16DrillSafe Forum Perth 201316Focusing on each controlWhen you click on any control, a control summary report will be shown. This summary shows you: • • The responsible person The bowtie context of what is being g controlled Control type and effectiveness Relevant document references• •17DrillSafe Forum Perth 201317Viewing safety case documentsThis menu shows you the safety case documentsEnter the search phrase in this text boxChoose which document you want to search hereChoose any document to browser page by pageSome personnel can download the document in PDF format18DrillSafe Forum Perth 201318Searching within safety case documentsThe search results will show anything in the documents that matched your search words words. The search results show you: • • • • Which document contains the words What section of the document What page of the document A summary of the text around the matched words19DrillSafe Forum Perth 201319Reading safety case documentsSome personnel can download the document in PDF formatWhen you open a document you get a document browser menu. This menu lets you: • Choose the section of the document to view Jump to a specific page Zoom in and out Jump forward and back a page• • •20DrillSafe Forum Perth 201320Summary•Important that the workforce can relate their day to day actions to preventing Major Hazards •Our role is to facilitate this understanding and demonstrate our commitment•Initial feedback from workforce is positive and further development of the tool is plannedyInclusion of Vessel Safety Case RevisionsAudit functionality of controls•Safety Case Navigator is currently being rolled out across Transocean Australia units2121DrillSafe Forum Perth 2013 。