Scalable State-Machine Replication (S-SMR)

Total Page:16

File Type:pdf, Size:1020Kb

Scalable State-Machine Replication (S-SMR) Scalable State-Machine Replication Carlos Eduardo Bezerra∗z, Fernando Pedone∗, Robbert van Renessey ∗University of Lugano, Switzerland yCornell University, USA zUniversidade Federal do Rio Grande do Sul, Brazil Abstract—State machine replication (SMR) is a well-known designer much of the complexity involved in replication; all technique able to provide fault-tolerance. SMR consists of the service designer must provide is a sequential implemen- sequencing client requests and executing them against replicas tation of each service command. If state is partitioned, then in the same order; thanks to deterministic execution, every replica will reach the same state after the execution of each some commands may need data from multiple partitions. request. However, SMR is not scalable since any replica added Should the service designer introduce additional logic in the to the system will execute all requests, and so throughput implementation to handle such cases? Should the service be does not increase with the number of replicas. Scalable SMR limited to commands that access a single partition? (S-SMR) addresses this issue in two ways: (i) by partitioning This paper presents Scalable State Machine Replication the application state, while allowing every command to access any combination of partitions, and (ii) by using a caching (S-SMR), an approach that achieves scalable throughput and algorithm to reduce the communication across partitions. We strong consistency (i.e., linearizability) without constraining describe Eyrie, a library in Java that implements S-SMR, and service commands or adding additional complexity to their Volery, an application that implements Zookeeper’s API. We implementation. S-SMR partitions the service state and assess the performance of Volery and compare the results relies on an atomic multicast primitive to consistently order against Zookeeper. Our experiments show that Volery scales throughput with the number of partitions. commands within and across partitions. We show in the paper that simply ordering commands consistently across partitions is not enough to ensure strong consistency in I. INTRODUCTION partitioned state machine replication. S-SMR implements Many current online services have stringent availability execution atomicity, a property that prevents command in- and performance requirements. High availability entails tol- terleaves that violate strong consistency. To assess the per- erating component failures and is typically accomplished formance of S-SMR, we developed Eyrie, a Java library that with replication. For many online services, “high perfor- allows developers to implement partitioned-state services mance” essentially means the ability to serve an arbitrarily transparently, abstracting partitioning details, and Volery, a large load, something that can be achieved if the service can service that implements Zookeeper’s API [5]. All commu- scale throughput with the number of replicas. State machine nication between partitions is handled internally by Eyrie, replication (SMR) [1], [2] is a well-known technique to including remote object transfers. In the experiments we provide fault tolerance without sacrificing strong consistency conducted with Volery, throughput scaled with the number (i.e., linearizability). SMR regulates how client commands of partitions, in some cases linearly. In some deployments, are propagated to and executed by the replicas: every Volery reached over 250 thousand commands per second, non-faulty replica must receive and execute every command largely outperforming Zookeeper, which served 45 thousand in the same order. Moreover, command execution must be commands per second under the same workload. deterministic. SMR provides configurable availability, by The paper makes the following contributions: (1) It intro- setting the number of replicas, but limited scalability: every duces S-SMR and discusses several performance optimiza- replica added to the system must execute all requests; hence, tions, including caching techniques. (2) It details Eyrie, a throughput does not increase as replicas join the system. library to simplify the design of services based on S-SMR. Distributed systems usually rely on state partitioning to (3) It describes Volery to demonstrate how Eyrie can be scale (e.g., [3], [4]). If requests can be served simultaneously used to implement a service that provides Zookeeper’s API. by multiple partitions, then augmenting the number of (4) It presents a detailed experimental evaluation of Volery partitions results in an overall increase in system throughput. and compares its performance to Zookeeper. However, exploiting state partitioning in SMR is challeng- The remainder of this paper is organized as follows. ing: First, ensuring linearizability efficiently when state is Section II describes our system model. Section III presents partitioned is tricky. To see why, note that the system must be state-machine replication and the motivation for this work. able to order multiple streams of commands simultaneously Section IV introduces S-SMR; we explain the technique in (e.g., one stream per partition) since totally ordering all detail and argue about its correctness. Section V details the commands cannot scale. But with independent streams of implementation of Eyrie and Volery. Section VI reports on ordered commands, how to handle commands that address the performance of the Volery service. Section VII surveys multiple partitions? Second, SMR hides from the service related work and Section VIII concludes the paper. II. MODEL AND DEFINITIONS example, a sequence of operations for a read-write variable v We consider a distributed system consisting of an un- is legal if every read command returns the value of the most recent write command that precedes the read, if there is one, bounded set of client processes C = fc1; c2; :::g and a or the initial value otherwise. An execution E is linearizable bounded set of server processes S = fs1; :::; sng. Set S if there is some permutation of the commands executed in is divided into P disjoint groups of servers, S1; :::; SP . Processes are either correct, if they never fail, or faulty, E that respects (i) the service’s sequential specification and otherwise. In either case, processes do not experience arbi- (ii) the real-time precedence of commands. Command C1 trary behavior (i.e., no Byzantine failures). Processes com- precedes command C2 if the response of C1 occurs before municate by message passing, using either one-to-one or the invocation of C2. one-to-many communication, as defined next. The system is In classical state-machine replication, throughput does not asynchronous: there is no bound on message delay or on scale with the number of replicas: each command must relative process speed. be ordered among replicas and executed and replied by One-to-one communication uses primitives send(p; m) every (non-faulty) replica. Some simple optimizations to and receive(m), where m is a message and p is the process the traditional scheme can provide improved performance m is addressed to. If sender and receiver are correct, then but not scalability. For example, although update commands every message sent is eventually received. One-to-many must be ordered and executed by every replica, only one communication relies on atomic multicast, defined by the replica can respond to the client, saving resources at the primitives multicast(γ; m) and deliver(m), where γ is a other replicas. Commands that only read the state must be set of server groups. Let relation ≺ be defined such that ordered with respect to other commands, but can be executed m ≺ m0 iff there is a server that delivers m before m0. by a single replica, the replica that will respond to the client. Atomic multicast ensures that (i) if a server delivers m, then This is a fundamental limitation: while some optimiza- all correct servers in γ deliver m (agreement); (ii) if a correct tions may increase throughput by adding servers, the im- process multicasts m to groups in γ, then all correct servers provements are limited since fundamentally, the technique in every group in γ deliver m (validity); and (iii) relation does not scale. In the next section, we describe an extension ≺ is acyclic (order).1 The order property implies that if s to SMR that under certain workloads allows performance to and r deliver messages m and m0, then they deliver them in grow proportionally to the number of replicas. the same order. Atomic broadcast is a special case of atomic multicast in which there is a single group with all servers. IV. SCALABLE STATE-MACHINE REPLICATION In this section, we introduce S-SMR, discuss performance III. BACKGROUND AND MOTIVATION optimizations, and argue about S-SMR’s correctness. State-machine replication is a fundamental approach to implementing a fault-tolerant service by replicating servers A. General idea and coordinating the execution of client commands against S-SMR divides the application state V (i.e., state vari- server replicas [1], [2]. The service is defined by a state ables) into P partitions P ; :::; P , where for each P , machine, which consists of a set of state variables V = 1 P i P ⊆ V. Moreover, we require each variable v in V to fv ; :::; v g and a set of commands that may read and i 1 m be assigned to at least one partition and define part(v) as modify state variables, and produce a response for the the partitions that hold v. Each partition P is replicated command. Each command is implemented by a deterministic i by servers in group S . For brevity, we say that server s program. State-machine replication can be implemented with i belongs to P with the meaning that s 2 S , and say that atomic broadcast: commands are atomically broadcast to all i i client c multicasts command C to partition P meaning that servers, and all correct servers deliver and execute the same i c multicasts C to group S . sequence of commands. i To execute command C, the client multicasts C to all We are interested in implementations of state-machine partitions that hold a variable read or updated by C.
Recommended publications
  • Quantum Dxi4500 User's Guide
    User’s Guide User’s Guide User’s Guide User’s Guide QuantumQuantum DXDXii45004500 DX i -Series 6-66904-01 Rev C DXi4500 User’s Guide, 6-66904-01 Rev C, August 2010, Product of USA. Quantum Corporation provides this publication “as is” without warranty of any kind, either express or implied, including but not limited to the implied warranties of merchantability or fitness for a particular purpose. Quantum Corporation may revise this publication from time to time without notice. COPYRIGHT STATEMENT © 2010 Quantum Corporation. All rights reserved. Your right to copy this manual is limited by copyright law. Making copies or adaptations without prior written authorization of Quantum Corporation is prohibited by law and constitutes a punishable violation of the law. TRADEMARK STATEMENT Quantum, the Quantum logo, DLT, DLTtape, the DLTtape logo, Scalar, and StorNext are registered trademarks of Quantum Corporation, registered in the U.S. and other countries. Backup. Recovery. Archive. It’s What We Do., the DLT logo, DLTSage, DXi, DXi-Series, Dynamic Powerdown, FastSense, FlexLink, GoVault, MediaShield, Optyon, Pocket-sized. Well-armored, SDLT, SiteCare, SmartVerify, StorageCare, Super DLTtape, SuperLoader, and Vision are trademarks of Quantum. LTO and Ultrium are trademarks of HP, IBM, and Quantum in the U.S. and other countries. All other trademarks are the property of their respective companies. Specifications are subject to change without notice. ii Quantum DXi4500 User’s Guide Contents Preface xv Chapter 1 DXi4500 System Description 1 Overview . 1 Features and Benefits . 3 Data Reduction . 3 Data Deduplication . 3 Compression. 4 Space Reclamation . 4 Remote Replication . 5 DXi4500 System .
    [Show full text]
  • Replication Using Group Communication Over a Partitioned Network
    Replication Using Group Communication Over a Partitioned Network Thesis submitted for the degree “Doctor of Philosophy” Yair Amir Submitted to the Senate of the Hebrew University of Jerusalem (1995). This work was carried out under the supervision of Professor Danny Dolev ii Acknowledgments I am deeply grateful to Danny Dolev, my advisor and mentor. I thank Danny for believing in my research, for spending so many hours on it, and for giving it the theoretical touch. His warm support and patient guidance helped me through. I hope I managed to adopt some of his professional attitude and integrity. I thank Daila Malki for her help during the early stages of the Transis project. Thanks to Idit Keidar for helping me sharpen some of the issues of the replication server. I enjoyed my collaboration with Ofir Amir on developing the coloring model of the replication server. Many thanks to Roman Vitenberg for his valuable insights regarding the extended virtual synchrony model and the replication algorithm. I benefited a lot from many discussions with Ahmad Khalaila regarding distributed systems and other issues. My thanks go to David Breitgand, Gregory Chokler, Yair Gofen, Nabil Huleihel and Rimon Orni, for their contribution to the Transis project and to my research. I am grateful to Michael Melliar-Smith and Louise Moser from the Department of Electrical and Computer Engineering, University of California, Santa Barbara. During two summers, several mutual visits and extensive electronic correspondence, Louise and Michael were involved in almost every aspect of my research, and unofficially served as my co-advisors. The work with Deb Agarwal and Paul Ciarfella on the Totem protocol contributed a lot to my understanding of high-speed group communication.
    [Show full text]
  • Replication Vs. Caching Strategies for Distributed Metadata Management in Cloud Storage Systems
    ShardFS vs. IndexFS: Replication vs. Caching Strategies for Distributed Metadata Management in Cloud Storage Systems Lin Xiao, Kai Ren, Qing Zheng, Garth A. Gibson Carnegie Mellon University {lxiao, kair, zhengq, garth}@cs.cmu.edu Abstract 1. Introduction The rapid growth of cloud storage systems calls for fast and Modern distributed storage systems commonly use an archi- scalable namespace processing. While few commercial file tecture that decouples metadata access from file read and systems offer anything better than federating individually write operations [21, 25, 46]. In such a file system, clients non-scalable namespace servers, a recent academic file sys- acquire permission and file location information from meta- tem, IndexFS, demonstrates scalable namespace processing data servers before accessing file contents, so slower meta- based on client caching of directory entries and permissions data service can degrade performance for the data path. Pop- (directory lookup state) with no per-client state in servers. In ular new distributed file systems such as HDFS [25] and the this paper we explore explicit replication of directory lookup first generation of the Google file system [21] have used cen- state in all servers as an alternative to caching this infor- tralized single-node metadata services and focused on scal- mation in all clients. Both eliminate most repeated RPCs to ing only the data path. However, the single-node metadata different servers in order to resolve hierarchical permission server design limits the scalability of the file system in terms tests. Our realization for server replicated directory lookup of the number of objects stored and concurrent accesses to state, ShardFS, employs a novel file system specific hybrid the file system [40].
    [Show full text]
  • Replication As a Prelude to Erasure Coding in Data-Intensive Scalable Computing
    DiskReduce: Replication as a Prelude to Erasure Coding in Data-Intensive Scalable Computing Bin Fan Wittawat Tantisiriroj Lin Xiao Garth Gibson fbinfan , wtantisi , lxiao , garth.gibsong @ cs.cmu.edu CMU-PDL-11-112 October 2011 Parallel Data Laboratory Carnegie Mellon University Pittsburgh, PA 15213-3890 Acknowledgements: We would like to thank several people who made significant contributions. Robert Chansler, Raj Merchia and Hong Tang from Yahoo! provide various help. Dhruba Borthakur from Facebook provides statistics and feedback. Bin Fu and Brendan Meeder gave us their scientific applications and data-sets for experimental evaluation. The work in this paper is based on research supported in part by the Betty and Gordon Moore Foundation, by the Department of Energy, under award number DE-FC02-06ER25767, by the Los Alamos National Laboratory, by the Qatar National Research Fund, under award number NPRP 09-1116-1-172, under contract number 54515- 001-07, by the National Science Foundation under awards CCF-1019104, CCF-0964474, OCI-0852543, CNS-0546551 and SCI-0430781, and by Google and Yahoo! research awards. We also thank the members and companies of the PDL Consortium (including APC, EMC, Facebook, Google, Hewlett-Packard, Hitachi, IBM, Intel, Microsoft, NEC, NetApp, Oracle, Panasas, Riverbed, Samsung, Seagate, STEC, Symantec, and VMware) for their interest, insights, feedback, and support. Keywords: Distributed File System, RAID, Cloud Computing, DISC Abstract The first generation of Data-Intensive Scalable Computing file systems such as Google File System and Hadoop Distributed File System employed n (n ≥ 3) replications for high data reliability, therefore delivering users only about 1=n of the total storage capacity of the raw disks.
    [Show full text]
  • Middleware-Based Database Replication: the Gaps Between Theory and Practice
    Appears in Proceedings of the ACM SIGMOD Conference, Vancouver, Canada (June 2008) Middleware-based Database Replication: The Gaps Between Theory and Practice Emmanuel Cecchet George Candea Anastasia Ailamaki EPFL EPFL & Aster Data Systems EPFL & Carnegie Mellon University Lausanne, Switzerland Lausanne, Switzerland Lausanne, Switzerland [email protected] [email protected] [email protected] ABSTRACT There exist replication “solutions” for every major DBMS, from Oracle RAC™, Streams™ and DataGuard™ to Slony-I for The need for high availability and performance in data Postgres, MySQL replication and cluster, and everything in- management systems has been fueling a long running interest in between. The naïve observer may conclude that such variety of database replication from both academia and industry. However, replication systems indicates a solved problem; the reality, academic groups often attack replication problems in isolation, however, is the exact opposite. Replication still falls short of overlooking the need for completeness in their solutions, while customer expectations, which explains the continued interest in developing new approaches, resulting in a dazzling variety of commercial teams take a holistic approach that often misses offerings. opportunities for fundamental innovation. This has created over time a gap between academic research and industrial practice. Even the “simple” cases are challenging at large scale. We deployed a replication system for a large travel ticket brokering This paper aims to characterize the gap along three axes: system at a Fortune-500 company faced with a workload where performance, availability, and administration. We build on our 95% of transactions were read-only. Still, the 5% write workload own experience developing and deploying replication systems in resulted in thousands of update requests per second, which commercial and academic settings, as well as on a large body of implied that a system using 2-phase-commit, or any other form of prior related work.
    [Show full text]
  • Manufacturing Equipment Technologies for Hard Disk's
    Manufacturing Equipment Technologies for Hard Disk’s Challenge of Physical Limits 222 Manufacturing Equipment Technologies for Hard Disk’s Challenge of Physical Limits Kyoichi Mori OVERVIEW: To meet the world’s growing demands for volume information, Brian Rattray not just with computers but digitalization and video etc. the HDD must Yuichi Matsui, Dr. Eng. continually increase its capacity and meet expectations for reduced power consumption and green IT. Up until now the HDD has undergone many innovative technological developments to achieve higher recording densities. To continue this increase, innovative new technology is again required and is currently being developed at a brisk pace. The key components for areal density improvements, the disk and head, require high levels of performance and reliability from production and inspection equipment for efficient manufacturing and stable quality assurance. To meet this demand, high frequency electronics, servo positioning and optical inspection technology is being developed and equipment provided. Hitachi High-Technologies Corporation is doing its part to meet market needs for increased production and the adoption of next-generation technology by developing the technology and providing disk and head manufacturing/inspection equipment (see Fig. 1). INTRODUCTION higher efficiency storage, namely higher density HDDS (hard disk drives) have long relied on the HDDs will play a major role. computer market for growth but in recent years To increase density, the performance and quality of there has been a shift towards cloud computing and the HDD’s key components, disks (media) and heads consumer electronics etc. along with a rapid expansion have most effect. Therefore further technological of data storage applications (see Fig.
    [Show full text]
  • A Crash Course in Wide Area Data Replication
    A Crash Course In Wide Area Data Replication Jacob Farmer, CTO, Cambridge Computer SNIA Legal Notice The material contained in this tutorial is copyrighted by the SNIA. Member companies and individuals may use this material in presentations and literature under the following conditions: Any slide or slides used must be reproduced without modification The SNIA must be acknowledged as source of any material used in the body of any document containing material from these presentations. This presentation is a project of the SNIA Education Committee. A Crash Course in Wide Area Data Replication 2 © 2008 Storage Networking Industry Association. All Rights Reserved. Abstract A Crash Course in Wide Area Data Replication Replicating data over a WAN sounds pretty straight-forward, but it turns out that there are literally dozens of different approaches, each with it's own pros and cons. Which approach is the best? Well, that depends on a wide variety of factors! This class is a fast-paced crash course in the various ways in which data can be replicated with some commentary on each major approach. We trace the data path from applications to disk drives and examine all of the points along the way wherein replication logic can be inserted. We look at host based replication (application, database, file system, volume level, and hybrids), SAN replication (disk arrays, virtualization appliances, caching appliances, and storage switches), and backup system replication (block level incremental backup, CDP, and de-duplication). This class is not only the fastest way to understand replication technology it also serves as a foundation for understanding the latest storage virtualization techniques.
    [Show full text]
  • Replication Under Scalable Hashing: a Family of Algorithms for Scalable Decentralized Data Distribution
    Replication Under Scalable Hashing: A Family of Algorithms for Scalable Decentralized Data Distribution R. J. Honicky Ethan L. Miller [email protected] [email protected] Storage Systems Research Center Jack Baskin School of Engineering University of California, Santa Cruz Abstract block management is handled by the disk as opposed to a dedicated server. Because block management on individ- Typical algorithms for decentralized data distribution ual disks requires no inter-disk communication, this redis- work best in a system that is fully built before it first used; tribution of work comes at little cost in performance or ef- adding or removing components results in either exten- ficiency, and has a huge benefit in scalability, since block sive reorganization of data or load imbalance in the sys- layout is completely parallelized. tem. We have developed a family of decentralized algo- There are differing opinions about what object-based rithms, RUSH (Replication Under Scalable Hashing), that storage is or should be, and how much intelligence belongs maps replicated objects to a scalable collection of storage in the disk. In order for a device to be an OSD, however, servers or disks. RUSH algorithms distribute objects to each disk or disk subsystem must have its own filesystem; servers according to user-specified server weighting. While an OSD manages its own allocation of blocks and disk lay- all RUSH variants support addition of servers to the sys- out. To store data on an OSD, a client providesthe data and tem, different variants have different characteristics with a key for the data. To retrieve the data, a client provides a respect to lookup time in petabyte-scale systems, perfor- key.
    [Show full text]
  • Score: a Scalable One-Copy Serializable Partial Replication Protocol⋆
    SCORe: a Scalable One-Copy Serializable Partial Replication Protocol⋆ Sebastiano Peluso12, Paolo Romano2, and Francesco Quaglia1 1 Sapienza University, Rome, Italy {peluso,quaglia}@dis.uniroma1.it 2 IST/INESC-ID, Lisbon, Portugal {peluso,romanop}@gsd.inesc-id.pt Abstract. In this article we present SCORe, a scalable one-copy serial- izable partial replication protocol. Differently from any other literature proposal, SCORe jointly guarantees the following properties: (i) it is gen- uine, thus ensuring that only the replicas that maintain data accessed by a transaction are involved in its processing, and (ii) it guarantees that read operations always access consistent snapshots, thanks to a one-copy serializable multiversion scheme, which never aborts read-only transactions and spares them from any (distributed) validation phase. This makes SCORe particularly efficient in presence of read-intensive workloads, as typical of a wide range of real-world applications. We have integrated SCORe into a popular open source distributed data grid and performed a large scale experimental study with well-known benchmarks using both private and public cloud infrastructures. The experimental results demonstrate that SCORe provides stronger consistency guaran- tees (namely One-Copy Serializability) than existing multiversion partial replication protocols at no additional overhead. Keywords: Distributed Transactional Systems, Partial Replication, Scal- ability, Multiversioning. 1 Introduction In-memory, transactional data platforms, often referred to as NoSQL data grids, such as Cassandra, BigTable, or Infinispan, have become the reference data man- agement technology for grid and cloud computing systems. For these platforms, data replication represents the key mechanism to ensure both adequate perfor- mance and fault-tolerance, since it allows (a) distributing the load across the different nodes within the platform, and (b) ensuring data survival in the event of node failures.
    [Show full text]
  • Overview of Data Replication Strategies in Various Mobile Environment
    IOSR Journal of Computer Engineering (IOSR-JCE) e-ISSN: 2278-0661,p-ISSN: 2278-8727 PP 01-06 www.iosrjournals.org Overview of Data Replication Strategies in Various Mobile Environment Mr. Dhiraj Rane1, Dr. M. P. Dhore2 1([email protected], Dept. of CS, GHRIIT, Nagpur, India) 2([email protected], Dept. of Elect. & CS., RTM Nagpur University, Nagpur, India) Abstract: With the tremendous growth of the portable computing devices and wireless communication, the mobile computing has become extremely popular. The wireless enabled portable computing devices with massive storage capacity and high-end processing capabilities have started to make the extensive use of mobile databases already. The rising popularity in these computing paradigms demands that the mobile computing be reliable enough to ensure the continuous data availability and integrity. However mobility comes at the cost of bandwidth, limited power, security and interference. In modern mobile computing systems data replication has been adopted as an efficient means to ensure the data availability and integrity as well as an effective means to achieve the fault tolerance. Data replication not only ensure the availability of the data but also reduce the communication cost, increase data sharing and increase the safety of the critical data. Furthermore, it also determine when and where (location) to place the replica of data, controlling the number of data replicas over a network for efficient utilization of the network resources. In this study we survey the research work in data replication for mobile computing. We reviewed some of the existing data replication techniques proposed by the research community for mobile computing environment for efficient management of data replicas Keywords - About five key words in alphabetical order, separated by comma I.
    [Show full text]
  • Storage Replication Compudyne Cloud Services
    compudyne.com Storage Replication Compudyne Cloud Services Compudyne’s Nimble Replication service provides data Innovative Efficiency Features disaster recovery as a cold storage solution for clients using This service incorporates unique efficiency features such as Nimble Storage for their environment. Compudyne leverages inline variable-block compression, cloning, and integrated Nimble’s volume collection replication technology to enhance snapshots – all ensuring your data is stored using far less space. your overall data recovery plan, copying your critical data to Compudyne’s Nimble array in our hardened data center. Nimble Replication Business Benefits: • Customization Flash-Optimized Hybrid Storage System Offering the latest in storage media technology, Nimble Replication’s flash-optimized hybrid storage system Compudyne’s Nimble Replication service comes with is engineered to achieve maximum efficiency within your a multitude of different features that can be used to organization, through the integration of high performance consolidate and manage critical application data. flash, with the affordability of a high capacity hard disk drive. • High Performance Access data 10x faster than a user on the industry standard Stores and Protects Critical Applications and enjoy the fastest service in the country. Our Nimble Replication service will safeguard your applications, including: Microsoft Exchange, Microsoft SQL Server, server • Scalability virtualization, databases, and virtual desktops (VDIS). Avoid straining your storage environment by accommodating growth through the scaling of capacity, Cache Accelerated Sequential Layout performance, or both – efficiently and non-disruptively. (CASL) Architecture Cloud Data Center Compudyne’s Nimble Replication is built around its patented CASL architecture. Instead of the traditional approach of Nimble Replication Nimble Replication using flash as a tier, CASL leverages the lightning-fast random read performance of flash and the cost-effective capacity of hard disk drives.
    [Show full text]
  • Interoperability Matrix for All Zerto Software Versions
    Interoperability Matrix for All Zerto Software Versions Rev06 Sept 2021 ZVR-OPM-9.0U1-ALL © 2021 Zerto All rights reserved. Information in this document is confidential and subject to change without notice and does not represent a commitment on the part of Zerto Ltd. Zerto Ltd. does not assume responsibility for any printing errors that may appear in this document. No part of this document may be reproduced or transmitted in any form or by any means, electronic or mechanical, including photocopying, recording, or information storage and retrieval systems, for any purpose other than the purchaser's personal use, without the prior written permission of Zerto Ltd. All other marks and names mentioned herein may be trademarks of their respective companies. The scripts are provided by example only and are not supported under any Zerto support program or service. All examples and scripts are provided "as-is" without warranty of any kind. The author and Zerto further disclaim all implied warranties including, without limitation, any implied warranties of merchantability or of fitness for a particular purpose. In no event shall Zerto, its authors, or anyone else involved in the creation, production, or delivery of the scripts be liable for any damages whatsoever (including, without limitation, damages for loss of business profits, business interruption, loss of business information, or other pecuniary loss) arising out of the use of or inability to use the sample scripts or documentation, even if the author or Zerto has been advised of the possibility of such damages. The entire risk arising out of the use or performance of the sample scripts and documentation remains with you.
    [Show full text]