Inside LiveJournal's Backend or, holy hell that's a lot of hits!
|
|
|
- Homer Davidson
- 10 years ago
- Views:
Transcription
1 Inside LiveJournal's Backend or, holy hell that's a lot of hits! July 2004 Brad Fitzpatrick [email protected] Danga Interactive danga.com / livejournal.com This work is licensed under the Creative Commons Attribution-NonCommercial-ShareAlike License. To view a copy of this license, visit or send a letter to Creative Commons, 559 Nathan Abbott Way, Stanford, California 94305, USA.
2 The Plan LiveJournal overview Scaling history Perlbal load balancer memcached distributed caching MogileFS distributed filesystem
3 Before we begin... Question Policy Anytime... interrupt! Pace told to go slow too bad too much hold on tight
4 LiveJournal Overview college hobby project, Apr 1999 blogging, forums aggregator, social-networking ('friends') 3.9 million accounts; ~half active 50M+ dynamic page views/day. 1k+/s at peak hours why it's interesting to you servers, working together lots of MySQL usage lots of failover Open Source implementations of otherwise commercial solutions
5 LiveJournal Backend (as of a few months ago)
6 Backend Evolution From 1 server to where it hurts how to fix Learn from this! don't repeat my mistakes can implement much of our design on a single server
7 One Server shared server (killed it) dedicated server (killed it) still hurting, but could tune it learned Unix pretty quickly CGI to FastCGI Simple
8 One Server - Problems Site gets slow eventually. reach point where tuning doesn't help single point of failure Need servers start paid accounts
9 Two Servers Paid account revenue buys: Kenny: 6U Dell web server Cartman: 6U Dell database server bigger / extra disks Network simple 2 NICs each Cartman runs MySQL on internal network
10 Two Servers - Problems Two points of failure No hot or cold spares Site gets slow again. CPU-bound on web node need more web nodes...
11 Four Servers Buy two more web nodes (1U this time) Kyle, Stan Overview: 3 webs, 1 db Now we need to load-balance! Kept Kenny as gateway to outside world mod_backhand amongst 'em all
12 mod_backhand web nodes broadcasting their state free/busy apache children system load... internally proxying requests around network cheap
13 Four Servers - Problems Points of failure: database kenny (but could switch to another gateway easily when needed, or used heartbeat, but we didn't) Site gets slow... IO-bound need another database server how to use another database?
14 Five Servers introducing MySQL replication We buy a new database server MySQL replication Writes to Cartman (master) Reads from both
15 Replication Implementation get_db_handle() : $dbh existing get_db_reader() : $dbr transition to this weighted selection permissions: slaves select-only mysql option for this now be prepared for replication lag easy to detect in MySQL 4.x user actions from $dbh, not $dbr
16 More Servers Site's fast for a while, Then slow More web servers, More database slaves,... IO vs CPU fight BIG-IP load balancers cheap from usenet LVS would work too nowadays: wackamole Chaos!
17 Where we're at...
18 Problems with Architecture or, This don't scale... Slaves upon slaves doesn't scale well... only spreads reads w/ 1 server w/ 2 servers 500 reads/s 250 reads/s 250 reads/s 200 writes/s 200 write/s 200 write/s
19 Eventually... databases eventual consumed by writing 3 reads/s 3 r/s 3 reads/s 3 r/s 3 reads/s 3 r/s 3 reads/s 3 r/s 3 reads/s 3 r/s 3 reads/s 3 r/s 3 reads/s 3 r/s write/s write/s 400 write/s 400 write/s write/s write/s 400 write/s 400 write/s write/s write/s 400 write/s 400 write/s write/s write/s
20 Not to mention, Database master is point of failure Reparenting slaves on master failure tricky at best (without downtime)
21 Spreading Writes Our database machines already did RAID We did backups So why put user data on 6+ slave machines? (~12+ disks) overkill redundancy wasting time writing everywhere
22 Introducing User Clusters Already had get_db_handle() vs get_db_reader() Specialized handles: Partition dataset can't join. don't care. never join user data w/ other user data Each user assigned to a cluster number Each cluster has multiple machines writes self-contained in cluster (writing to 2-3 machines, not 6)
23 User Cluster Implementation $u = LJ::load_user( brad ) hits global cluster $u object contains its clusterid $dbcm = LJ::get_cluster_master($u) writes definitive reads $dbcr = LJ::get_cluster_reader($u) reads
24 User Clusters SELECT userid, clusterid FROM user WHERE user='bob' SELECT... FROM... WHERE userid= userid: 839 clusterid: 2 almost resembles today's architecture OMG i like totally hate my parents they just dont understand me and i h8 the world omg lol rofl *! :^- ^^; add me as a friend!!!
25 User Cluster Implementation per-user numberspaces can't use AUTO_INCREMENT avoid it also on final column in multi-col index: (MyISAM-only feature) CREATE TABLE foo (uid INT, postid INT AUTO_INCREMENT, PRIMARY KEY (userid, postid)) moving users around clusters balancing disk IO balance disk space monitor everything cricket nagios...whatever works
26 DBI::Role DB Load Balancing Our library on top of DBI GPL; not packaged anywhere but our cvs Returns handles given a role name master (writes), slave (reads) directory (innodb),... cluster<n>{,slave,a,b} Can cache connections within a request or forever Verifies connections from previous request Realtime balancing of DB nodes within a role web / CLI interfaces (not part of library) dynamic reweighting when node down
27 Where we're at...
28 Points of Failure 1 x Global master lame n x User cluster masters n x lame. Slave reliance one dies, others reading too much Solution?
29 Master-Master Clusters! two identical machines per cluster both good machines do all reads/writes to one at a time, both replicate from each other intentionally only use half our DB hardware at a time to be prepared for crashes easy maintenance by flipping active node backup from inactive node 7A 7B
30 Master-Master Prereqs failover can't break replication, be it: automatic be prepared for flapping by hand probably have other problems if swapping, don't need more breakage fun/tricky part is number allocation same number allocated on both pairs avoid AUTO_INCREMENT cross-replicate, explode. do your own sequence generation w/ locking, 3 rd party arbitrator, odd/even, etc...
31 Cold Co-Master inactive pair isn't getting reads after switching active machine, caches full, but not useful (few min to hours) switch at night, or sniff reads on active pair, replay to inactive guy Clients Cold cache, sad. 7A 7B Hot cache, happy.
32 Summary Thus Far Dual BIG-IPs (or LVS+heartbeat, or..) ~40 web servers 1 global cluster : non-user/multi-user data what user is where? master-slave (lame) point of failure; only cold spares pretty small dataset (<4 GB) future: MySQL Cluster! in memory, shared-nothing, % uptime bunch of user clusters : master-slave (old ones) master-master (new ones)...
33 Static files... Directory
34 Dynamic vs. Static Content static content images, CSS TUX, epoll-thttpd, etc. w/ thousands conns boring, easy dynamic content session-aware site theme browsing language security on items deal with heavy (memory hog) processes exciting, harder
35 Misc MySQL Machines Directory
36 MyISAM vs. InnoDB We use both MyISAM fast for reading xor writing, bad concurrency, compact, no foreign keys, constraints, etc easy to admin InnoDB ACID good concurrency long slow queries while updates continue directory server Mix-and-match.
37 Postfix & MySQL 4 postfix servers load balance incoming connections w/ BIG-IP each runs tiny MySQL install replicates one table ( _aliases) Incoming mail uses mysql map type To: [email protected] SELECT FROM _aliases WHERE alias='[email protected]' Don't have rebuild huge DBM files every few minutes
38 Logging to MySQL mod_perl logging handler new table per hour MyISAM Apache access logging off diskless web nodes, PXE boot apache error logs through syslog-ng INSERT DELAYED increase your insert buffer if querying minimal/no indexes table scans are fine background job doing log analysis/rotation
39 Load Balancing!
40 Load Balancing Problem Overview slow clients (hogging mod_perl/php) even DSL/Cable is slow need to spoon-feed clients who will buffer? heterogeneous hardware and response latencies load balancing algorithms unlucky, clogged nodes dealing with backend failures The Listen Backlog Problem is proxy/client talking to kernel or apache? live config changes
41 Two proxy / load balancing layers 1: IP-level proxy little or no buffering 1 or 2 machines hot spare, stateful failover finite memory Gbps+ switching 2: HTTP-level proxy more machines buffer here
42 Proxy layer 1: IP-level Options: Commercial: BIG-IP, Alteon, Foundry, etc, etc... Open Source: Linux Virtual Server, Wackamole* load balance methods: round robin, weighted round robin least connections some have L7 capabilities useful, but still need another proxy layer...
43 Proxy layer 2: HTTP-level Options: mod_proxy typical setup with mod_perl to one host by default mod_rewrite + external map program (prg:) with mod_proxy dest ([P]) broadcast Apache free/idle status from Apache scoreboard flakey proxy connect error to clients pound mod_backhand Squid plb (pure load balancer) Frustrated, needy, we wrote our own...
44 Perlbal Perl uses Linux 2.6's epoll single threaded, event-based console / HTTP remote management live config changes handles dead nodes static webserver mode sendfile(), async stat() / open() plug-ins GIF/PNG altering...
45 Perlbal: Persistent Connections persistent connections perlbal to backends (mod_perls) know exactly when a connection is ready for a new request keeps backends busy connection known good tied to mod_perl, not kernel verifies new connections one new pending connect per backend verifies backend connection OPTIONS request w/ keep-alive response quick for apache multiple queues free vs. paid user queues
46 Perlbal: cooperative large file serving large file serving w/ mod_perl bad... buffering internal redirects to URLs (plural) or file path (hence Perlbal's web server mode) client sees no HTTP redirect The path: Perlbal advertises X-Proxy-Capability: reproxy to backend backend (mod_perl) does path trans & auth, sees proxy capability, sends URL/path back in header, not response let mod_perl do hard stuff, not push bytes around
47 Internal redirect picture
48 MogileFS: distributed filesystem looked into Lustre, GFS, scared of indevelopment status MogileFS main ideas: files belong to classes classes: minimum replica counts (thumbnails == 1) track what devices (disks) files are on states: up, temp_down, dead keep replicas on devices on different hosts Screw RAID! (for this, for databases it's good.) multiple tracker databases all share same MySQL cluster database big, cheap disks (12 x 250GB SATA in 3U) dumb storage nodes
49 MogileFS components clients small, simple Perl library FUSE filesystem driver (unfinished) trackers interface between client protocol and MySQL Cluster MySQL Cluster in memory, multiple machines Storage nodes NFS or HTTP transport [Linux] NFS incredibly problematic HTTP transport is Perlbal with PUT & DELETE enabled
50 Large file GET request
51 Caching!
52 Caching caching's key to performance can't hit the DB all the time MyISAM: major r/w concurrency problems InnoDB: good concurrency not as fast as memory MySQL has to parse your queries all the time better with new MySQL 4.1 binary protocol Where to cache? mod_perl caching (address space per apache child) shared memory (limited to single machine, same with Java/C#/Mono) MySQL query cache: flushed per update, small max size HEAP tables: fixed length rows, small max size
53 memcached our Open Source, distributed caching system run instances wherever there's free memory no master node clients distribute requests In use by: LiveJournal, Slashdot, Wikipedia, Meetup, mail systems, etc... protocol simple and XML-free; clients for: perl, java, php(x3), python, ruby, C(?)...
54 How memcached works requests hashed out amongst instance buckets CRC32( key ) = % num_buckets = 6 bucket server : send: key = value 3 hosts, 7 buckets; 512 MB = 1 bucket (arbitrary) MB; buckets 0-1 weather = dismal tu:29323 = MB; buckets MB; bucket 6 key = value
55 memcached speed C prototype Perl version proved concept, too slow async IO, event-driven, single-threaded libevent (epoll, kqueue, select, poll...) run-time mode selection lockless, refcounted objects slab allocator glibc malloc died after 7~8 days variable sized allocations, long life = difficult slabs: no address space fragmentation ever. O(1) operations hash table, LRU cache multi-server parallel fetch (can't do in DBI)
56 LiveJournal and memcached 10 unique hosts none dedicated 28 instances (512 MB = 1 bucket) 30 GB of cached data 90-93% hit rate not necessarily 90-93% less queries: FROM foo WHERE id IN (1, 2, 3) would be 3 memcache hits; 1 mysql query 90-93% potential disk seeks? 12 GB machine w/ five 2GB instances left-over 'big' machines from our learn-to-scaleout days
57 What to Cache Everything? Start with stuff that's hot Look at your logs query log update log slow log Control MySQL logging at runtime can't (been bugging them) sniff the queries! Net::Pcap count add identifiers: SELECT /* name=foo */
58 Caching Disadvantages more code using populating invalidating easy, if your API is clean conceptually lame database should do it kinda. database doesn't know object lifetimes putting memcached between app and DB doesn't work more stuff to admin but memcached is easy one real option: memory to use
59 MySQL Persistent Connection Woes connections == threads == memory max threads limit max memory with 10 user clusters: Bob is on cluster 5 Alice on cluser 6 Do you need Bob's DB handles alive while you process Alice's request? Major wins by disabling persistent conns still use persistent memcached conns db hits are rare mysql conns quick (opposed to, say, Oracle)
60 Software Overview BIG-IPs Debian Linux 2.4 Linux 2.6 (epoll) mod_perl MySQL Perlbal MogileFS
61 Questions? mog1 mog2 mog.. x10
62 Thank you! Questions to... Slides linked off:
Perlbal: Reverse Proxy & Webserver
Perlbal: Reverse Proxy & Webserver Brad Fitzpatrick [email protected] Danga Interactive Open Source company Services Tools LiveJournal.com PicPix.com (soon) / pics.livejournal.com DBI::Role memcached mogilefs
Tushar Joshi Turtle Networks Ltd
MySQL Database for High Availability Web Applications Tushar Joshi Turtle Networks Ltd www.turtle.net Overview What is High Availability? Web/Network Architecture Applications MySQL Replication MySQL Clustering
Building Scalable Web Sites: Tidbits from the sites that made it work. Gabe Rudy
: Tidbits from the sites that made it work Gabe Rudy What Is This About Scalable is hot Web startups tend to die or grow... really big Youtube Founded 02/2005. Acquired by Google 11/2006 03/2006 30 million
Scalability of web applications. CSCI 470: Web Science Keith Vertanen
Scalability of web applications CSCI 470: Web Science Keith Vertanen Scalability questions Overview What's important in order to build scalable web sites? High availability vs. load balancing Approaches
LiveJournal: Behind The Scenes Scaling Storytime
LiveJournal: Behind The Scenes Scaling Storytime June 2007 USENIX Brad Fitzpatrick [email protected] danga.com / livejournal.com / sixapart.com This work is licensed under the Creative Commons Attribution-NonCommercial-ShareAlike
Using MySQL for Big Data Advantage Integrate for Insight Sastry Vedantam [email protected]
Using MySQL for Big Data Advantage Integrate for Insight Sastry Vedantam [email protected] Agenda The rise of Big Data & Hadoop MySQL in the Big Data Lifecycle MySQL Solutions for Big Data Q&A
1. Comments on reviews a. Need to avoid just summarizing web page asks you for:
1. Comments on reviews a. Need to avoid just summarizing web page asks you for: i. A one or two sentence summary of the paper ii. A description of the problem they were trying to solve iii. A summary of
High Availability Solutions for the MariaDB and MySQL Database
High Availability Solutions for the MariaDB and MySQL Database 1 Introduction This paper introduces recommendations and some of the solutions used to create an availability or high availability environment
Large Scale file storage with MogileFS. Stuart Teasdale Lead System Administrator we7 Ltd
Large Scale file storage with MogileFS Stuart Teasdale Lead System Administrator we7 Ltd About We7 A web based streaming music service 6.5 million tracks 192kbps and 320kbps mp3s Sending over a gigabit
Accelerating Rails with
Accelerating Rails with lighty Jan Kneschke [email protected] RailsConf 2006 Chicago, IL, USA Who is that guy? Jan Kneschke Main developer of lighty Works at MySQL AB Lives in Kiel, Germany Had to choose
SCALABILITY AND AVAILABILITY
SCALABILITY AND AVAILABILITY Real Systems must be Scalable fast enough to handle the expected load and grow easily when the load grows Available available enough of the time Scalable Scale-up increase
SCALABLE DATA SERVICES
1 SCALABLE DATA SERVICES 2110414 Large Scale Computing Systems Natawut Nupairoj, Ph.D. Outline 2 Overview MySQL Database Clustering GlusterFS Memcached 3 Overview Problems of Data Services 4 Data retrieval
Lecture 3: Scaling by Load Balancing 1. Comments on reviews i. 2. Topic 1: Scalability a. QUESTION: What are problems? i. These papers look at
Lecture 3: Scaling by Load Balancing 1. Comments on reviews i. 2. Topic 1: Scalability a. QUESTION: What are problems? i. These papers look at distributing load b. QUESTION: What is the context? i. How
Wikimedia architecture. Mark Bergsma <[email protected]> Wikimedia Foundation Inc.
Mark Bergsma Wikimedia Foundation Inc. Overview Intro Global architecture Content Delivery Network (CDN) Application servers Persistent storage Focus on architecture, not so much on
WebGUI Load Balancing
WebGUI Load Balancing WebGUI User Conference October 5, 2005 Presented by: Len Kranendonk [email protected] Course Contents Introduction Example: The Royal Netherlands Football Association Scaling WebGUI
A Comparative Study on Vega-HTTP & Popular Open-source Web-servers
A Comparative Study on Vega-HTTP & Popular Open-source Web-servers Happiest People. Happiest Customers Contents Abstract... 3 Introduction... 3 Performance Comparison... 4 Architecture... 5 Diagram...
Dave Stokes MySQL Community Manager
The Proper Care and Feeding of a MySQL Server for Busy Linux Admins Dave Stokes MySQL Community Manager Email: [email protected] Twiter: @Stoker Slides: slideshare.net/davidmstokes Safe Harbor Agreement
Cloud Based Application Architectures using Smart Computing
Cloud Based Application Architectures using Smart Computing How to Use this Guide Joyent Smart Technology represents a sophisticated evolution in cloud computing infrastructure. Most cloud computing products
Google File System. Web and scalability
Google File System Web and scalability The web: - How big is the Web right now? No one knows. - Number of pages that are crawled: o 100,000 pages in 1994 o 8 million pages in 2005 - Crawlable pages might
Open-Xchange Server High availability 2010-11-06 Daniel Halbe, Holger Achtziger
Open-Xchange Server High availability 2010-11-06 Daniel Halbe, Holger Achtziger Agenda Open-Xchange High availability» Overview» Load Balancing and Web Service» Open-Xchange Server» Filestore» Database»
CS514: Intermediate Course in Computer Systems
: Intermediate Course in Computer Systems Lecture 7: Sept. 19, 2003 Load Balancing Options Sources Lots of graphics and product description courtesy F5 website (www.f5.com) I believe F5 is market leader
MySQL High Availability Solutions. Lenz Grimmer <[email protected]> http://lenzg.net/ 2009-08-22 OpenSQL Camp St. Augustin Germany
MySQL High Availability Solutions Lenz Grimmer < http://lenzg.net/ 2009-08-22 OpenSQL Camp St. Augustin Germany Agenda High Availability: Concepts & Considerations MySQL Replication
Gofer. A scalable stateless proxy for DBI
Gofer A scalable stateless proxy for DBI 1 Gofer, logically Gofer is - A scalable stateless proxy architecture for DBI - Transport independent - Highly configuable on client and server side - Efficient,
MAGENTO HOSTING Progressive Server Performance Improvements
MAGENTO HOSTING Progressive Server Performance Improvements Simple Helix, LLC 4092 Memorial Parkway Ste 202 Huntsville, AL 35802 [email protected] 1.866.963.0424 www.simplehelix.com 2 Table of Contents
MySQL High-Availability and Scale-Out architectures
MySQL High-Availability and Scale-Out architectures Oli Sennhauser Senior Consultant [email protected] 1 Introduction Who we are? What we want? 2 Table of Contents Scale-Up vs. Scale-Out MySQL Replication
Monitoring and Alerting
Monitoring and Alerting All the things I've tried that didn't work, plus a few others. By Aaron S. Joyner Senior System Administrator Google, Inc. Blackbox vs Whitebox Blackbox: Requires no participation
Benchmarking Cassandra on Violin
Technical White Paper Report Technical Report Benchmarking Cassandra on Violin Accelerating Cassandra Performance and Reducing Read Latency With Violin Memory Flash-based Storage Arrays Version 1.0 Abstract
Tier Architectures. Kathleen Durant CS 3200
Tier Architectures Kathleen Durant CS 3200 1 Supporting Architectures for DBMS Over the years there have been many different hardware configurations to support database systems Some are outdated others
Agenda. Tomcat Versions Troubleshooting management Tomcat Connectors HTTP Protocal and Performance Log Tuning JVM Tuning Load balancing Tomcat
Agenda Tomcat Versions Troubleshooting management Tomcat Connectors HTTP Protocal and Performance Log Tuning JVM Tuning Load balancing Tomcat Tomcat Performance Tuning Tomcat Versions Application/System
Partitioning under the hood in MySQL 5.5
Partitioning under the hood in MySQL 5.5 Mattias Jonsson, Partitioning developer Mikael Ronström, Partitioning author Who are we? Mikael is a founder of the technology behind NDB
ZingMe Practice For Building Scalable PHP Website. By Chau Nguyen Nhat Thanh ZingMe Technical Manager Web Technical - VNG
ZingMe Practice For Building Scalable PHP Website By Chau Nguyen Nhat Thanh ZingMe Technical Manager Web Technical - VNG Agenda About ZingMe Scaling PHP application Scalability definition Scaling up vs
MySQL Storage Engines
MySQL Storage Engines Data in MySQL is stored in files (or memory) using a variety of different techniques. Each of these techniques employs different storage mechanisms, indexing facilities, locking levels
bla bla OPEN-XCHANGE Open-Xchange Hardware Needs
bla bla OPEN-XCHANGE Open-Xchange Hardware Needs OPEN-XCHANGE: Open-Xchange Hardware Needs Publication date Wednesday, 8 January version. . Hardware Needs with Open-Xchange.. Overview The purpose of this
RAMCloud and the Low- Latency Datacenter. John Ousterhout Stanford University
RAMCloud and the Low- Latency Datacenter John Ousterhout Stanford University Most important driver for innovation in computer systems: Rise of the datacenter Phase 1: large scale Phase 2: low latency Introduction
Zero Downtime Deployments with Database Migrations. Bob Feldbauer twitter: @bobfeldbauer email: [email protected]
Zero Downtime Deployments with Database Migrations Bob Feldbauer twitter: @bobfeldbauer email: [email protected] Deployments Two parts to deployment: Application code Database schema changes (migrations,
In Memory Accelerator for MongoDB
In Memory Accelerator for MongoDB Yakov Zhdanov, Director R&D GridGain Systems GridGain: In Memory Computing Leader 5 years in production 100s of customers & users Starts every 10 secs worldwide Over 15,000,000
Database Administration with MySQL
Database Administration with MySQL Suitable For: Database administrators and system administrators who need to manage MySQL based services. Prerequisites: Practical knowledge of SQL Some knowledge of relational
MySQL Cluster Deployment Best Practices
MySQL Cluster Deployment Best Practices Johan ANDERSSON Joffrey MICHAÏE MySQL Cluster practice Manager MySQL Consultant The presentation is intended to outline our general product
An overview of Drupal infrastructure and plans for future growth. prepared by Kieran Lal and Gerhard Killesreiter for the Drupal Association
An overview of Drupal infrastructure and plans for future growth prepared by Kieran Lal and Gerhard Killesreiter for the Drupal Association Drupal.org Old Infrastructure Problems: Web servers not efficiently
Monitoring MySQL. Kristian Köhntopp
Monitoring MySQL Kristian Köhntopp I am... Kristian Köhntopp Database architecture at a small travel agency in Amsterdam In previous lives: MySQL, web.de, NetUSE, MMC Kiel, PHP, PHPLIB, various FAQs and
short introduction to linux high availability description of problem and solution possibilities linux tools
High Availability with Linux / Hepix October 2004 Karin Miers 1 High Availability with Linux Using DRBD and Heartbeat short introduction to linux high availability description of problem and solution possibilities
Drupal in the Cloud. Scaling with Drupal and Amazon Web Services. Northern Virginia Drupal Meetup
Drupal in the Cloud Scaling with Drupal and Amazon Web Services Northern Virginia Drupal Meetup 3 Dec 2008 Cast of Characters Eric at The Case Foundation: The Client With typical client challenges Cost:
MySQL and Virtualization Guide
MySQL and Virtualization Guide Abstract This is the MySQL and Virtualization extract from the MySQL Reference Manual. For legal information, see the Legal Notices. For help with using MySQL, please visit
A programming model in Cloud: MapReduce
A programming model in Cloud: MapReduce Programming model and implementation developed by Google for processing large data sets Users specify a map function to generate a set of intermediate key/value
Implementing Internet Storage Service Using OpenAFS. Sungjin Chun([email protected]) Dongguen Choi([email protected]) Arum Yoon(toy7777@embian.
Implementing Internet Storage Service Using OpenAFS Sungjin Chun([email protected]) Dongguen Choi([email protected]) Arum Yoon([email protected]) Overview Introduction Implementation Current Status
Tomcat Tuning. Mark Thomas April 2009
Tomcat Tuning Mark Thomas April 2009 Who am I? Apache Tomcat committer Resolved 1,500+ Tomcat bugs Apache Tomcat PMC member Member of the Apache Software Foundation Member of the ASF security committee
<Insert Picture Here> Oracle NoSQL Database A Distributed Key-Value Store
Oracle NoSQL Database A Distributed Key-Value Store Charles Lamb, Consulting MTS The following is intended to outline our general product direction. It is intended for information
Distributed File Systems
Distributed File Systems Paul Krzyzanowski Rutgers University October 28, 2012 1 Introduction The classic network file systems we examined, NFS, CIFS, AFS, Coda, were designed as client-server applications.
Apache Hadoop. Alexandru Costan
1 Apache Hadoop Alexandru Costan Big Data Landscape No one-size-fits-all solution: SQL, NoSQL, MapReduce, No standard, except Hadoop 2 Outline What is Hadoop? Who uses it? Architecture HDFS MapReduce Open
Managing your Domino Clusters
Managing your Domino Clusters Kathleen McGivney President and chief technologist, Sakura Consulting www.sakuraconsulting.com Paul Mooney Senior Technical Architect, Bluewave Technology www.bluewave.ie
CHAPTER 3 PROBLEM STATEMENT AND RESEARCH METHODOLOGY
51 CHAPTER 3 PROBLEM STATEMENT AND RESEARCH METHODOLOGY Web application operations are a crucial aspect of most organizational operations. Among them business continuity is one of the main concerns. Companies
Large-Scale Web Applications
Large-Scale Web Applications Mendel Rosenblum Web Application Architecture Web Browser Web Server / Application server Storage System HTTP Internet CS142 Lecture Notes - Intro LAN 2 Large-Scale: Scale-Out
Table of Contents. Overview... 1 Introduction... 2 Common Architectures... 3. Technical Challenges with Magento... 6. ChinaNetCloud's Experience...
Table of Contents Overview... 1 Introduction... 2 Common Architectures... 3 Simple System... 3 Highly Available System... 4 Large Scale High-Performance System... 5 Technical Challenges with Magento...
ZEN LOAD BALANCER EE v3.04 DATASHEET The Load Balancing made easy
ZEN LOAD BALANCER EE v3.04 DATASHEET The Load Balancing made easy OVERVIEW The global communication and the continuous growth of services provided through the Internet or local infrastructure require to
Real-time reporting at 10,000 inserts per second. Wesley Biggs CTO 25 October 2011 Percona Live
Real-time reporting at 10,000 inserts per second Wesley Biggs CTO 25 October 2011 Percona Live Agenda 1. Who we are, what we do, and (maybe) why we do it 2. Solution architecture and evolution 3. Top 5
Monitoreo de Bases de Datos
Monitoreo de Bases de Datos Monitoreo de Bases de Datos Las bases de datos son pieza fundamental de una Infraestructura, es de vital importancia su correcto monitoreo de métricas para efectos de lograr
Load Balancing with Perlbal
Load Balancing with Perlbal Katherine Spice MiltonKeynes.pm 15/10/09 What is Load Balancing? Why and when might you use Load Balancing? Capacity: you aren't able to meet the demand on your service with
Configuring Apache Derby for Performance and Durability Olav Sandstå
Configuring Apache Derby for Performance and Durability Olav Sandstå Sun Microsystems Trondheim, Norway Agenda Apache Derby introduction Performance and durability Performance tips Open source database
Wikimedia Architecture Doing More With Less. Asher Feldman <[email protected]> Ryan Lane <[email protected]> Wikimedia Foundation Inc.
Wikimedia Architecture Doing More With Less Asher Feldman Ryan Lane Wikimedia Foundation Inc. Overview Intro Scale at WMF How We Work Architecture Dive Top Five
Agenda. Enterprise Application Performance Factors. Current form of Enterprise Applications. Factors to Application Performance.
Agenda Enterprise Performance Factors Overall Enterprise Performance Factors Best Practice for generic Enterprise Best Practice for 3-tiers Enterprise Hardware Load Balancer Basic Unix Tuning Performance
White Paper. Optimizing the Performance Of MySQL Cluster
White Paper Optimizing the Performance Of MySQL Cluster Table of Contents Introduction and Background Information... 2 Optimal Applications for MySQL Cluster... 3 Identifying the Performance Issues.....
HADOOP PERFORMANCE TUNING
PERFORMANCE TUNING Abstract This paper explains tuning of Hadoop configuration parameters which directly affects Map-Reduce job performance under various conditions, to achieve maximum performance. The
MySQL Cluster 7.0 - New Features. Johan Andersson MySQL Cluster Consulting [email protected]
MySQL Cluster 7.0 - New Features Johan Andersson MySQL Cluster Consulting [email protected] Mat Keep MySQL Cluster Product Management [email protected] Copyright 2009 MySQL Sun Microsystems. The
Hadoop: A Framework for Data- Intensive Distributed Computing. CS561-Spring 2012 WPI, Mohamed Y. Eltabakh
1 Hadoop: A Framework for Data- Intensive Distributed Computing CS561-Spring 2012 WPI, Mohamed Y. Eltabakh 2 What is Hadoop? Hadoop is a software framework for distributed processing of large datasets
Exploring Oracle E-Business Suite Load Balancing Options. Venkat Perumal IT Convergence
Exploring Oracle E-Business Suite Load Balancing Options Venkat Perumal IT Convergence Objectives Overview of 11i load balancing techniques Load balancing architecture Scenarios to implement Load Balancing
Performance Counters. Microsoft SQL. Technical Data Sheet. Overview:
Performance Counters Technical Data Sheet Microsoft SQL Overview: Key Features and Benefits: Key Definitions: Performance counters are used by the Operations Management Architecture (OMA) to collect data
Redundant Storage Cluster
Redundant Storage Cluster For When It's Just Too Big Bob Burgess radian 6 Technologies MySQL User Conference 2009 Scope Fundamentals of MySQL Proxy Fundamentals of LuaSQL Description of the Redundant Storage
Designing and Implementing Scalable Applications with Memcached and MySQL
Designing and Implementing Scalable Applications with Meached and MySQL A MySQL White Paper June, 2008 Copyright 2008, MySQL AB Table of Contents Designing and Implementing... 1 Scalable Applications with
MyISAM Default Storage Engine before MySQL 5.5 Table level locking Small footprint on disk Read Only during backups GIS and FTS indexing Copyright 2014, Oracle and/or its affiliates. All rights reserved.
CHAPTER 1 - JAVA EE OVERVIEW FOR ADMINISTRATORS
CHAPTER 1 - JAVA EE OVERVIEW FOR ADMINISTRATORS Java EE Components Java EE Vendor Specifications Containers Java EE Blueprint Services JDBC Data Sources Java Naming and Directory Interface Java Message
Database Scalability and Oracle 12c
Database Scalability and Oracle 12c Marcelle Kratochvil CTO Piction ACE Director All Data/Any Data [email protected] Warning I will be covering topics and saying things that will cause a rethink in
Parallel Replication for MySQL in 5 Minutes or Less
Parallel Replication for MySQL in 5 Minutes or Less Featuring Tungsten Replicator Robert Hodges, CEO, Continuent About Continuent / Continuent is the leading provider of data replication and clustering
High Availability Solutions for MySQL. Lenz Grimmer <[email protected]> 2008-08-29 DrupalCon 2008, Szeged, Hungary
High Availability Solutions for MySQL Lenz Grimmer 2008-08-29 DrupalCon 2008, Szeged, Hungary Agenda High Availability in General MySQL Replication MySQL Cluster DRBD Links/Tools Why
Benchmarking FreeBSD. Ivan Voras <[email protected]>
Benchmarking FreeBSD Ivan Voras What and why? Everyone likes a nice benchmark graph :) And it's nice to keep track of these things The previous major run comparing FreeBSD to Linux
Lecture 6 Cloud Application Development, using Google App Engine as an example
Lecture 6 Cloud Application Development, using Google App Engine as an example 922EU3870 Cloud Computing and Mobile Platforms, Autumn 2009 (2009/10/19) http://code.google.com/appengine/ Ping Yeh ( 葉 平
CS 188/219. Scalable Internet Services Andrew Mutz October 8, 2015
CS 188/219 Scalable Internet Services Andrew Mutz October 8, 2015 For Today About PTEs Empty spots were given out If more spots open up, I will issue more PTEs You must have a group by today. More detail
1 Discussion of multithreading on Win32 mod_perl
Discussion of multithreading on Win32 mod_perl 1xx 1 Discussion of multithreading on Win32 mod_perl 1xx 1 Discussion of multithreading on Win32 mod_perl 1xx 1 11 Description 11 Description This document
Oracle WebLogic Server 11g Administration
Oracle WebLogic Server 11g Administration This course is designed to provide instruction and hands-on practice in installing and configuring Oracle WebLogic Server 11g. These tasks include starting and
Code:1Z0-599. Titre: Oracle WebLogic. Version: Demo. Server 12c Essentials. http://www.it-exams.fr/
Code:1Z0-599 Titre: Oracle WebLogic Server 12c Essentials Version: Demo http://www.it-exams.fr/ QUESTION NO: 1 You deploy more than one application to the same WebLogic container. The security is set on
Java DB Performance. Olav Sandstå Sun Microsystems, Trondheim, Norway Submission ID: 860
Java DB Performance Olav Sandstå Sun Microsystems, Trondheim, Norway Submission ID: 860 AGENDA > Java DB introduction > Configuring Java DB for performance > Programming tips > Understanding Java DB performance
Rails Application Deployment. July 2007 @ Philly on Rails
Rails Application Deployment July 2007 @ Philly on Rails What Shall We Deploy Tonight? Blogging/publishing system Standard Rails application Ships with gems in vendor directory Easy rake task for database
MySQL: Cloud vs Bare Metal, Performance and Reliability
MySQL: Cloud vs Bare Metal, Performance and Reliability Los Angeles MySQL Meetup Vladimir Fedorkov, March 31, 2014 Let s meet each other Performance geek All kinds MySQL and some Sphinx Working for Blackbird
MySQL Reference Architectures for Massively Scalable Web Infrastructure
MySQL Reference Architectures for Massively Scalable Web Infrastructure MySQL Best Practices for Innovating on the Web A MySQL Strategy White Paper April 2011 Table of Contents Executive Summary... 3!
Wednesday, October 10, 12. Running a High Performance LAMP stack on a $20 Virtual Server
Running a High Performance LAMP stack on a $20 Virtual Server Simplified Uptime Started a side-business selling customized hosting to small e-commerce and other web sites Spent a lot of time optimizing
Distributed File System. MCSN N. Tonellotto Complements of Distributed Enabling Platforms
Distributed File System 1 How do we get data to the workers? NAS Compute Nodes SAN 2 Distributed File System Don t move data to workers move workers to the data! Store data on the local disks of nodes
KillTest. http://www.killtest.cn 半 年 免 费 更 新 服 务
KillTest 质 量 更 高 服 务 更 好 学 习 资 料 http://www.killtest.cn 半 年 免 费 更 新 服 务 Exam : 1Z0-599 Title : Oracle WebLogic Server 12c Essentials Version : Demo 1 / 10 1.You deploy more than one application to the
CS 377: Operating Systems. Outline. A review of what you ve learned, and how it applies to a real operating system. Lecture 25 - Linux Case Study
CS 377: Operating Systems Lecture 25 - Linux Case Study Guest Lecturer: Tim Wood Outline Linux History Design Principles System Overview Process Scheduling Memory Management File Systems A review of what
Big Data Storage Options for Hadoop Sam Fineberg, HP Storage
Sam Fineberg, HP Storage SNIA Legal Notice The material contained in this tutorial is copyrighted by the SNIA unless otherwise noted. Member companies and individual members may use this material in presentations
Drupal Performance Tuning
Drupal Performance Tuning By Jeremy Zerr Website: http://www.jeremyzerr.com @jrzerr http://www.linkedin.com/in/jrzerr Overview Basics of Web App Systems Architecture General Web
Benchmarking Hadoop & HBase on Violin
Technical White Paper Report Technical Report Benchmarking Hadoop & HBase on Violin Harnessing Big Data Analytics at the Speed of Memory Version 1.0 Abstract The purpose of benchmarking is to show advantages
Cloud Computing at Google. Architecture
Cloud Computing at Google Google File System Web Systems and Algorithms Google Chris Brooks Department of Computer Science University of San Francisco Google has developed a layered system to handle webscale
