Architecture#


Customer stories
- Impatient web users 100ms means 1%$ sale loss
- Tinder billions matches daily
- Elasticache redis customers
- AppSync
- Game session
When to use?
- Speed and expense - expensive queries
- Data and access pattern - relatively static and frequent accessed - personal profile
Best practices
- Re-invent 2020 Damon LaCaille 7:48
- quotas
- replication group or cluster
- elastic cache re-invent 2021 8:22
- cluster-mode, add replica - read capacity, add shards - write capacity
- cloudwatch metric & alarm, sns
- two read replica node per shard, primary nodes accross azs, failover primary -IAM auth
 
- white paper
- node type: M5 or R5
- Private subnet, security group, encryption TSL/SSL
- redis cahing strategies
- read-through/write-through dax
Redis Cluster Stack#
// get existed vpcconst vpc = aws_ec2.Vpc.fromLookup(this, 'Vpc', {vpcId: props.vpcId,vpcName: props.vpcName})
// subnet groupsconst subnetGroup = new aws_elasticache.CfnSubnetGroup(this,'SubnetGroupForRedisCluster',{subnetIds: vpc.privateSubnets.map(subnet => subnet.subnetId),description: 'subnet group for redis cluster'})
// redis security groupconst redisSecurityGroup = new aws_ec2.SecurityGroup(this,'SecurityGroupForRedisCluster',{securityGroupName: 'SecurityGroupForRedisCluster',vpc: vpc})redisSecurityGroup.addIngressRule(// production SG peeraws_ec2.Peer.securityGroupId(props.vscodeSecurityGroupId),// redis portaws_ec2.Port.tcp(6379))
// elasticache for redis clusterconst redis = new aws_elasticache.CfnCacheCluster(this, 'RedisClusterDmoe', {clusterName: 'RedisClusterDemo',engine: 'redis',cacheNodeType: 'cache.t3.small',numCacheNodes: 1,cacheSubnetGroupName: subnetGroup.ref,vpcSecurityGroupIds: [redisSecurityGroup.securityGroupId]})
Redis Client Python#
environment variable
export REDIS_HOSTNAME = 'REDIS_ENDPOINT'
# redis endpointHOST = os.environ["REDIS_HOSTNAME"].replace(":6379", "")# boto3 db clientdynamodb = boto3.client("dynamodb")# redis clientr = redis.Redis(host=HOST)
lazy loading
def fetch_restaurant_summary(restaurant_name):"""fetch from cache and write to cache"""# fetch from cacherestaurant = fetch_restaurant_summary_from_cache(restaurant_name)# hit cache and returnif restaurant:return restaurant# mis-cache and fetch from dbrestaurant = fetch_restaurant_summary_from_db_update_cache(restaurant_name)# write to cachestore_restaurant_summary_in_cache(restaurant)# print responseprint("Using uncached result!")return restaurant
write to cache
def store_restaurant_summary_in_cache(restaurant):"""store to cache"""key = restaurant.namer.set(key, json.dumps(restaurant, cls=ObjectEncoder), ex=900)return True
DynamoDB Table#
create a restaurant table with global secondary index
import boto3dynamodb = boto3.client("dynamodb")try:dynamodb.create_table(TableName="Restaurants",AttributeDefinitions=[{"AttributeName": "PK", "AttributeType": "S"},{"AttributeName": "SK", "AttributeType": "S"},{"AttributeName": "GSI1PK", "AttributeType": "S"},{"AttributeName": "GSI1SK", "AttributeType": "S"},],KeySchema=[{"AttributeName": "PK", "KeyType": "HASH"},{"AttributeName": "SK", "KeyType": "RANGE"},],GlobalSecondaryIndexes=[{"IndexName": "GSI1","KeySchema": [{"AttributeName": "GSI1PK", "KeyType": "HASH"},{"AttributeName": "GSI1SK", "KeyType": "RANGE"},],"Projection": {"ProjectionType": "ALL"},"ProvisionedThroughput": {"ReadCapacityUnits": 5,"WriteCapacityUnits": 5,},}],ProvisionedThroughput={"ReadCapacityUnits": 5, "WriteCapacityUnits": 5},)print("Table created successfully.")except Exception as e:print("Could not create table. Error:")print(e)
batch writing the table
import jsonimport boto3dynamodb = boto3.resource("dynamodb")table = dynamodb.Table("Restaurants")items = []with open("scripts/items.json", "r") as f:for row in f:items.append(json.loads(row))with table.batch_writer() as batch:for item in items:batch.put_item(Item=item)print("Items loaded successfully.")
Caching Performance#
names = scan_restaurant(limit=100)db_latencies = [fetch_restaurant_summary_from_db(name).latency for name in names]cache_latencies = [fetch_restaurant_summary(name).latency for name in names]plot_performance(db_latencies[1:], cache_latencies[1:])
Reference#
Reference - Deploy Amazon Elasticache for Redis using AWS CDK
