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 db4o
refcard cover
Refcard #053

Getting Started With db4o

Persisting .NET Object Data

Walks you through db4o's basic operations, its various query types, and techniques for optimal data access performance.

Download Refcard
Free PDF for Easy Reference
refcard cover

Written By

author avatar Stefan Edlich
Professor, TFH Berlin
author avatar Eric Falsken
Something, Acme
Table of Contents
► About db4o and Object Databases ► Getting Started ► Basic Database Operations ► Queries ► Dealing With Object Activation ► Configuration ► Cascading Operations, Callbacks and Class-Specific Configuration ► db4o Resources
Section 1

About db4o and Object Databases

By Stefan Edlich and Eric Falsken

db4o is the open source object database that enables developers to store and retrieve any application object with one line of code.

The Object Database (ODB) arrived in the software industry with the advent of object oriented languages. The ODB is primarily used as an application specific database in either extreme scale systems or embedded systems where typical DBA activities are automated.

If you are familiar with object-relational mapping (ORM) tools, then you are already an object database expert because many of the APIs and query languages are comparable. You will even find db4o both familiar and yet simpler to use as ORM tools as there is no requirement for XML mapping, annotations or IDs.

db4o was introduced in 2000 with a focus on performance, compactness, zero administration, simplicity and (the most important of all) native object persistence. Developers were finally able to combine the power of a full database engine with plain undecorated objects.

Section 2

Getting Started

Note

The current version of db4o at the time of this writing is version 7.8.

db4o comes distributed as a few native .NET assemblies. Only Db4objects.Db4o.dll is required for basic db4o operation. Use the Visual Studio "Add Reference" command to add the necessary assemblies. Then use the Solution Explorer to locate the new reference, right-click and open the properties window to ensure that "Copy Local" is set to true for each db4o assembly. This will copy the necessary db4o libraries to your application's bin folder automatically when compiling your project.

Note

Running db4o from the GAC is not supported.

Required Environment

Developing with db4o requires only the .NET SDK version 2.0 or better. (3.5 suggested)

Visual Studio 2008 or better is suggested for the best experience, but any .NET IDE will do. Microsoft Visual Studio 2008 Express editions are available for free download from Microsoft.

Running db4o requires only the .NET Framework to be installed. Some hosting environments, such as shared website hosting providers, do not allow code to run with full trust. When the environment is configured to run with reduced trust, all basic database operations require at least ReflectPermission (MemberAccess and ReflectionEmit) for the classes and types being persisted.

Required Libraries per Database Feature

Depending on the features your application requires, reference and distribute these assemblies when you distribute your application:

(Required for all Installations) Db4objects.Db4o.dll
Client-Server Db4objects.Db4o.CS.dll
LINQ Db4objects.Db4o.Linq.dll
Native Queries Db4objects.Db4o.NativeQueries.dll
Transparent Activation Db4objects.Db4o.Instrumentation.dll

Note

Run-time Optimization of LINQ, NQ, and TA requires the Mono.Cecil.dll and Cecil.FlowAnalysis.dll assemblies. Optimization can also be done at buildtime using Db4oTool.exe. (see db4o Reference Documentation for usage)

ObjectManager for Debugging

Included in the db4o distribution you'll find the installer for ObjectManager Enterprise (OME) which, once installed, will integrate into your Visual Studio Environment and allow you to open and inspect, query, and edit (value types only ) object instances stored in your database file.

Section 3

Basic Database Operations

A Complete Example

​x
1
​
2
IObjectContainer db =
3
Db4oFactory.OpenFile([filename]), ([config]);
4
try{
5
        // Store a few Person objects
6
        db.Store(new Person("Petra"));
7
        db.Store(new Person("Gallad"));
8
        // Retrieve the Person
9
        var results = db.Query<Person>(x => x.Name == "Petra");
10
        Person p = result.First();
11
        // Update the Person
12
        p.Name = "Peter";
13
        db.Store(p);
14
        // Delete the person
15
        db.Delete(p);
16
        // Don't forget to commit!
17
        db.Commit();
18
}
19
catch{
20
        db.Rollback();
21
}
22
finally{
23
        // Close the db cleanly
24
        db.Close();
25
}
26
​

Create or Open a Database File

3
1
​
2
IObjectContainer container = Db4oFactory.OpenFile([filename]);
3
​

While a db4o database file is open, it is locked and cannot be accessed by another application at the same time.

Hot Tip

It's important to know that db4o works best if you open the database file when you start working with data, and close the db when all posible operations are completed.

In traditional relational databases, it's common to open a connection, get/update data, close connection, and then perform your operation. Because db4o uses the native object (or referential) identity, it's better to open the database or connection when your application begins, do all your work, then close the database when your program is shutting down. You'll see why when we get to updating an object with our changes.

Starting a db4o Server

By default, the db4o server runs in-process within your application. To start a db4o server, place this code into your application:

5
1
​
2
IObjectServer server =
3
        Db4oFactory.OpenServer([filename], [port]);
4
server.GrantAccess([user], [password]);
5
​

To shut down the server:

3
1
​
2
server.Close();
3
​

The port parameter specifies the network port number. Acceptable values are any number above 1024 which are not already in use.

Hot Tip

Using Port 0 for your server creates an "Embedded" server which will not be available remotely. This is useful for multi-threaded operations or web-server style environments where you wish to handle parallel operations in a single process.

The GrantAccess() method must be called for each username/ password combination. It is not required at all for embedded servers.

Connecting to a db4o Server

After starting a db4o server instance, use either of the commands below to open a db4o client connection:

8
1
​
2
// In-Process mode (embedded server)
3
IObjectContainer client = server.OpenClient();
4
// Client/Server mode (remote server)
5
IObjectContainer client =
6
        Db4oFactory.OpenClient([serverAddress], [port], [user],
7
[password]);
8
​

To close the client connection to the server:

3
1
​
2
client.Close();
3
​

Storing an Object

4
1
​
2
db.Store(anObject);
3
db.Commit()
4
​

Just one line of code is all it takes. All of an object's properties and child objects will be stored.

Updating an Object

4
1
​
2
db.Store(anObject);
3
db.Commit();
4
​

Looks familiar? You can use the same Store(object) command to update an object. One difference, however, is that db4o will (for performance reasons) not automatically check child objects for changes.

Hot Tip

By default, db4o will NOT descend into child objects. Store() must be called for each modified object unless you change the default UpdateDepth (see the UpdateDepth parameter in the Configuration section, below) or configure cascading update for the persisted class.

There is one more thing to be aware of: db4o uses an object's native identity (referential identity) to identify an object and map it to the stored instance of the object. This means that there is only ever 1 instance of an object in memory for each stored instance of the object. (per ObjectContainer or connection) This is important when dealing with class instances that may come from ASP.NET ViewState, Web Services, Interop, or any other serialized source of object data.

Hot Tip

Avoid Confusion: Always make sure that the object you are trying to update or delete was previously stored or retrieved in the database. Calling Store() with 2 User objects both with an ID of "jack" will result in 2 separate instances. However, if you retrieve the user, and modify the first instance, then store it again, you will have only 1 updated instance in the database.

Deleting an Object

4
1
​
2
db.Delete(anObject);
3
db.Commit();
4
​

You didn't think it was any harder than that, did you? Like updates, db4o will not automatically delete child objects unless you configure cascading deletes for your object will remain in memory until the objects are refreshed or garbage collected.

Database Transactions

Whenever you start making changes to your database (using the Store() and Delete() commands) you are automatically in an open transaction. To close the transaction, use the Commit() method:

3
1
​
2
db.Commit();
3
​

Your changes will be permanently saved. If you wish to cancel or roll back any uncommitted changes, use the Rollback() method:

3
1
​
2
db.Rollback();
3
​

Hot Tip

Useful for beginners: Rollback only undoes uncommitted changes in the database. It will not undo changes to any currently loaded objects. So, when you call Rollback() you will not see any difference to your objects. If concerned about consistency, use the Refresh(object) command to cause the objects to be refreshed with stored database values.

Closing a database cleanly will automatically call Commit() for you, so any uncommitted transactions are committed automatically.

If the database is not closed cleanly, or if the application crashes at any time and uncommitted (or incomplete) transactions are discarded.

Section 4

Queries

Query by Example (QBE)

QBE lets you pass db4o an example object. db4o will search and return all objects which match the object you specify. To do this, db4o will reflect all of the properties of the object and assemble all non-default property values into a single query expression.

Hot Tip

Useful for beginners: QBE queries are not able to use advanced boolean constraints (AND, OR, NOT) and cannot constrain on default values (zero, empty strings, null). QBE queries also cannot query for value ranges (greater than, less than) or stringbased expressions (contains, starts with). So QBE can be used only to retrieve exact-value matches.

Here's an example QBE query that will contain all Customer objects with "Lee" as their Surname:

5
1
​
2
Customer proto = new Customer ()
3
        {Surname = "Lee"};
4
IObjectSet result = db.Get(proto);
5
​

Native Queries (NQ)

Like any query language, Native Queries are capable of expressing complex parameterized constraints, however NQ also have the benefit of being 100% compiler checked and can be refactored using common code refactoring tools. NQ can do all this because they are expressed as native .NET code rather than as strings (like SQL statements)

Hot Tip

Developers are encouraged to use the Native Query interfaces when working with db4o.

10
1
​
2
// NQ Lambda Expression (.NET 3.5 syntax)
3
var result = db.Query<type>(
4
        o => [boolean expression]);
5
// NQ Anonymous Method (.NET 2.0 syntax)
6
IList<type> result = db.Query<type>(
7
        delegate(type o){
8
                return [boolean expression];
9
        });
10
​

Native Query Examples

13
1
​
2
// Query all instances of a type.
3
IList<User> result = db.Query<User>();
4
// Query Users by Name.
5
IList<User> result = db.Query<User>(u => u.Name == "Joe");
6
// Query Users with at least 10 orders
7
IList<User> result = db.Query<user>(u => u.Orders.Count >= 10);
8
// Complex Query
9
IList<User> result = db.Query<User>(
10
        u => u.Name.StartsWith("Bob")
11
                && (u.Country == "Canada" | |
12
                        u.Country == "USA" );
13
​

Sorting Native Queries

Native Query results can be sorted by using an IComparer or a comparison delegate. Here is the query syntax:

3
1
​
2
IList<User> result = db.Query<User>([predicate],[comparer]);
3
​

And here's an example:

8
1
​
2
// All users with "Smith" in their name
3
// sorted by name
4
IList<User> result = db.Query<User>(
5
        u => u.Name.Contains("Smith"),
6
        (u1, u2) => u1.Name.CompareTo(u2.Name)
7
        );
8
​

LINQ Queries

LINQ was introduced by Microsoft .NET Framework version 3.5 (also called C# 3.0) in November 2007. To enable the use of LINQ queries, you'll need to add a reference to the Db4objects.Db4o.LINQ.dll assembly and import the Db4objects.Db4o.LINQ namespace. (with a using statement)

A full description of LINQ syntax will not fit in this document. You can find the URL to Microsoft's LINQ reference in the Resources section at the end.

LINQ Queries have all the benefit of compiler checking and automated code refactorability that Native Queries have, but are expressed in syntax more familiar to SQL developers. Here's one quick and easy example that gets all of the Customers with "Smith" in their name, and sorts the results by name.

7
1
​
2
var results =
3
        from Customer c in db
4
        where c.Name.Contains("Smith")
5
        orderby c.Name descending
6
        select c;
7
​

With LINQ queries you can:

  • Use ORDERBY to sort the results.
  • Use JOIN expressions to filter one dataset based on the contents of another.
  • Use Aggregate Expressions to get the sum, min, max, or average values and GROUPBY to group the results.
  • Use Anonymous Types to get back only the fields you wish.
  • Use an expression to process, filter, or format the data as it is returned from the database.
  • Use LINQ extensions like First(), Any(), All(), Single(), and ElementAt() to access or constrain the result set.

SODA Queries

SODA query expressions are a standard that was present in all but the earliest versions of db4o. Using combinations of SODA query and constraint keywords, you can build up what is called a query "graph". A graph is a network of objects which represent a segment of data.

Hot Tip

Before using SODA Queries, you must import the Db4objects.Db4o.Query Namespace. (with a using statement)

In this example, we're querying for all of the customers named "Smith".

6
1
​
2
IQuery query = db.Query();
3
query.Constrain(typeof(Customer));
4
query.Descend("Name").Constrain("Smith");
5
IObjectSet results = query.Execute();
6
​

And in this more complicated example, we'll use a compound constraint:

12
1
​
2
IQuery query = db.Query();
3
query.Constrain(typof(Customer));
4
IConstraint c1 = query
5
        .Descend("Name")
6
        .Constrain("Smith");
7
IConstraint c2 = query
8
        .Descend("Country")
9
        .Constrain("USA");
10
c1.And(c2);
11
IObjectSet results = query.Execute();
12
​

Notice how each of the calls to Constrain() will return an IConstraint? You can keep references to those constraints and then use constraint keywords like And(), Or(), and Not() to relate the constraints together, as we did at the end of that example.

Note that the Descend() method returns an IQuery too. So you could Descend() into an object, and then Execute() at a deeper level to return only the matching child objects, like in this example:

13
1
​
2
IQuery q1 = db.Query();
3
q1.Constrain(typeof(Customer)); // start with Customers
4
q1.Descend("Name")
5
        .Constrain("Smith");
6
IQuery q2 = q1.Descend("Orders"); // constrain Orders
7
// Order totals greater than $100.
8
q2.Descend("Total")
9
        .Constrain(100)
10
        .Greater();
11
// Since we want to return Orders, execute q2 instead of q1
12
IObjectSet results = q2.Execute();
13
​
SODA Query Interfaces
IQuery Provides the location for constraining or selecting.
IConstraint Constrains the query results with the current IQuery node
SODA Query Keywords
Descend Move from one node to another
OrderAscending Order the result ascending according to the current node.
OrderDescending Order the result descending according to the current node.
Execute Execute the query graph and return the objects at the current node.
SODA Constraint Keywords
And(IConstraint) Performs an AND (&&) comparison between 2 constraints.
Contains() For collection nodes, matches will contain the specified value. For string values, behaves as Like().
EndsWith(bool) For strings, matches will end with the supplied value. Optionally case sensitive.
Equal() Combine with Smaller and Greater to include the specified value. (e.g. >= or <=)
Greater() Matching values will be greater than or larger than the supplied value.
Identity() Matching values will be the same object instance as the supplied value. (referential equality).
Like() For strings, matching values will contain the supplied value anywhere within the match.
Not() Performs a negation comparison. Matching values will NOT equal the supplied value. Added to any other constraint keyword, this will reverse the result.
Or(IConstraint) Performs an OR (||) comparison between 2 constraints.
Smaller() Matching values will be smaller or less than the specified value.
StartsWith(bool) For strings, matches will start with the supplied value. Optionally case sensitive.

Query Performance

  • If you are experiencing poor NQ performance, then you probably forgot to either enable run-time optimization of Native Queries (by including a reference to the assemblies listed in the "Required Libraries" section) or running Db4oTool.exe on your compiled assembly.
  • You can change the Query EvaluationMode configuration to control how and when a query should be evaluated. (See below in the Configuration section)
  • You can index fields to aid query evaluation. Indexing fields causes db4o to store the values of the field in a separate index lookup table in the db. As a result, when evaluating the query, db4o does not have to seek through all of the object data to resolve the query results. (See the Class-Specific Configuration Options below)

Hot Tip

Indexing fields is a great way to increase query performance, but each index table is one more place where a field's value is stored. Too many indexed fields can cause poor insert performance. The application developer should tune the number of indexes with the desired Query and Insert performance.

Section 5

Dealing With Object Activation

When dealing with objects that may have relations to other objects quite deep (think of the path of data from Customer to Order to OrderItem to Product with relations to Address objects for billing and shipping and then PO and payment transactions) it would be quite expensive to have to pull all of that data into memory from the DB if all you wanted was the Customer object. Modern object databases use the idea of activation to control the depth to which objects are instantiated and populated when retrieved from the database.

Hot Tip

The default ActivationDepth in db4o is 5. A properly tuned activation depth is the best way to optimize retrieval of data from a db4o database. (See ActivationDepth in the Configuration section for more ideas)

With an ActivationDepth of 5, objects will be populated up to 5 levels deep. Properties of the 5th descendant object will have their values left as default or null.

If you encounter an object that is not yet activated, you can pass it to db4o for manual (late) activation:

3
1
​
2
db.Activate([unactivatedObject], [depth]);
3
​

Objects can also be manually de-activated:

3
1
​
2
db.Deactivate([activatedObject], [depth]);
3
​

Fine-grained activation depth can be configured per class. (see ActivationDepth in the Configuration section below) Activation can also be managed transparently using Transparent Activation. (see below)

Section 6

Configuration

For all but the simplest db4o use cases, you'll probably want to specify one or more configuration settings when opening your db4o database:

6
1
​
2
IConfiguration config =
3
Db4oFactory.NewConfiguration();
4
// Set configuration properties here
5
IObjectContainer db= Db4oFactory.OpenFile([config], [filename]);
6
​

The IConfiguration object must be passed in the call to open the db4o file, server, or client connection.

Query Evaluation Mode

This property controls when and how much of a query is executed.

5
1
​
2
IConfiguration config =
3
        Db4oFactory.NewConfiguration();
4
config.Queries().EvaluationMode([mode]);
5
​
Query EvaluationMode Values
Immediate (Best when queries must be deterministic or execute as quickly as possible.) A list of object ID matches is generated completely when the query is executed and held in memory
Lazy (Best for limited resource environments.) An iterator is created against the best index found. Accessing the results will simply iterate through the index until no further matches are found. The result set can be influenced by subsequent transactions in the current context or by other clients causing possible concurrency errors. Almost no memory is needed to hold the result set. Accessing the Count or Length properties will cause full evaluation.
Snapshot (Best for servers and concurrent environments.) Same as Lazy, however the iterator is created against a snapshot of the index. This avoids possible concurrency issues of Lazy evaluation. Since the index snapshot is held in memory, the memory required varies greatly depending on what is being queried.
(All Values) Object data is activated as the users accesses each object in the result set. The currently stored state is used when activating field data, not the object state at the time of query execution. The above values affect only the state of field indexes and when the evaluation is performed. Regardless of when it is run, query constraints against non-indexed data are always performed on the currently stored object state.

Global Update Depth

We said earlier that when calling Store() to update an object graph, that db4o will not (by default) descend into child objects to detect changes to the graph. If you know that you'll be often changing child properties, or when changing a parent object often results in changes to child objects, then you may want to change the UpdateDepth.

5
1
​
2
IConfiguration config =
3
Db4oFactory.NewConfiguration();
4
config.UpdateDepth([depth]);
5
​

The default value 1 means db4o will not descend into child objects when updating stored object instances.

Setting the UpdateDepth to int.MaxValue will cause db4o to descend as deeply as possible to look for changes.

Setting the UpdateDepth to 0 will prevent any changes from being saved to the database.

Hot Tip

Setting the UpdateDepth too aggressively can cause poor db4o update performance. Higher values should be used to debug UpdateDepth-related issues only.

Global Activation Depth

As explained in the section on Dealing with Object Activation, the ActivationDepth controls how much data is loaded when an object is retrieved from the database.

5
1
​
2
Iconfiguration config =
3
        Db4oFactory.NewConfiguration();
4
config.ActivationDepth([depth]);
5
​

The default value of 5 is a good balance for most applications, but developers should balance this against the weight of their classes and their access patterns.

Setting the ActivationDepth to int.MaxValue will cause all related objects to be instantiated as deeply as possible, restoring the entire object graph to memory.

Setting the ActivationDepth to 0 will cause nothing to be activated. The object returned will have none of its values loaded. You can then call the Activate(object, depth) method to manually activate the object as described above.

Hot Tip

Setting the ActivationDepth too aggressively can cause poor db4o query performance and high memory usage. Higher values should be used to debug ActivationDepth-related issues only.

Transparent Activation (TA)

The Db4oTool.exe tool found in the distribution bin folder can be used to instrument your classes to perform activation on-demand transparently as you navigate between object references. When accessing a child object, db4o can automatically activate the child object from the database if it is not yet already activated.

Transparent Activation must be enabled in the configuration when opening a db4o database and your compiled assembly must be instrumented by Db4oTool.exe as part of the build (as an MSBuild task) or post-build by running the tool manually.

Using Db4oTool.exe is not complicated, but is beyond the scope of this DZone Refcard. You can find complete instructions in the db4o reference documentation.

Section 7

Cascading Operations, Callbacks and Class-Specific Configuration

The global UpdateDepth and ActivationDepth configurations are good for general testing. But oftentimes, you will want to configure specific behaviors per-class-type, or per-field. (e.g. field indexing)

12
1
​
2
IConfiguration config =
3
Db4oFactory.NewConfiguration();
4
//Get the class-specific canfiguration
5
IObjectClass objectClassConfig =
6
        config.ObjectClass([typeName]);
7
//Get a field-specific configuration
8
IObjectField objectFieldConfig =
9
        objectClassConfig.ObjectField([fieldName]);
10
// Usually shortened to one line. e.g. config.
11
objectClass(typeof(Customer)).ObjectField ("Name").Indexed(true);
12
​

A full description of Class-specific and field-specific configuration settings can be found in the db4o reference documentation.

db4o also allows you to specify event handlers when an object is retrieved, activated, deleted, etc. These events can be handled globally using the EventRegistryFactory or individually within your classes using any of the IObjectCallbacks methods like objectOnActivate, objectOnDelete, and objectOnNew. These handlers are great for selectively activating, refreshing, or cascading db operations.

Lastly, setting the Transient attribute on your class's field members will prevent db4o from storing the values of those fields. When read from the DB, these members will always be left at their default (null) values, useful for remote connections, non- native data (interop) and temporary state.

Section 8

db4o Resources

db4o Homepage http://www.db4o.com
db4o Community Forum http://developer.db4o.com
db4o Downloads http://download.db4o.com
db4o Bug Tracker http://tracker.db4o.com
db4o Source Code Repository https://source.db4o.com/db4o/
db4o Reference Documentation http://docs.db4o.com
db4o Community Projects http://projects.db4o.com
LINQ General Programming Guide http://msdn.microsoft.com/en-us/library/bb397912.aspx
Versant Corporation http://www.versant.com
Versant Corporation supports the db4o team and open source community. Versant is a public company (NASDAQ:VSNT) and develops the Versant Object Database technology for users of .NET, C++ and Java who require a database capable of supporting extreme scale systems.

Like This Refcard? Read More From DZone

related article thumbnail

DZone Article

How to Convert XLS to XLSX in Java
related article thumbnail

DZone Article

Automatic Code Transformation With OpenRewrite
related article thumbnail

DZone Article

Accelerating AI Inference With TensorRT
related article thumbnail

DZone Article

A Complete Guide to Modern AI Developer Tools
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: