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

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

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

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. Graph-Powered Search: Neo4j & Elasticsearch
refcard cover
Refcard #252

Graph-Powered Search: Neo4j & Elasticsearch

See how combining technologies adds another level of quality to search results. In this new Refcard, we include code and examples for using Elasticsearch to enable full-text search and Neo4j to power graph-aided search.

Download Refcard
Free PDF for Easy Reference
refcard cover

Written By

author avatar Alessandro Negro
Chief Scientist, GraphAware
author avatar Michael Hunger
Head of Spring Integration and Developer Advocate, Neo4j
author avatar Christophe Willemsen
Neo4j Senior Consultant, GraphAware
Table of Contents
► Introduction ► The Value of Search ► The Power of the Graph ► A Graph-Centric Architecture for Search Platforms ► Single Knowledge Graph, Multiple Views ► Syncing Updates to Elasticsearch ► Customizing Results Using Recommendations ► Searching With Graph Boost ► References
Section 1

Introduction

Why Search and Why Graph

Search is a key feature of most applications. Users search for products, places, other users, documents, and more. And while structured search was common for early applications, today, driven by the ubiquity of internet search engines, full-text search dominates the usage.

The world around us consists of connected information. Being able to store and query those rich networks of data allows us to support decisions, make recommendations, and predict impacts. Graph databases enable both transactional as well as analytical uses on top of our highly connected domains.

Bringing both together allows us to enhance search results with graph-based capabilities like recommendation features or concept search, and also to use advanced search results as entry points to graph traversals.

Our Use Case: Multi-Faceted Search with Recommendations

Each domain has specific expectations in terms of search relevance and a different set of issues, constraints, and requirements.

Our use case example is product search, used by any retailer (Amazon, eBay, Target, etc.).

Text search and catalog navigation are not only the entry points for users but they are also the main “salespeople”. Compared to other search engines, the set of “items” to be searched is more controlled and regulated.

For the search infrastructure, these aspects have to be taken into account:

  • Multiple data sources: Products and related information come from various heterogeneous sources like product suppliers, information providers, and sellers.
  • Marketing strategy: New promotions, offers, and marketing campaigns are created to promote the site or specific products. All of them should affect results boosting.
  • Personalization: In order to provide a better and more customized user experience, clicks, purchases, search queries, and other user signals must be captured, processed, and used to personalize search results.
  • Provider information: Product suppliers are the most important. They provide information like quantity, availability, delivery options, timing, and changes in the product’s details.

All these requirements and data sources affect search results in several ways. Designing a search infrastructure for e-commerce vendors requires an entire ecosystem of data and related data flows together with platforms to manage them.

Section 2

The Value of Search

Search is a conversation between a user and a search engine.

Search is ubiquitous in modern applications. It’s the fastest way to find relevant information in vast amounts of data. The search engine needs the ability to provide relevant results to the user’s search terms, as well as to further refine and filter the search.

Faceting

Initial search results are often too broad and need to be filtered or refined, e.g., by using facets. Facets are categories derived from the search results that are useful for narrowing a search. Each facet represents an attribute of the structured information like category, price, color, location, etc., and comes with a count of contained results.

Image title

Example of Faceted Search Result Page

Search Engine Internals

  1. Indexing: Documents are processed to make them searchable.
  2. User input: Users specify the search request through some form of user interface or API.
  3. Ranking: The search engine compares the input to the index and ranks documents according to how closely they match the query.
  4. Results display: The final results are displayed via a user interface.

An index is a collection of documents that share some characteristics. For example, you can have different indexes for customer data, product catalog, order data, etc.

It is identified by an (all lowercase) name to perform indexing, search, update, and delete operations against the contained documents.

A document is a basic unit of information that can be indexed. Any number of JSON documents of different types are stored in those indexes.

Indexing

Documents that are added to a search index are analyzed and prepared in order to create the inverted index data-structure in Lucene and other related structures to allow fast result retrieval during search. These are the steps of the document analysis:

  • Tokenization
    • Breaking up a string into tokens to be indexed
    • Consistent handling of punctuation, numbers, and other symbols
    • Handle multiple tokenizations of compound words to match possible inputs
  • Downcasing
    • All words are converted to lowercase for case-insensitive search
  • Stemming/stopword removal
    • Strips words of suffixes, plurals, and conjugations
  • Synonym expansion
    • Remove commonly occurring words
    • Newer search engines keep them for better results
    • Resolve synonyms via thesauri and add to index
    • Alternatively, synonym resolution can be done on search terms instead

Example for Index Creation

In Elasticsearch, during the index creation, it is possible to specify:

  • All settings for the index
    • Number of shards and replicas
    • Custom analyzers
  • The mapping that defines how a document, and the fields it contains, are stored and indexed

To create a simple index with one shard and two replicas for type customer with name and description (using a pre-defined analyzer for English text) fields, this call is used:

1
PUT customers
2
{
3
    "settings" : {
4
        "number_of_shards" : 1,
5
        "number_of_replicas": 2
6
    },
7
    "mappings" : {
8
        "customer" : {
9
            "properties" : {
10
                "name" : { "type" : "keyword" },
11
                "description" : { "type" : "text", "analyzer": "english" }
12
            }
13
        }
14
    }
15
}

For more detail on Elasticsearch index creation, refer to the documentation here.

Search Query Language

Elasticsearch provides a search API for executing queries and a JSON-based Query DSL to define queries.

The DSL has two types of clauses:

  • Leaf clauses: check for particular value in a field (e.g., match, term, or range queries). These can be used on their own.

  • Compound clauses: Wrap other leaf or compound clauses to combine them in a logical fashion (e.g., bool or dis_max), or to alter their behavior (e.g., constant_score).

The behavior of a query clause depends on the context:

  • Query context: search for documents matching the query and calculate a relevance score
  • Filter context: just check if a document matches; no scores are calculated.
15
1
GET /_search
2
{
3
  "query": { 
4
    "bool": { 
5
      "must": [
6
        { "match": { "title":   "Search"        }}, 
7
        { "match": { "content": "Elasticsearch" }}  
8
      ],
9
      "filter": [ 
10
        { "term":  { "status": "published" }}, 
11
        { "range": { "publish_date": { "gte": "2015-01-01" }}} 
12
      ]
13
    }
14
  }
15
}

More detail can be found here

Section 3

The Power of the Graph

Connected data is all around us and enables new types of applications. Everything from history and politics to economics, markets, science, and information processing is based on interrelated information.

Use cases like social networks, routing, shopping, entertainment recommendations, and online data management (e.g., health tracking) become more and more important.

Graph Databases were developed to efficiently store, manage, and query that highly variable and richly connected data.

Graph Data Model

The underlying property graph model consists of labeled nodes connected by directed, named relationships, both of which can hold arbitrary properties. It allows for expressive representation of any domain or use case.

Image title


Property Graph Model


The property graph allows you to consistently use the same model throughout all phases of a software project, making it also usable for non-technical stakeholders.

Image title

Property Graph Model

With the schema optional model, you can evolve your domain model as quickly as your requirements change, as no costly schema changes and migrations are necessary.

Graph Query Language

To keep the richness of a graph model drawn on a whiteboard, we can use the declarative Cypher query language. It uses ASCII-Art to represent graph patterns of nodes and relationships.

(:Customer)-[:BOUGHT]->(:Product)-[:IN_CATEGORY]->(:Category)

The query language is centered around these graph patterns. They can be used in clauses, expressions, and conditions to find and create data. Most of the non-pattern clauses were borrowed from other query languages like SQL.

Import (CSV) data, creating products:

6
1
LOAD CSV WITH HEADERS FROM "url" AS row
2
MERGE (c:Category {id: row.catId}) 
3
 ON CREATE SET c.name = row.catName;
4
CREATE (p:Product {id: row.prodId}) 
5
 SET p.name = row.prodName
6
CREATE (p)-[:IN_CATEGORY {added:row.date}]->(c)

Query data - products for category:

4
1
MATCH (p:Product)-[rel:IN_CATEGORY]->(c:Category) 
2
WHERE c.name CONTAINS "Ice"
3
RETURN p.name, c.name 
4
ORDER BY rel.added DESC;

Built-in Lucene Indexes

For a long time, Neo4j has been using Apache Lucene to provide a lookup mechanism for starting points of graph traversals. Especially with explicit index procedures, you can use the full power of the Lucene query syntax to select the nodes your graph traversal would start with. Explicit Lucene indexes can also be configured with custom Analyzers and Stemmers as well as case sensitivity.

5
1
CALL db.index.explicit.searchNodes('products', $searchQuery ) 
2
YIELD node as product, weight
3
MATCH (product)<-[:BOUGHT]-(user)-[:BOUGHT]->(reco)
4
RETURN reco, count(*) as freq, weight
5
ORDER BY freq * weight DESC LIMIT 10

Database Extensions

As an open-source database system, Neo4j can be extended in a variety of ways. You can subscribe to database updates via a TransactionEventHandler, which gives you access to added, updated, and removed Nodes and Relationships and their labels and attributes. This can be used, for example, to send data to other, eventual consistent systems like a search engine or auditing system.

5
1
public String beforeCommit(TransactionData data) {
2
  data.createdNodes.forEach(node -> {
3
    replicateToElastic(node); 
4
  });
5
}

Furthermore, we can add user-defined procedures and functions that expose new capabilities to the Cypher query language, e.g., direct access to other data systems (like Elasticsearch) or even the underlying built-in Lucene indexes.

Section 4

A Graph-Centric Architecture for Search Platforms

The following high-level architecture contains:

  • The knowledge graph as central element
  • The type and amount of data to be processed
  • The related data flows
  • Requirements in terms of textual search capabilities

Image title

The data flow is composed of several data sources like product information sources, product offers, sellers, click streams, feedback, and more. All of these data items flow from outside to inside the data architecture using Apache Kafka as the queue and streaming platform for building real-time data pipelines. Information goes through a multi-step process where it is transformed before being stored in Neo4j, the main database of the infrastructure.

The raw sources are then enriched and processed and new relationships between objects are created. In this way, the knowledge graph is created and maintained. Many machine learning tools and data mining algorithms as well as Natural Language Processing operations are applied to the graph and new relationships are inferred and stored. In order to process this huge amount of data, an Apache Spark cluster is seamlessly integrated into the architecture through the Neo4j Spark Connector.

At this point, data is transformed into several document types and sent to an Elasticsearch cluster where it is stored as documents. In Elasticsearch, these documents are analyzed and indexed for providing text search. The front end interacts with Neo4j to provide advanced features that require graph queries that cannot be expressed using documents or simple text searches.

Neo4j is at the core of the architecture – it is the main database, the “single source of truth” of the product catalog, since it stores the entire knowledge graph on which all the searches and navigations are performed. It is a viable tool in a relevant search ecosystem, offering a suitable model not only for representing complex data (text, user models, business goals, and context information), but also for providing efficient ways of navigating this data in real time.

Section 5

Single Knowledge Graph, Multiple Views

A knowledge graph is composed of entities and relationships that describe facts in the real world. The use of graphs for representing complex knowledge and storing them in an easy-to-query model has become prominent for information management. Sometimes defined as “encyclopaedias for machines,” knowledge graphs have become a crucial resource for advanced search, machine learning, and data mining applications.

Multiple Data Sources, a Single Graph

Graphs — and in particular, knowledge graphs — provide the right information structure to merge data coming from multiple data sources in a single source of truth.

The search architecture must be able to handle highly heterogeneous data in terms of sources, schema, volume, and frequency of generation.

Moreover, these data sources have to be accessed as a single data source, so they must be normalized and stored using a unified schema structure that satisfies all the informational and navigational requirements of a search.

A simplified example of such a knowledge graph is represented in the following image:

Image title

Retail Knowledge Graph

Once the plethora of data is organized in an organic and homogeneous structure, it goes through a process of enrichment that comprises three main categories: cleansing, existing data augmentation, and data merging.

  1. Cleansing. It’s usually well worth the time to parse through elements, look for mistakes such as misspellings and duplications, and correct them. Otherwise, users might not find a document because it contains a misspelling of the query term.
  2. The existing data is post-processed to augment the features already there. For instance, machine learning techniques can be used to classify or cluster documents. The possibilities are endless. After this new metadata is connected to the main elements, it can serve as a valuable feature for users to search through.
  3. New information is gathered from external sources like ConceptNet 5. The goal is to provide users with every possible opportunity to find the document they are looking for, even though users express the same meaning using different but related words. This means more and richer search features.

The result of that process is a highly connected knowledge graph that represents the single source of truth for each entity. This valuable source of knowledge needs to be accessed and navigated to be effective.

Provide Multiple Views in Elasticsearch for Fast Access

Graph queries allow you to access data exploiting connections between elements, but they don’t enable efficient textual searches. On the other side, search engines like Elasticsearch provide fast, reliable, and easy-to-tune textual searches.

In order to leverage such functionalities and provide efficient search to end users, data can be projected from the graph in a document format and stored in indexes in Elasticsearch. There, such documents can be analyzed according to the mapping defined for the index, and then become available for access using textual searches.

Defining Multiple View Indexes

Since the knowledge graph represents multiple sets of information, the same data source can be used to serve multiple scopes, such as navigation and search, faceting, item details, and so on. Multiple views are, therefore, extracted and stored in several indexes in Elasticsearch, each of which could provide a different perspective on different types of search features.

Each view has to be designed, and this process requires you to:

  1. Define the query to extract salient data from the graph;
  2. Identify the list of fields in the document;
  3. Choose the analyzers;
  4. Define the mapping to the document.

This is an example of a query used to export the list of features for a specific product, taking different languages into consideration:

7
1
MATCH (p:Product)-[:HAS_DATA]->(pd:ProductData)
2
               -[:HAS_ATTRIBUTE]->(f:Attribute)
3
WHERE id(p) = {id}
4
MATCH (f)-[:HAS_KEY]->(k:Key)
5
MATCH (f)-[:HAS_VALUE]->(v:Value)
6
RETURN k.field_name as key, 
7
    collect(v.locale + ":" + v.data) as values
Section 6

Syncing Updates to Elasticsearch

The updates in the graph database should be reflected in the Elasticsearch indexes. Ideally, the users should be able to define the graph entities to be replicated as well as the semantics of the documents that will be sent to Elasticsearch.

We call this configuration “replication mapping,” and as shown in the sections below, the GraphAware Neo4j to Elasticsearch plugin makes this configuration easy and flexible — it uses a JSON format and the Spring Expression Language.

The Neo4j Elasticsearch Plugin

The GraphAware Neo4j to Elasticsearch plugin is an extension that takes care of replicating updates to the Graph as JSON documents to Elasticsearch.

Based on replication mapping, it does the following:

  1. Inspect transactional changes asynchronously;
  2. Determine if an update is relevant to be replicated;
  3. Transform changes into JSON and send to Elasticsearch.
8
1
"node_mappings": [{
2
  "condition": "hasLabel('Person')",
3
  "type": "persons",
4
  "properties": {
5
    "name": "getProperty('firstName') + ' ' 
6
           + getProperty('lastName')"
7
  }
8
}]

This simple replication mapping dictates that updates (creations, updates, or deletes) of Person nodes should be replicated as an ES document with a name entry being a concatenation of the firstName and lastName properties.

Example Setup and Update Walkthrough

Install and configure the plugin:

Download and install the following jars in the plugins directory of your Neo4j database:

  • graphaware-server-community-all-3.3.x.jar
  • graphaware-neo4j-to-elasticsearch-3.3.x.jar

Enable the plugin and provide your first replication mapping:

Add to conf/neo4j.conf configuration

9
1
com.graphaware.runtime.enabled=true
2
com.graphaware.module.ES.1=\
3
  com.graphaware.module.es.ElasticSearchModuleBootstrapper
4
com.graphaware.module.ES.uri=localhost
5
com.graphaware.module.ES.port=9201
6
com.graphaware.module.ES.relationship=(true)
7
com.graphaware.module.ES.mapping=\
8
  com.graphaware.module.es.mapping.JsonFileMapping
9
com.graphaware.module.ES.file=mapping.json

Configuration in conf/mapping.json

​x
1
{ "defaults": {
2
   "key_property": "uuid",
3
   "nodes_index": "node-index",
4
   "relationships_index": "relationship-index",
5
   "include_remaining_properties": true,
6
   "blacklisted_node_properties": ["password"],
7
   "blacklisted_relationship_properties": ["uuid"],
8
   "exclude_empty_properties": false},
9
​
10
  "node_mappings": [{
11
     "condition": "hasLabel('Person')",
12
     "type": "persons",
13
     "properties": {
14
       "name": "getProperty('firstName') + ' ' 
15
              + getProperty('lastName')",
16
       "labels": "getLabels()"
17
     },{
18
     "condition": "getLabels().length == 0",
19
     "type": "nodes-without-labels"
20
   }],
21
​
22
  "relationship_mappings": [{
23
     "condition": "isType('WORKS_AT')",
24
     "type": "workers"
25
}]}
  • defaults map that will be applied to all definitions
  • uuid setting: which property of a node or relationship will be used as the unique identifier as well as the ES document ID
  • include_remaining_properties has to include the properties of the object that are not specified in the definition

Now, restart the Neo4j server and the extension is ready to use.

Section 7

Customizing Results Using Recommendations

Users’ behavior and preferences can become a new source of information.

Profile-Based Personalization

Tracking knowledge of individual users happens with profiles. At query time, the user profile and its information is used to boost documents accordingly.

User profiles can be gathered differently:

  • explicitly users provide information (ages, location, gender, and so on);
  • implicitly determine user interests, demographics, and other attributes by observing user behavior.

User profiles can be used during search, e.g., by respecting brand affinity or interest in reviews or detailed product information.

Behavioral-Based Personalization

The notion described above can be improved with collaborative filtering. This technique uses historical information about user-item interactions (“users that bought this also bought these”) to find items that naturally clump together by predicting peer-group behavior.

The output is a model that determines which items are most closely associated to a given user or item.

Tying User Behavior and Profile Information Back to the Search Index

Let’s consider a standard, text-only search approach by incorporating collaborative filtering or profile as a multiplicative boost.

Our starting query is:

6
1
{ 
2
  "query": {
3
    "multi_match": {
4
      "query": "summer dress",
5
      "fields": ["title^3", "description"]
6
    }}}

To incorporate collaborative filtering, apply a multiplicative boost using a function_score query:

13
1
{
2
  "query": {
3
    "function_score": {
4
      "query": {
5
        "multi_match": {
6
          "query": "summer dress",
7
          "fields": ["title^3", "description"]
8
        }
9
      },
10
      "functions": [{
11
        "filter": { COLLAB_FILTER },
12
        "weight": 1.1}]
13
}}}

The contents of your COLLAB_FILTER filter determines the boosted documents; their score is multiplied with the weight: 1.1 (plus 10%).

The different scores affect the ordering of the search results so that users will see results first that are more relevant based on their previous behavior.

With this approach the strategies for incorporating collaborative filtering can be implemented, each of which corresponds to a different COLLAB_FILTER- and indexing strategy. The strategies can also be combined.

Boost at Query Time. If the output of the collaborative filtering process is a set of user-to-item affinities, a suitable COLLAB_FILTER function can be specified:

5
1
COLLAB_FILTER = {
2
  "terms": {
3
    "id": ["item4816", "item3326", "item9432"]
4
  }
5
}

The system knows that the user performing the query could be interested in these named items. The search result is then modified to boost the score of these product by 10%.

Boost at Index Time. Add a new field to the documents being indexed named, for example, users_who_might_like with a list of all users who might like a given item. At query time, the COLLAB_FILTER will contain the user performing the query so that this will be used for boosting the results.

5
1
COLLAB_FILTER = {
2
  "term": {
3
    "users_who_might_like": "user121212"
4
  }
5
}
Section 8

Searching With Graph Boost

There are two different implementations that allow you to seamlessly extend searches provided by Elasticsearch with features such as customization and concept search.

Graph-Aided Search Approach

The Graph-Aided Search Plugin improves search results by using data stored in Neo4j. After the search, and before returning the results to the user, this plugin requests additional information from the graph to achieve its goal.

Two main features are exposed by the plugin:

  • Result Boosting: Change the scores of results. The new score can be computed by combining search score with the graph score with different weights or custom formulas.

Usage examples include boosting: 1. based on interest prediction (recommendations), 2. based on friends’ interests/likes, 3. content-based scoring, and 4. other graph-based scoring methods.

  • Result Filtering: Removing result documents with filters using Cypher queries that match document IDs.

Example query with boost:

22
1
{ "query" : {
2
      "match_all" : {}},
3
  "gas-booster" :{
4
    "name": "SearchResultCypherBooster",
5
    "query": 
6
      "MATCH (input:User) WHERE id(input) = 2
7
       MATCH p=(input)-[r:RATED]->(product)<-[r2:RATED]-(other)
8
       WITH other, 
9
       collect(reduce(i=0, r in rels(p) | i+r.rating)) as ratings
10
       WITH other, 
11
            reduce(x=0, rating in ratings | x+rating) 
12
            as score
13
       WITH other, score
14
       ORDER BY score DESC
15
       MATCH (other)-[:RATED]->(reco)
16
       RETURN reco.objectId as id, score
17
       LIMIT 500",
18
    "maxResultSize": 1000,
19
    "scoreName": "score",
20
    "identifier": "id"
21
     }
22
}

This query boosts the products in the result that are of interest to the customer, based on previous ratings.

Image title

Boosting Search Result with Graph Scores

The query processing steps are:

  1. Intercept and parse any “Search query” and try to find the GraphAidedSearch extension parameter;
  2. Process the query extension identifying the type of the extension (boosting or a filter) and instantiate the related class;
  3. Perform the operation required to boost or filter by calling the Neo4j API (or a Neo4j extension like GraphAware Recommendation Engine), passing all necessary information, e.g., Cypher query, target user, etc.;
  4. Return the filtered/boosted result set back to the user.

Knowledge Graph Approach

The previously described approach has the drawback of having to post-process a potentially large set of search results, which can be compute-intensive. We can flip that around by pre-processing the query that gets sent to the search engine.

Image title

Improving Query Specificity with Graph Information

The knowledge graph is the source of truth. Its data is inserted into Elasticsearch as several documents, with potentially different structures or additional fields to existing documents.

During this phase, concept search, personalizations and any other advanced features described earlier are applied. So for instance, fields like users_who_might_also_like or concepts are added to documents. Token vectors are enriched with synonym hierarchies. 

Once the documents are created and stored, we can use the following technique:

  1. Intercept the query and enrich it using data in the knowledge graph (user preferences, user profile, other concepts), as of filters or queries;
  2. The advanced query is then submitted to Elasticsearch;
  3. The results of the query are returned to the user.

This workflow is easier and more performant since the enrichment phase happens at the beginning and is performed on a smaller dataset. Only that enriched query runs on the search engine without post-processing, and so it will be very fast.

Section 9

References

  • [1] D. Turnbull, J. Berryman – Relevant Search, Manning
  • [2] A. L. Farris, G. S. Ingersoll, and T. S. Morton – Taming Text, Manning
  • Neo4j
  • GraphAidedSearch Extension
  • Elasticsearch

Like This Refcard? Read More From DZone

related article thumbnail

DZone Article

Knowledge Graph Search With Elasticsearch and Neo4j
related article thumbnail

DZone Article

Bill of Materials in Neo4j
related article thumbnail

DZone Article

Fraud Detection Using Artificial Intelligence and Machine Learning
related article thumbnail

DZone Article

Agile and Quality Engineering: A Holistic Perspective
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: