DZone
Thanks for visiting DZone today,
Edit Profile
  • Manage Email Subscriptions
  • How to Post to DZone
  • Article Submission Guidelines
Sign Out View Profile
  • Post an Article
  • Manage My Drafts
Over 2 million developers have joined DZone.
Log In / Join
Please enter at least three characters to search
Refcards Trend Reports
Events Video Library
Refcards
Trend Reports

Events

View Events Video Library

Zones

Culture and Methodologies Agile Career Development Methodologies Team Management
Data Engineering AI/ML Big Data Data Databases IoT
Software Design and Architecture Cloud Architecture Containers Integration Microservices Performance Security
Coding Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks
Culture and Methodologies
Agile Career Development Methodologies Team Management
Data Engineering
AI/ML Big Data Data Databases IoT
Software Design and Architecture
Cloud Architecture Containers Integration Microservices Performance Security
Coding
Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance
Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks

Modernize your data layer. Learn how to design cloud-native database architectures to meet the evolving demands of AI and GenAI workkloads.

Secure your stack and shape the future! Help dev teams across the globe navigate their software supply chain security challenges.

Releasing software shouldn't be stressful or risky. Learn how to leverage progressive delivery techniques to ensure safer deployments.

Avoid machine learning mistakes and boost model performance! Discover key ML patterns, anti-patterns, data strategies, and more.

  1. DZone
  2. Refcards
  3. Getting Started With Redis
refcard cover
Refcard #245

Getting Started With Redis

The Open-Source Data Structure Server

Redis is an open source, in-memory data store that gives you the opportunity to store and access data quickly and efficiently. In this Refcard, you will get started on your Redis journey with a simple guide to installing and utilizing Redis, a complete glossary of data types, and the various commands to operate in Redis with detailed examples.

Download Refcard
Free PDF for Easy Reference
refcard cover

Written By

author avatar Lorna Mitchell
Developer Advocate, Aiven
Table of Contents
► What Is Redis? ► When to Use Redis ► Redis Data Types ► Installing and Using Redis ► Redis Commands ► Persisting and Expiring Data ► Pub/Sub With Redis ► Queues in Redis ► Transactions in Redis ► Resources and Further Reading
Section 1

What Is Redis?

Redis is an open-source tool that describes itself as a "data structure server." It allows us to store various data types and access them very quickly because the values are held in memory. If you've had experience with memcached, Redis is a pretty similar tool but has support for more interesting data types.

Section 2

When to Use Redis

Redis is usually used as an auxiliary data store, meaning there will be a main database (e.g. PostgreSQL or another RDBMS) as well as Redis. Redis is used for transient data, for caching values for fast access, and for data that could be recreated such as session data. Redis isn't persistent storage by default, although it can be configured to persist — so never store anything here that you can't afford to lose. Also, since this is an in-memory data store, the size of the data that can be stored will be related to the size of the RAM available.

Section 3

Redis Data Types

Redis can work with the following data types:

  • string: This is your basic key/value pair.
  • hashes: The value of this type is itself pairs of keys and values; it's useful for storing objects.
  • lists: Allows multiple values in a particular order; performs very well if you only add or remove items from either end of the list (called "head" and "tail").
  • sets: Allows multiple unique values in any order. You can add, remove, and check for any value in the set without performance penalties but cannot add duplicate values.
  • sorted sets: Sets where each value also has a "score." The data is stored sorted by the score, making it very quick to retrieve data using these values.
Section 4

Installing and Using Redis

The instructions on https://redis.io/download should be your starting point for all platforms, and these are actively maintained. You can also ask your usual package manager (brew for OS X; yum or apt on Linux) for a package called "redis" and go from there. This tool has few dependencies, and while it isn't officially supported for Windows, there are ports available that will let you at least try it out if that's your platform.

To use Redis in your own software applications, use a client written for your chosen technology stack. There's an incredibly comprehensive list available at https://redis.io/clients, but here are some links for some of today's popular web programming languages:

Ruby: https://github.com/redis/redis-rb

PHP: https://github.com/nrk/predis

Python: https://github.com/andymccurdy/redis-py

NodeJS: https://github.com/NodeRedis/node_redis

Section 5

Redis Commands

You can use these commands either from your language-specific library (in which case they will be named the same as the raw commands) or from redis-cli itself. The commands aren't case-sensitive, but are usually displayed as uppercase by convention.

Some of the commands we'll use to check on the data or data store itself without any type-specific prefixes. Try these:

MONITOR shows every action taking place on the server. This is very useful for debugging, but gets noisy on a busy Redis server or with monitoring running.

INFO shows the current Redis config.

KEYS [pattern] finds all the keys that match the pattern. You can supply wildcards, too, such as ? to match one character or * to match none/one/many.

1
> MSET hat blue bag red
2
OK
3
> KEYS *
4
1) "hat"
5
2) "bag"
6
> KEYS h*
7
1) "hat"
8
> KEYS ?a?
9
1) "hat"
10
2) "bag"

SCAN cursor [match PATTERN] [COUNT count] iterates over all keys and returns the matching ones, using a cursor and returning the values in installments. This avoids performance problems related to a KEYS query returning a huge number of results. With SCAN, the first return value is the next value of the cursor, which you use to get the next batch of matching results. For example, on a (very generically named) set of 21 keys:

27
1
> scan 0
2
1) "9"
3
2)  1) "key:18"
4
    2) "key:13"
5
    3) "key:7"
6
    4) "key:15"
7
    5) "key:5"
8
    6) "key:1"
9
    7) "key:14"
10
    8) "key:8"
11
    9) "key:12"
12
   10) "key:4"
13
> scan 9
14
1) "31"
15
2)  1) "key:20"
16
    2) "key:3"
17
    3) "key:21"
18
    4) "key:19"
19
    5) "key:2"
20
    6) "key:6"
21
    7) "key:9"
22
    8) "key:16"
23
    9) "key:17"
24
   10) "key:11"
25
> scan 31
26
1) "0"
27
2) 1) "key:10"

SCAN also has sister commands HSCAN, SSCAN, and ZSCAN that will be covered under the hash, set, and sorted set sections respectively.

TYPE [key] can return information about the datatype stored in a particular key. This is useful for finding out which of the prefixed commands to use to work with a particular key.

Command Prefixes

Redis commands sometimes behave differently depending which datatype is being handled. To indicate this, the commands are often prefixed with a character to indicate which datatype they work with. Here's the main ones to look out for:

H for hashes; S for sets; Z for sorted sets (because we already used S). L for lists, operations on the left-hand end of the list. R for lists (obviously!), operations on the right-hand end of the list.

There are some other conventions such as using M for operations that handle multiple values and B for blocking operations.

Namespacing Keys

Keys in Redis are simply strings; there isn't a built-in way to keep related keys together. By convention, though, we often use the colon character as a separator. This is very handy when used with the KEYS command to find all keys matching a particular pattern. Some examples:

4
1
product:98632
2
user:janebloggs
3
article:42:views
4
article:42:categories

By keeping the keys descriptive and well-organized, it becomes easier to find data. It also becomes easier to identify data that is no longer needed. Since Redis is an in-memory datastore, being conscientious about tidying up is very important! There's more information about expiring keys in the "Persisting and Expiring Data" section.

Key/Value Commands

Let's start simple! SET sets a value; GET retrieves it; GETSET sets the value and fetches the previous one:

8
1
> SET name Alice
2
OK
3
> GET name
4
"Alice"
5
> GETSET name Bob
6
"Alice"
7
> GET name
8
"Bob"

Working with one key at a time might seem slow, so Redis offers commands for setting and reading multiple entries at one time — MGET get multiple key/values MSET set multiple key/values:

5
1
> MSET fruit apple cookie choc-chip
2
OK
3
> MGET cookie fruit
4
1) "choc-chip"
5
2) "apple"

If you're counting items or otherwise working with numbers, there are some shortcut commands to make life easier.

INCR and DECR increment/decrement values (and create them if the key didn't already exist); INCRBY and DECRYBY add/subtract values from the current value.

12
1
> GET counter
2
(nil)
3
> INCR counter
4
(integer) 1
5
> GET counter
6
"1"
7
> INCRBY counter 3
8
(integer) 4
9
> DECR counter
10
(integer) 3
11
> GET counter
12
"3"

Redis uses the string type to support other features, such as bitmaps. This is where values are written to individual bits in a string and used as a very compact way of storing, for example, a bunch of boolean fields for a particular item. The string is considered to be a string of 2^32 bits, all set to zero.

GETBIT sets a particular bit in the bitmap; SETBIT gets a particular bit in the bitmap.

8
1
> SETBIT prefs 5 1
2
(integer) 0
3
> SETBIT prefs 3 1
4
(integer) 0
5
> GETBIT prefs 100
6
(integer) 0
7
> GETBIT prefs 3
8
(integer) 1

Hash Commands

Hashes store multiple fields as the value for a particular key. They are a neater way of keeping related values together than using many similarly-named keys, for example. It's common to use a hash to store an object with properties, making use of the ability to set multiple fields.

Reading and writing individual fields is fairly easy using the HSET and HGET commands, and there is also support for operations handling multiple fields in one command.

HSET sets a field in a hash; HMSET sets multiple fields in a hash; HGET gets a field from a hash; HMGET gets multiple fields from a hash:

6
1
> HSET user:alice name alice
2
(integer) 1
3
> HMSET user:alice dress blue food mushrooms
4
OK
5
> HGET user:alice food
6
"mushrooms"

We can inspect the hash in a few different ways:

HLEN returns the number of fields in the hash.

HKEYS: The fields in the hash.

HVALS: The values of the fields in the hash.

HGETALL returns keys interlaced with field values.

HEXISTS checks if this field exists in the hash.

21
1
> HMSET user:belle dress yellow name belle food cake
2
OK
3
> HLEN user:belle
4
(integer) 3
5
> HKEYS user:belle
6
1) "dress"
7
2) "name"
8
3) "food"
9
> HVALS user:belle
10
1) "yellow"
11
2) "belle"
12
3) "cake"
13
> HGETALL user:belle
14
1) "dress"
15
2) "yellow"
16
3) "name"
17
4) "belle"
18
5) "food"
19
6) "cake"
20
> HEXISTS user:belle shoes
21
(integer) 0

We can also inspect within a hash using the HSCAN command, which is especially useful on large hashes or when looking for a specific group of fields within a hash. This works like the SCAN command mentioned above, using cursors to paginate the results as appropriate.

HSCAN finds hashes and fields within them:

16
1
> HSCAN user:ariel 0
2
1) "0"
3
2) 1) "name"
4
   2) "ariel"
5
   3) "superpower"
6
   4) "mermaid"
7
   5) "dress"
8
   6) "green tail"
9
   7) "sisters"
10
   8) "6"
11
> HSCAN user:ariel 0 MATCH s*
12
1) "0"
13
2) 1) "superpower"
14
   2) "mermaid"
15
   3) "sisters"
16
   4) "6"

List Commands

Lists in Redis are a chain of values implemented by a linked-list data structure. Lists are very performant to work with when only the values near the beginning or end of the list are operated on. In Redis, these are visualized as the "left" and "right" ends of a list and have commands prefixed with L and R respectively. To add things onto either end of the list is a PUSH command and to remove and return things from an end is a POP command.

Lists are useful for implementing stacks or queues in Redis.

LPUSH adds a new value onto the left end of the list. RPUSH adds a new value onto the right end of the list. LRANGE returns some items from the list, specifying how many and where to start.

16
1
> LPUSH rhyme little
2
(integer) 1
3
> LPUSH rhyme twinkle
4
(integer) 2
5
> LPUSH rhyme twinkle
6
(integer) 3
7
> RPUSH rhyme star
8
(integer) 4
9
> LRANGE rhyme 0 -1
10
1) "twinkle"
11
2) "twinkle"
12
3) "little"
13
4) "star"
14
> LRANGE rhyme 1 2
15
1) "twinkle"
16
2) "little"

LPOP removes the leftmost value from the list and return it. RPOP removes the rightmost value from the list and returns it. LLEN returns how many items are in the list.

9
1
> LLEN rhyme
2
(integer) 4
3
> RPOP rhyme
4
"star"
5
> LPOP rhyme
6
"twinkle"
7
> LRANGE rhyme 0 -1
8
1) "twinkle"
9
2) "little"

LSET puts a value at a particular location in the list (must be within the current range of indexes of the list). LINDEX gets a value from a specific position from either the left or right ends of the list. LINSERT places a value before or after a particular other value anywhere in the list (performs better near the left end because there are fewer items to traverse).

17
1
> LPUSH rainbow yellow
2
(integer) 1
3
> LPUSH rainbow orange
4
(integer) 2
5
> LPUSH rainbow red
6
(integer) 3
7
> LSET rainbow 1 green
8
OK
9
> LINDEX rainbow 2
10
"yellow"
11
> LINSERT rainbow BEFORE green amber
12
(integer) 4
13
> LRANGE rainbow 0 -1
14
1) "red"
15
2) "amber"
16
3) "green"
17
4) "yellow"

LTRIM cuts the list down to size — very handy for a short buffer of things:

22
1
> LPUSH recent_orders latte
2
(integer) 1
3
> LPUSH recent_orders chai
4
(integer) 2
5
> LPUSH recent_orders smoothie
6
(integer) 3
7
> LRANGE recent_orders 0 -1
8
1) "smoothie"
9
2) "chai"
10
3) "latte"
11
> LTRIM recent_orders 0 1
12
OK
13
> LRANGE recent_orders 0 -1
14
1) "smoothie"
15
2) "chai"
16
> LPUSH recent_orders mocha
17
(integer) 3
18
> LTRIM recent_orders 0 1
19
OK
20
> LRANGE recent_orders 0 -1
21
1) "mocha"
22
2) "smoothie"

Set Commands

Redis has both sets and sorted sets, which are pretty similar but do use separate commands. This section covers the non-sorted variety first, with the sorted ones detailed a little later on. Sets are keys with multiple unique values, which can be useful for a use case where values cannot be duplicated. Sets are also great for comparing and combining together to answer questions that would be tricky with, for example, a traditional relational database store.

SADD puts a value into a set (if it already exists, it won't be added again). SMEMBERS shows all members of a set. SSCAN inspects the contents of a set; it works like SCAN and uses a cursor and optionally a pattern to match:

21
1
> SADD post:1:tags tech
2
(integer) 1
3
> SADD post:1:tags javascript
4
(integer) 1
5
> SADD post:1:tags tips
6
(integer) 1
7
> SADD post:1:tags couchdb
8
(integer) 1
9
> SADD post:2:tags couchdb
10
(integer) 1
11
> SADD post:2:tags pouchdb
12
(integer) 1
13
> SADD post:2:tags pouchdb
14
(integer) 0
15
> SMEMBERS post:2:tags
16
1) "pouchdb"
17
2) "couchdb"
18
> SSCAN post:2:tags 0
19
1) "0"
20
2) 1) "pouchdb"
21
   2) "couchdb"

SUNION returns the combined contents of two or more sets, removing duplicates. SINTER returns values that appear in two or more sets. SINTERSTORE is the same as SINTER, but stores the result in the named key rather than returning it:

12
1
> SINTER post:1:tags post:2:tags
2
1) "couchdb"
3
> SINTERSTORE overlap post:1:tags post:2:tags
4
(integer) 1
5
> SMEMBERS overlap
6
1) "couchdb"
7
> SUNION post:1:tags post:2:tags
8
1) "couchdb"
9
2) "tips"
10
3) "javascript"
11
4) "pouchdb"
12
5) "tech"

SPOP removes and returns a random element from the set, and SRANDMEMBER returns a random value from the set without removing it from the set:

14
1
> SADD coin heads
2
(integer) 1
3
> SADD coin tails
4
(integer) 1
5
> SRANDMEMBER coin
6
"tails"
7
> SRANDMEMBER coin
8
"heads"
9
> SRANDMEMBER coin
10
"heads"
11
> SPOP coin
12
"heads"
13
> SMEMBERS coin
14
1) "tails"

Sorted Set Commands

Sorted sets sound a lot like sets, but in truth, the minor differences make them handy for quite different use cases. For sets, we hold multiple things alongside one another, but the sorted sets are great for counting things, leaderboards, and other short-term counting tasks. Since the sorting for sorted sets goes from low to high by default, many of the commands for working with sorted sets (all prefixed with Z) have matching "sister" commands that reverse the order. The reverse order means that the highest scoring item appears first in the list.

ZADD puts a value into the sorted set with a score. ZINCR adds to the score of a particular value in the sorted set (create the set and value as needed). ZRANGE gets some or all members of the set in order of score (with smallest first). WITHSCORES gets the scores as well as an additional return value after each item. ZREVRANGE is similar to ZRANGE but is sorted with the highest scores first, which is useful for most-viewed/commented/voted-type features:

15
1
> ZADD product_views 1 table
2
(integer) 1
3
> ZINCRBY product_views 1 bench
4
"1"
5
> ZINCRBY product_views 1 bench
6
"2"
7
> ZINCRBY product_views 1 wheelbarrow
8
"1"
9
> ZRANGE product_views 0 -1
10
1) "table"
11
2) "wheelbarrow"
12
3) "bench"
13
> ZREVRANGE product_views 0 0 WITHSCORES
14
1) "bench"
15
2) "2"

ZSCORE gets the current score of a particular value. ZRANK finds out what "position" a value has if ranked in order of score, starting from zero. ZREVRANK finds out what "position" a value has if ranked from highest score to lowest, starting from zero:

8
1
> ZINCRBY product_views 1 bench
2
"3"
3
> ZSCORE product_views bench
4
"3"
5
> ZRANK product_views bench
6
(integer) 2
7
> ZREVRANK product_views bench
8
(integer) 0
Section 6

Persisting and Expiring Data

We've touched on the importance of keeping Redis data tidy. One way to achieve this is to set keys to expire after a certain amount of time so that they "decay" out of storage. On the flip side, sometimes you really do want your data to remain intact. In this section, we'll also look at the configuration settings for Redis that will allow some or all of your data to survive a program restart.

Expiring Keys

Setting keys to expire is a good way to make the most of the storage available to Redis because it avoids old data hanging around and taking up space. Note that expiry is only at the key level — it isn't possible to expire nested values, so it's useful to consider expiry policies when designing data structures.

EXPIRE sets how long (in seconds) this key should live for; after this time, the key will be deleted. SETEX combines the SET and EXPIRE commands since the two are so often used together. EXPIREAT defines at what time (in Unix timestamp format) this key should be deleted. TTL defines the time until this key will expire, or uses -1 if it isn't set to expire and -2 if the key doesn't exist at all. PERSIST removes the expiry on a key, so it will not be automatically deleted:

16
1
> SET temp_value 42
2
OK
3
> EXPIRE temp_value 10
4
(integer) 1
5
> TTL temp_value
6
(integer) 3
7
> TTL temp_value
8
(integer) -2
9
> SET temp_value 42
10
OK
11
> EXPIRE temp_value 10
12
(integer) 1
13
> PERSIST temp_value
14
(integer) 1
15
> TTL temp_value
16
(integer) -1

Configuring Persistence

By default, Redis isn't reliably persistent. The out-of-the-box settings have it snapshot to disk at intervals, but rest assured that this will never have happened immediately before the server fails! This is basically by design; Redis is a blisteringly fast datastore because it stores in-memory and doesn't write to disk. That said, there are definitely some situations where more persistence than "probably none" would be desirable.

Redis gives two options for persistence:

  1. Snapshotting is used periodically, but this period can be configured to meet the requirements. Beware that frequent snapshotting will affect performance on busy systems. The shapshot feature is also a good way to take a backup of Redis. This is technically referred to as the RDF (Redis Data File) option.
  2. Changelog writes each Redis command to a file, syncing it to disk in the background at (configurable) intervals. This AOF (Append Only File) approach is a good way to capture changes and also gives a useful log that can be parsed if required.

In practice, most Redis installations will use a combination of these two approaches to give the best possible performance/recovery options. There is excellent documentation available for this (https://redis.io/topics/persistence) that also covers the details of backing up with RDF files and how to restore.

Section 7

Pub/Sub With Redis

Redis has built-in Publish/Subscribe support, and it’s surprisingly simple to use. Subscribers listen on a channel and publishers broadcast messages to that channel. This requires use of multiple clients, as demonstrated in the examples below. Messages published to a channel while a client is subscribed will arrive on that client with three elements to the message:

  1. The type of message, either “message” or “subscribe” or “unsubscribe.”
  2. The channel this relates to.
  3. The message itself.

SUBSCRIBE starts listening to a channel or channels for messages:

8
1
> SUBSCRIBE whispers chatter
2
Reading messages... (press Ctrl-C to quit)
3
1) "subscribe"
4
2) "whispers"
5
3) (integer) 1
6
1) "subscribe"
7
2) "chatter"
8
3) (integer) 2

PUBLISH sends a message to a channel:

2
1
> PUBLISH whispers "hello ... world"
2
(integer) 1

(And on the client:)

3
1
1) "message"
2
2) "whispers"
3
3) "hello ... world"
Section 8

Queues in Redis

Redis is such a nice, lightweight data storage tool that it makes an easy addition to almost any application. It's also possible to build upon the Redis features to create extra functionality. A good example of this is using a Redis installation as the basis for a simple queue. There are some fairly fully featured queue solutions based on Redis (such as Resque: http://resque.github.io/), but a simple solution can be created using the list datatype.

By pushing items onto the left-hand end of a list and having the worker (the name for a queue processor) take items from the right-hand end, we can create a simple queue. To add items into the queue, we can use LPUSH:

6
1
> LPUSH todo breakfast
2
(integer) 1
3
> LPUSH todo newspaper
4
(integer) 2
5
> LPUSH todo email
6
(integer) 3

For the component that will be processing the queue items, we could use RPOP to fetch things from the right-hand end of the list. This approach needs caution, however; if the list is empty and the worker repeatedly tries to read from it, then there will be a lot of wasted resources spent trying to read an empty list! Instead, we can use the blocking features for our list and take items with BRPOP. Using the blocking commands means that the command will wait a little while to see if an item appears in an empty list before returning.

12
1
> BRPOP todo 1
2
1) "todo"
3
2) "breakfast"
4
> BRPOP todo 1
5
1) "todo"
6
2) "newspaper"
7
> BRPOP todo 1
8
1) "todo"
9
2) "email"
10
> BRPOP todo 1
11
(nil)
12
(1.03s)

There are many features that can be implemented by building on top of the data types made available by Redis.

Section 9

Transactions in Redis

Sometimes, we want to combine operations in Redis, having them happen "at the same time" or not at all. In support of this, Redis supports transactions. Be aware that the transaction won't be rolled back if one of the commands fails; transactions in Redis are more like a queue and then they batch operate on all those commands at once.

MULTI starts collecting commands into a transaction. DISCARD throws away the commands (we don't want to execute them, after all). EXEC runs all the commands, and their results will appear in turn:

20
1
> SET a 1
2
OK
3
> MULTI
4
OK
5
> INCR a
6
QUEUED
7
> DISCARD
8
OK
9
> GET a
10
"1"
11
> MULTI
12
OK
13
> INCR a
14
QUEUED
15
> INCR a
16
QUEUED
17
> EXEC
18
1) (integer) 2
19
2) (integer) 3
20
>
Section 10

Resources and Further Reading

  • Homepage and brilliant documentation https://redis.io/
  • Redis Cookbook by Tiago Macedo, Fred Oliveira http://shop.oreilly.com/product/0636920020127.do
  • The Little Redis Book by Karl Seguin (free) http://openmymind.net/2012/1/23/The-Little-Redis-Book/
  • 7 Databases in 7 Weeks by Eric Redmond and Jim R. Wilson (has an excellent chapter on Redis) https://pragprog.com/book/rwdata/seven-databases-in-seven-weeks

Like This Refcard? Read More From DZone

related article thumbnail

DZone Article

How to Get Redis-cli Without Installing Redis Server
related article thumbnail

DZone Article

Achieving 10M Ops/Sec at 1ms Latency With Only 6 EC2 Nodes
related article thumbnail

DZone Article

Unlocking Data with Language: Real-World Applications of Text-to-SQL Interfaces
related article thumbnail

DZone Article

How Trustworthy Is Big Data?
related refcard thumbnail

Free DZone Refcard

Getting Started With Vector Databases
related refcard thumbnail

Free DZone Refcard

MongoDB Essentials
related refcard thumbnail

Free DZone Refcard

PostgreSQL Essentials
related refcard thumbnail

Free DZone Refcard

NoSQL Migration Essentials

ABOUT US

  • About DZone
  • Support and feedback
  • Community research
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

  • Article Submission Guidelines
  • Become a Contributor
  • Core Program
  • Visit the Writers' Zone

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 3343 Perimeter Hill Drive
  • Suite 100
  • Nashville, TN 37211
  • support@dzone.com

Let's be friends: