+
+Welcome to the getting started for the official Redis Developer Hub!
+
+If you are new to Redis, we recommend starting with [Redis University (RU101)](https://university.redis.com/courses/ru101/). RU101 is an introductory course, perfect for developers new to Redis. In this course, you’ll learn about the data structures in Redis, and you’ll see how to practically apply them in the real world.
+
+If you have questions related to Redis, come join the [Redis Discord server](https://discord.gg/redis). Our Discord server is a place where you can learn, share, and collaborate about anything and everything Redis. Connect with users from the community and Redis University. Get your questions answered and learn cool new tips and tricks! Watch for notifications of the latest content from Redis and the community. And share your own content with the community.
+
+## Setup Redis
+
+There are essentially two ways you can use Redis:
+
+- **Cloud Redis**: A hosted and serverless Redis database-as-a-service (DBaaS). The fastest way to deploy Redis Enterprise via Amazon AWS, Google Cloud Platform, or Microsoft Azure.
+ - [Getting Started](/create/rediscloud)
+ - [Videos](https://www.youtube.com/playlist?list=PL83Wfqi-zYZG6uGxBagsbqjpsi2XBEj1K)
+ - [Free Sign-up](https://redis.com/try-free)
+- **On-prem/local Redis**: Self-managed Redis using your own server and any operating system (Mac OS, Windows, or Linux).
+
+If you choose to use local Redis we strongly recommend using Docker. If you choose not to use Docker, use the following instructions based on your OS:
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+## Basic Querying with Redis
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+## Secondary Indexing and Searching with Redis
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+## Sync Redis with Other Databases
+
+RedisGears adds a dynamic execution framework for your Redis data that enables you to write and execute functions that implement data flows in Redis.
+
+Consider following example to sync data with MongoDB.
+
+- Create the below python file and update the MongoDB connection details, database, collection and primary key name to be synced
+
+```python title="write-behind.py"
+# Gears Recipe for a single write behind
+
+# import redis gears & mongo db libs
+from rgsync import RGJSONWriteBehind, RGJSONWriteThrough
+from rgsync.Connectors import MongoConnector, MongoConnection
+
+# change mongodb connection
+connection = MongoConnection("", "", "", "", "ENV_MONGODB_CONNECTION_URL")
+
+# change MongoDB database
+db = 'ENV_DB_NAME'
+
+# change MongoDB collection & it's primary key
+collection1Connector = MongoConnector(connection, db, 'ENV_COLLECTION1_NAME', 'ENV_COLLECTION1_PRIMARY_KEY')
+
+# change redis keys with prefix that must be synced with mongodb collection
+RGJSONWriteBehind(GB, keysPrefix='ENV_COLLECTION1_PREFIX_KEY',
+ connector=collection1Connector, name='Collection1WriteBehind',
+ version='99.99.99')
+```
+
+```env
+ENV_MONGODB_CONNECTION_URL=mongodb://usrAdmin:passwordAdmin@10.10.20.2:27017/dbSpeedMernDemo?authSource=admin
+ENV_DB_NAME=dbSpeedMernDemo
+ENV_COLLECTION1_NAME=movies
+ENV_COLLECTION1_PRIMARY_KEY=movieId
+ENV_COLLECTION1_PREFIX_KEY=movie
+```
+
+The code above demonstrates how you would sync a "movies" collection in MongoDB with Redis using the "movie" key prefix.
+
+To get this working you first need to load the python file into redis-server:
+
+```shell
+$ redis-cli rg.pyexecute "`cat write-behind.py`" REQUIREMENTS rgsync pymongo==3.12.0
+```
+
+Now, insert a JSON item in to Redis starting with the prefix specified in the python file (i.e. "movie"):
+
+```shell
+# redis-cli command
+> JSON.SET movie:123 $ '{"movieId":123,"name":"RRR","isActive": true}'
+```
+
+Now, verify whether the JSON is inserted into MongoDB.
+
+### Additional Resources For Syncing with Redis and Other Databases
+
+1. [Redis gear sync with MongoDB](https://github.com/RedisGears/rgsync/tree/master/examples/mongo)
+1. [RG.PYEXECUTE](https://oss.redis.com/redisgears/commands.html#rgpyexecute)
+1. [rgsync](https://github.com/RedisGears/rgsync#running-the-recipe)
+1. [gears-cli](https://github.com/RedisGears/gears-cli)
+1. [RedisGears dynamic script](/howtos/redisgears)
+
+## Probabilistic Data and Queries with Redis
+
+Redis Stack supports probabilistic datatypes and queries. Below you will find a stock leaderboard example:
+
+```shell
+# Reserve a new leaderboard filter
+> TOPK.RESERVE trending-stocks 12 50 4 0.9
+"OK"
+
+# Add a new entries to the leaderboard
+> TOPK.ADD trending-stocks AAPL AMD MSFT INTC GOOG FB NFLX GME AMC TSLA
+1) "null" ...
+
+# Get the leaderboard
+> TOPK.LIST trending-stocks
+1) "AAPL"
+2) "AMD"
+2) "MSFT" ...
+
+# Get information about the leaderboard
+> TOPK.INFO trending-stocks
+1) "k"
+2) "12"
+3) "width"
+4) "50"
+5) "depth"
+6) "4"
+7) "decay"
+8) "0.90000000000000002"
+```
+
+More details in [docs](https://redis.io/docs/stack/bloom/)
+
+## Graph Data and Queries with Redis
+
+Redis Stack is a NoSQL graph database that translates Cypher queries to matrix operations executed over a GraphBLAS engine. It's useful for social graph operation, fraud detection, and real-time recommendation engines. Below you will find an org chart graph example:
+
+```shell
+# Create any graph, for example an Org Chart
+> GRAPH.QUERY OrgChart "CREATE (:Employee {name:'Doug'}), (:Employee {name:'Dani'})-[:REPORTS_TO]->(:Employee {name:'Doug'}), (:Employee {name:'Otto'})-[:REPORTS_TO]->(:Employee {name:'Doug'})"
+1) 1) "Labels added: 1"
+ 2) "Nodes created: 5"
+ 3) "Properties set: 5"
+ 4) "Relationships created: 2"
+ 5) "Cached execution: 0"
+ 6) "Query internal execution time: 0.324600 milliseconds"
+
+# Get a list of employees and who they report to
+> GRAPH.QUERY OrgChart "MATCH (e:Employee)-[:REPORTS_TO]->(m:Employee) RETURN e.name, m.name"
+1) 1) "e.name"
+ 2) "m.name"
+2) 1) 1) "Dani"
+ 2) "Doug"
+ 2) 1) "Otto"
+ 2) "Doug"
+3) 1) "Cached execution: 0"
+ 2) "Query internal execution time: 0.288619 milliseconds"
+
+# Get a count of how many reports Doug has
+> GRAPH.QUERY OrgChart "MATCH (e:Employee)-[:REPORTS_TO]->(m:Employee {name: 'Doug'}) RETURN COUNT(e.name)"
+1) 1) "COUNT(e.name)"
+2) 1) 1) "2"
+3) 1) "Cached execution: 0"
+ 2) "Query internal execution time: 0.340888 milliseconds"
+```
+
+More details in [docs](https://redis.io/docs/stack/graph/)
+
+## TimeSeries Data and Queries with Redis
+
+Redis Stack supports time-series use cases such as IoT, stock prices, and telemetry. You can ingest and query millions of samples and events at the speed of Redis. You can also use a variety of queries for visualization and monitoring with built-in connectors to popular tools like Grafana, Prometheus, and Telegraf.
+
+The following example demonstrates how you might store temperature sensor readings in Redis Stack:
+
+```shell
+# Create new time-series, for example temperature readings
+> TS.CREATE temperature:raw DUPLICATE_POLICY LAST
+"OK"
+
+# Create a bucket for monthly aggregation
+> TS.CREATE temperature:monthly DUPLICATE_POLICY LAST
+"OK"
+
+# Automatically aggregate based on time-weighted average
+> TS.CREATERULE temperature:raw temperature:monthly AGGREGATION twa 2629800000
+"OK"
+
+# Add data to the raw time-series
+> TS.MADD temperature:raw 1621666800000 52 ...
+1) "1621666800000" ...
+
+# View the monthly time-weighted average temperatures
+> TS.RANGE temperature:monthly 0 +
+1) 1) "1621666800000"
+ 2) "52" ...
+
+# Delete compaction rule
+> TS.DELETERULE temperature:raw temperature:monthly
+"OK"
+
+# Delete partial time-series
+> TS.DEL temperature:raw 0 1621666800000
+(integer) 1
+```
+
+More details in [docs](https://redis.io/docs/stack/timeseries/)
+
+## Additional Resources
+
+- Join the [community](/community/)
+- [RedisInsight](https://redis.com/redis-enterprise/redis-insight/)
+
+
diff --git a/docs/howtos/quick-start/java/_java-basic-querying.mdx b/docs/howtos/quick-start/java/_java-basic-querying.mdx
new file mode 100644
index 00000000000..0ec8b083d10
--- /dev/null
+++ b/docs/howtos/quick-start/java/_java-basic-querying.mdx
@@ -0,0 +1 @@
+TODO: Examples coming soon
diff --git a/docs/howtos/quick-start/java/_java-secondary-indexing.mdx b/docs/howtos/quick-start/java/_java-secondary-indexing.mdx
new file mode 100644
index 00000000000..0ec8b083d10
--- /dev/null
+++ b/docs/howtos/quick-start/java/_java-secondary-indexing.mdx
@@ -0,0 +1 @@
+TODO: Examples coming soon
diff --git a/docs/howtos/quick-start/node/_node-basic-querying.mdx b/docs/howtos/quick-start/node/_node-basic-querying.mdx
new file mode 100644
index 00000000000..e1c2b783e94
--- /dev/null
+++ b/docs/howtos/quick-start/node/_node-basic-querying.mdx
@@ -0,0 +1,90 @@
+```shell
+# install redis in the project
+npm install redis --save
+```
+
+```js
+//create client & connect to redis
+
+import { createClient } from 'redis';
+
+const client = createClient({
+ //redis[s]://[[username][:password]@][host][:port][/db-number]
+ url: 'redis://alice:foobared@awesome.redis.server:6380',
+});
+
+client.on('error', (err) => console.log('Redis Client Error', err));
+
+await client.connect();
+```
+
+```js
+// Check specific keys
+const pattern = '*';
+await client.keys(pattern);
+
+//------------
+// Check number of keys in database
+await client.dbsize();
+
+//------------
+// set key value
+await client.set('key', 'value');
+await client.set('key', 'value', {
+ EX: 10,
+ NX: true,
+});
+
+//------------
+// get value by key
+const value = await client.get('key');
+
+//------------
+//syntax : delete keys
+await client.del('key');
+const keyArr = ['key1', 'key2', 'key3'];
+await client.del(...keyArr);
+
+//------------
+// Check if key exists
+await client.exists('key');
+
+//------------
+// set expiry to key
+const expireInSeconds = 30;
+await client.expire('key', expireInSeconds);
+
+//------------
+// remove expiry from key
+await client.persist('key');
+
+//------------
+// find (remaining) time to live of a key
+await client.ttl('key');
+
+//------------
+// increment a number
+await client.incr('key');
+
+//------------
+// decrement a number
+await client.decr('key');
+
+//------------
+// use the method below to execute commands directly
+await client.sendCommand(['SET', 'key', 'value']);
+```
+
+```js
+//graceful disconnecting
+await client.quit();
+
+//forceful disconnecting
+await client.disconnect();
+```
+
+### Additional Resources
+
+1. [node-redis Github repo](https://github.com/redis/node-redis)
+1. [Node.js Redis Crash Course](/develop/node/node-crash-course)
+1. JavaScript/NodeJS apps on the [Redis Launchpad](https://launchpad.redis.com/)
diff --git a/docs/howtos/quick-start/node/_node-secondary-indexing.mdx b/docs/howtos/quick-start/node/_node-secondary-indexing.mdx
new file mode 100644
index 00000000000..5732dc9cfbb
--- /dev/null
+++ b/docs/howtos/quick-start/node/_node-secondary-indexing.mdx
@@ -0,0 +1,149 @@
+
+The following example uses [Redis OM Node](https://github.com/redis/redis-om-node), but you can also use [Node Redis](https://github.com/redis/node-redis), [IO Redis](https://github.com/luin/ioredis), or any other supported [client](https://redis.io/resources/clients/)
+
+```shell
+# install RedisOM in the project
+npm install redis-om --save
+```
+
+- create RedisOM Client & connect to redis
+
+```js
+//client.js file
+
+import { Client } from 'redis-om';
+
+// pulls the Redis URL from .env
+const url = process.env.REDIS_URL;
+
+const client = new Client();
+await client.open(url);
+
+export default client;
+```
+
+- Create Entity, Schema & Repository
+
+```js
+//person.js file
+
+import { Entity, Schema } from 'redis-om';
+import client from './client.js';
+
+class Person extends Entity {}
+
+const personSchema = new Schema(Person, {
+ firstName: { type: 'string' },
+ lastName: { type: 'string' },
+ age: { type: 'number' },
+ verified: { type: 'boolean' },
+ location: { type: 'point' },
+ locationUpdated: { type: 'date' },
+ skills: { type: 'string[]' },
+ personalStatement: { type: 'text' },
+});
+
+export const personRepository = client.fetchRepository(personSchema);
+
+//creating index to make person schema searchable
+await personRepository.createIndex();
+```
+
+```js
+import { Router } from 'express';
+import { personRepository } from 'person.js';
+```
+
+- Insert example
+
+```js
+const input = {
+ firstName: 'Rupert',
+ lastName: 'Holmes',
+ age: 75,
+ verified: false,
+ location: {
+ longitude: 45.678,
+ latitude: 45.678,
+ },
+ locationUpdated: '2022-03-01T12:34:56.123Z',
+ skills: ['singing', 'songwriting', 'playwriting'],
+ personalStatement: 'I like piña coladas and walks in the rain',
+};
+let person = await personRepository.createAndSave(input);
+```
+
+- Read example
+
+```js
+const id = person.entityId;
+person = await personRepository.fetch(id);
+```
+
+- Update example
+
+```js
+person = await personRepository.fetch(id);
+
+person.firstName = 'Alex';
+
+//null to remove that field
+person.lastName = null;
+
+await personRepository.save(person);
+```
+
+- Update location sample
+
+```js
+const longitude = 45.678;
+const latitude = 45.678;
+const locationUpdated = new Date();
+
+const person = await personRepository.fetch(id);
+person.location = { longitude, latitude };
+person.locationUpdated = locationUpdated;
+await personRepository.save(person);
+```
+
+- Search examples
+
+```js
+// Get all person records
+const queryBuilder = personRepository.search();
+const people = await queryBuilder.return.all();
+
+// Multiple AND conditions example
+const queryBuilder = personRepository
+ .search()
+ .where('verified')
+ .eq(true) // ==
+ .and('age')
+ .gte(21) // >=
+ .and('lastName')
+ .eq(lastName);
+//console.log(queryBuilder.query);
+const people = await queryBuilder.return.all();
+
+// Multiple OR conditions example
+const queryBuilder = personRepository
+ .search()
+ .where('verified')
+ .eq(true)
+ .or((search) => search.where('age').gte(21).and('lastName').eq(lastName))
+ .sortAscending('age');
+const people = await queryBuilder.return.all();
+```
+
+- Delete example
+
+```js
+await personRepository.remove(id);
+```
+
+### Useful Resources
+
+1. [Github repo](https://github.com/redis/redis-om-node)
+1. [Getting started docs](https://redis.io/docs/stack/get-started/tutorials/stack-node/)
+1. [Getting started video](https://www.youtube.com/watch?v=KUfufrwpBkM)
+ - [Source code](https://github.com/redis-developer/express-redis-om-workshop)
diff --git a/docs/howtos/quick-start/python/_python-basic-querying.mdx b/docs/howtos/quick-start/python/_python-basic-querying.mdx
new file mode 100644
index 00000000000..c3fae8b6d11
--- /dev/null
+++ b/docs/howtos/quick-start/python/_python-basic-querying.mdx
@@ -0,0 +1,69 @@
+```shell
+# install redis in the project
+pip install redis
+```
+
+```python
+import redis
+
+pool = redis.ConnectionPool(host='localhost', port=6379, db=0)
+r = redis.Redis(connection_pool=pool)
+
+# Check specific keys
+r.keys('*')
+
+#------------
+# Check number of keys in database
+r.dbsize()
+
+#------------
+# set key value
+r.set('key', 'value')
+r.set('key', 'value', ex=10, nx=True)
+
+#------------
+# get value by key
+value = r.get('key')
+
+#------------
+# syntax : delete keys
+r.delete('key')
+r.delete('key1', 'key2', 'key3')
+
+#------------
+# Check if key exists
+r.exists('key')
+
+#------------
+# set expiry to key
+expireInSeconds = 30
+r.expire('key', expireInSeconds)
+
+#------------
+# remove expiry from key
+r.persist('key')
+
+#------------
+# find (remaining) time to live of a key
+r.ttl('key')
+
+#------------
+# increment a number
+r.incr('key')
+
+#------------
+# decrement a number
+r.decr('key')
+
+#------------
+# use the method below to execute commands directly
+r.execute_command('SET', 'key', 'value')
+```
+
+- For more information, checkout the
+
+### Additional Resources
+
+1. [redis-py Github repo](https://github.com/redis/redis-py)
+1. [Using Redis with Python and FastAPI](/develop/python/fastapi)
+1. Python apps on the [Redis Launchpad](https://launchpad.redis.com/)
diff --git a/docs/howtos/quick-start/python/_python-secondary-indexing.mdx b/docs/howtos/quick-start/python/_python-secondary-indexing.mdx
new file mode 100644
index 00000000000..b284c131461
--- /dev/null
+++ b/docs/howtos/quick-start/python/_python-secondary-indexing.mdx
@@ -0,0 +1,129 @@
+The following example uses [Redis OM Python](https://github.com/redis/redis-om-python), but you can also use [redis-py](https://github.com/redis/redis-py) or any other supported [client](https://redis.io/resources/clients/)
+
+```shell
+# install Redis OM in the project
+pip install redis-om
+```
+
+Create a JSON model
+
+```python
+import datetime
+import dateutil.parser
+from typing import List, Optional
+
+from redis_om import (
+ EmbeddedJsonModel,
+ JsonModel,
+ Field,
+ Migrator,
+)
+
+class Point(EmbeddedJsonModel):
+ longitude: float = Field(index=True)
+ latitude: float = Field(index=True)
+
+
+class Person(JsonModel):
+ first_name: str = Field(index=True)
+ last_name: Optional[str] = Field(index=True)
+ age: int = Field(index=True)
+ verified: bool
+ location: Point
+ location_updated: datetime.datetime = Field(index=True)
+ skills: List[str]
+ personal_statement: str = Field(index=True, full_text_search=True)
+
+
+# Before running queries, we need to run migrations to set up the
+# indexes that Redis OM will use. You can also use the `migrate`
+# CLI tool for this!
+Migrator().run()
+```
+
+- Insert example
+
+```python
+person = Person(**{
+ "first_name": "Rupert",
+ "last_name": "Holmes",
+ "age": 75,
+ "verified": False,
+ "location": {
+ "longitude": 45.678,
+ "latitude": 45.678
+ },
+ "location_updated": dateutil.parser.isoparse("2022-03-01T12:34:56.123Z"),
+ "skills": ["singing", "songwriting", "playwriting"],
+ "personal_statement": "I like piña coladas and walks in the rain"
+}).save()
+```
+
+- Read example
+
+```python
+id = person.pk
+person = Person.get(id)
+```
+
+- Update example
+
+```python
+person = Person.get(id)
+person.first_name = "Alex"
+person.last_name = None
+person.save()
+```
+
+- Update embedded JSON example
+
+```python
+person = Person.get(id)
+person.location = Point(longitude=44.678, latitude=44.678)
+person.location_updated = datetime.datetime.now()
+person.save()
+```
+
+- Search examples
+
+```python
+# Get all Person records
+
+all = Person.find().all()
+
+# Multiple AND conditions example
+
+people = Person.find(
+ (Person.age > 21) &
+ (Person.first_name == "Alex")
+).all()
+
+# Multiple OR conditions example
+
+people = Person.find(
+ (Person.age > 75) |
+ (Person.first_name == "Alex")
+).all()
+
+# Multiple AND + OR conditions example
+
+people = Person.find(
+ ((Person.age > 21) &
+ (Person.first_name == "Alex")) &
+ ((Person.age > 75) |
+ (Person.first_name == "Alex"))
+).all()
+```
+
+- Delete example
+
+```python
+Person.get(id).delete()
+```
+
+### Useful Resources
+
+1. [Github repo](https://github.com/redis/redis-om-python)
+1. [Getting started docs](https://redis.io/docs/stack/get-started/tutorials/stack-python/)
+1. [Getting started video](https://www.youtube.com/watch?v=PPT1FElAS84)
+ - [Source code](https://github.com/redis-developer/redis-om-python-flask-skeleton-app)
diff --git a/docs/howtos/quick-start/setup/_docker-setup.mdx b/docs/howtos/quick-start/setup/_docker-setup.mdx
new file mode 100644
index 00000000000..2cea742eb40
--- /dev/null
+++ b/docs/howtos/quick-start/setup/_docker-setup.mdx
@@ -0,0 +1,16 @@
+
+The `docker run` command below exposes redis-server on port 6379 and RedisInsight on port 8001. You can use RedisInsight by pointing your browser to `http://localhost:8001`.
+
+```shell
+# install
+$ docker run -d --name redis-stack -p 6379:6379 -p 8001:8001 redis/redis-stack:latest
+```
+
+You can use `redis-cli` to connect to the server at `localhost:6379`. If you don’t have `redis-cli` installed locally, you can run it from the Docker container like below:
+
+```shell
+# connect
+$ docker exec -it redis-stack redis-cli
+```
+
+Detailed Docker instructions can be viewed [here](/create/docker/redis-on-docker)
diff --git a/docs/howtos/quick-start/setup/_linux-setup.mdx b/docs/howtos/quick-start/setup/_linux-setup.mdx
new file mode 100644
index 00000000000..19a8f4874e8
--- /dev/null
+++ b/docs/howtos/quick-start/setup/_linux-setup.mdx
@@ -0,0 +1,61 @@
+
+
+### Using APT with Ubuntu/Debian
+
+Works with Ubuntu 16.04, 18.04, or 20.04 and Debian 11
+
+```shell
+curl -fsSL https://packages.redis.io/gpg | sudo gpg --dearmor -o /usr/share/keyrings/redis-archive-keyring.gpg
+echo "deb [signed-by=/usr/share/keyrings/redis-archive-keyring.gpg] https://packages.redis.io/deb $(lsb_release -cs) main" | sudo tee /etc/apt/sources.list.d/redis.list
+sudo apt-get update
+sudo apt-get install redis-stack-server
+```
+
+### From the official RPM Feed
+
+Works with RHEL7/CentOS7 or RHEL8/CentOS8
+
+Create the file /etc/yum.repos.d/redis.repo with the following contents:
+
+```
+[Redis]
+name=Redis
+baseurl=http://packages.redis.io/rpm/rhel7
+enabled=1
+gpgcheck=1
+```
+
+```shell
+curl -fsSL https://packages.redis.io/gpg > /tmp/redis.key
+sudo rpm --import /tmp/redis.key
+sudo yum install epel-release
+sudo yum install redis-stack-server
+```
+
+### With snap
+
+Download the [latest Redis Stack snap package](https://redis.io/download/#redis-stack-downloads).
+
+To install, run:
+
+```shell
+$ sudo snap install --dangerous --classic