Documentation
¶
Overview ¶
package bolt implements a driver for the Neo4J Bolt Protocol.
The driver is compatible with Golang's sql.driver interface, but aims to implement a more complete featureset in line with what Neo4J and Bolt provides.
As such, there are multiple interfaces the user can choose from. It's highly recommended that the user use the Neo4J-specific interfaces as they are more flexible and efficient than the provided sql.driver compatible methods.
The interface tries to be consistent throughout. The sql.driver interfaces are standard, but the Neo4J-specific ones contain a naming convention of either "Neo" or "Pipeline".
The "Neo" ones are the basic interfaces for making queries to Neo4j and it's expected that these would be used the most.
The "Pipeline" ones are to support Bolt's pipelining features. Pipelines allow the user to send Neo4j many queries at once and have them executed by the database concurrently. This is useful if you have a bunch of queries that aren't necessarily dependant on one another, and you want to get better performance. The internal APIs will also pipeline statements where it is able to reliably do so, but by manually using the pipelining feature you can maximize your throughput.
The API provides connection pooling using the `NewDriverPool` method. This allows you to pass it the maximum number of open connections to be used in the pool. Once this limit is hit, any new clients will have to wait for a connection to become available again.
The sql driver is registered as "neo4j-bolt". The sql.driver interface is much more limited than what bolt and neo4j supports. In some cases, concessions were made in order to make that interface work with the neo4j way of doing things. The main instance of this is the marshalling of objects to/from the sql.driver.Value interface. In order to support object types that aren't supported by this interface, the internal encoding package is used to marshal these objects to byte strings. This ultimately makes for a less efficient and more 'clunky' implementation. A glaring instance of this is passing parameters. Neo4j expects named parameters but the driver interface can only really support positional parameters. To get around this, the user must create a map[string]interface{} of their parameters and marshal it to a driver.Value using the encoding.Marshal function. Similarly, the user must unmarshal data returned from the queries using the encoding.Unmarshal function, then use type assertions to retrieve the proper type.
In most cases the driver will return the data from neo as the proper go-specific types. For integers they always come back as int64 and floats always come back as float64. This is for the convenience of the user and acts similarly to go's JSON interface. This prevents the user from having to use reflection to get these values. Internally, the types are always transmitted over the wire with as few bytes as possible.
There are also cases where no go-specific type matches the returned values, such as when you query for a node, relationship, or path. The driver exposes specific structs which represent this data in the 'structures.graph' package. There are 4 types - Node, Relationship, UnboundRelationship, and Path. The driver returns interface{} objects which must have their types properly asserted to get the data out.
There are some limitations to the types of collections the driver supports. Specifically, maps should always be of type map[string]interface{} and lists should always be of type []interface{}. It doesn't seem that the Bolt protocol supports uint64 either, so the biggest number it can send right now is the int64 max.
The URL format is: `bolt://(user):(password)@(host):(port)` Schema must be `bolt`. User and password is only necessary if you are authenticating. TLS is supported by using query parameters on the connection string, like so: `bolt://host:port?tls=true&tls_no_verify=false`
The supported query params are:
* timeout - the number of seconds to set the connection timeout to. Defaults to 60 seconds. * tls - Set to 'true' or '1' if you want to use TLS encryption * tls_no_verify - Set to 'true' or '1' if you want to accept any server certificate (for testing, not secure) * tls_ca_cert_file - path to a custom ca cert for a self-signed TLS cert * tls_cert_file - path to a cert file for this client (need to verify this is processed by Neo4j) * tls_key_file - path to a key file for this client (need to verify this is processed by Neo4j)
Errors returned from the API support wrapping, so if you receive an error from the library, it might be wrapping other errors. You can get the innermost error by using the `InnerMost` method. Failure messages from Neo4J are reported, along with their metadata, as an error. In order to get the failure message metadata from a wrapped error, you can do so by calling `err.(*errors.Error).InnerMost().(messages.FailureMessage).Metadata`
If there is an error with the database connection, you should get a sql/driver ErrBadConn as per the best practice recommendations of the Golang SQL Driver. However, this error may be wrapped, so you might have to call `InnerMost` to get it, as specified above.
Index ¶
Constants ¶
This section is empty.
Variables ¶
var ( // Version is the current version of this driver Version = "1.0" // ClientID is the id of this client ClientID = "GolangNeo4jBolt/" + Version )
var ErrClosed = errors.New("connection is closed")
ErrClosed is when you attempt to use a closed connection
var ErrStmtAlreadyClosed = errors.New("Neo4j Bolt statement already closed")
ErrStmtAlreadyClosed is when you are trying to exec on a statement that is alreay closed
var ErrTxClose = errors.New("Transaction already closed")
ErrTxClose is for when you try and close an already closed tx
Functions ¶
Types ¶
type Conn ¶
type Conn interface { interpool.Conn // PrepareNeo prepares a neo4j specific statement PrepareNeo(query string) (Stmt, error) // PreparePipeline prepares a neo4j specific pipeline statement // Useful for running multiple queries at the same time PreparePipeline(query ...string) (PipelineStmt, error) // QueryNeo queries using the neo4j-specific interface QueryNeo(query string, params map[string]interface{}) (Rows, error) // QueryNeoAll queries using the neo4j-specific interface and returns all row data and output metadata QueryNeoAll(query string, params map[string]interface{}) ([][]interface{}, map[string]interface{}, map[string]interface{}, error) // QueryPipeline queries using the neo4j-specific interface // pipelining multiple statements QueryPipeline(query []string, params ...map[string]interface{}) (PipelineRows, error) // ExecNeo executes a query using the neo4j-specific interface ExecNeo(query string, params map[string]interface{}) (Result, error) // ExecPipeline executes a query using the neo4j-specific interface // pipelining multiple statements ExecPipeline(query []string, params ...map[string]interface{}) ([]Result, error) // Begin starts a new transaction Begin() (driver.Tx, error) // SetChunkSize is used to set the max chunk size of the // bytes to send to Neo4j at once SetChunkSize(uint16) }
Conn represents a connection to Neo4J
Implements a neo-friendly interface. Some of the features of this interface implement neo-specific features unavailable in the sql/driver compatible interface
Conn objects, and any prepared statements/transactions within ARE NOT THREAD SAFE. If you want to use multipe go routines with these objects, you should use a driver to create a new conn for each routine.
type Driver ¶
type Driver interface { // Open opens a sql.driver compatible connection. Used internally // by the go sql interface Open(constr string) (driver.Conn, error) // OpenNeo opens a Neo-specific connection. This should be used // directly when not using the golang sql interface OpenNeo() (Conn, error) // NewConnPool creates a new connection pool instead NewConnPool(ops *PoolOptions) DriverPool }
Driver is a driver allowing connection to Neo4j The driver allows you to open a new connection to Neo4j
Implements sql/driver, but also includes its own more neo-friendly interface. Some of the features of this interface implement neo-specific features unavailable in the sql/driver compatible interface
Driver objects should be THREAD SAFE, so you can use them to open connections in multiple threads. The connection objects themselves, and any prepared statements/transactions within ARE NOT THREAD SAFE.
func NewDriverWithOptions ¶
func NewDriverWithOptions(options *DriverOptions) Driver
NewDriverWithOptions creates a new Driver object with the given options
type DriverOptions ¶
type DriverOptions struct { // Dial timeout for establishing new connections. // Default is 5 seconds. DialTimeout time.Duration // Timeout for socket reads. If reached, commands will fail // with a timeout instead of blocking. ReadTimeout time.Duration // Timeout for socket writes. If reached, commands will fail // with a timeout instead of blocking. WriteTimeout time.Duration // Addr is the connection string Addr string // TLSNoverify allows you to skip tls verification // replaced by TLSConfig.InsecureSkipVerify //TLSNoVerify bool // TLSConfig is the tls configuration (nil by default) TLSConfig *tls.Config // PoolOptions are the options for the connection pool //PoolOptions *PoolOptions // ChunkSize is im not sure ChunkSize uint16 }
DriverOptions are the options for the driver
func DefaultDriverOptions ¶
func DefaultDriverOptions() *DriverOptions
DefaultDriverOptions returns the default options
type DriverPool ¶
type DriverPool interface { io.Closer // Get gets a connection from the pool Get() (Conn, error) // Put puts the connection back into the pool // for later reuse Put(Conn) error // Closed lets you know if we are closed or not Closed() bool // Len gives the size of the pool Len() int // FreeLen gives the number of free connections FreeLen() int }
DriverPool is a driver allowing connection to Neo4j with support for connection pooling The driver allows you to open a new connection to Neo4j
DriverPool objects should be THREAD SAFE, so you can use them to open connections in multiple threads. The connection objects themselves, and any prepared statements/transactions within ARE NOT THREAD SAFE.
type Event ¶
type Event struct { Timestamp int64 `json:"-"` Event []byte IsWrite bool Completed bool Error error }
Event represents a single recording (read or write) event in the recorder
type PipelineRows ¶
type PipelineRows interface { // Columns Gets the names of the columns in the returned dataset Columns() []string // Metadata Gets all of the metadata returned from Neo on query start Metadata() map[string]interface{} // Close the rows, flushing any existing datastream Close() error // NextPipeline gets the next row result // When the rows are completed, returns the success metadata and the next // set of rows. // When all rows are completed, returns io.EOF NextPipeline() ([]interface{}, map[string]interface{}, PipelineRows, error) }
PipelineRows represents results of a set of rows from the DB when running a pipeline statement.
Row objects ARE NOT THREAD SAFE. If you want to use multiple go routines with these objects, you should use a driver to create a new conn for each routine.
type PipelineStmt ¶
type PipelineStmt interface { // Close Closes the statement. See sql/driver.Stmt. Close() error // ExecPipeline executes a set of queries that returns no rows. ExecPipeline(params ...map[string]interface{}) ([]Result, error) // QueryPipeline executes a set of queries that return data. // Implements a Neo-friendly alternative to sql/driver. QueryPipeline(params ...map[string]interface{}) (PipelineRows, error) }
PipelineStmt represents a set of statements to run against the database
PipelineStmt objects, and any rows prepared within ARE NOT THREAD SAFE. If you want to use multiple go routines with these objects, you should use a driver to create a new conn for each routine.
type PoolOptions ¶
type PoolOptions struct { PoolSize int PoolTimeout time.Duration IdleTimeout time.Duration IdleCheckFrequency time.Duration MaxAge time.Duration }
PoolOptions are the options for the connection pool
func DefaultPoolOptions ¶
func DefaultPoolOptions() *PoolOptions
DefaultPoolOptions returns the default connection pool options
type Result ¶
type Result interface { // LastInsertId Always returns -1. This is necessary // to meet the sql.driver interface LastInsertId() (int64, error) // RowsAffected returns the number of rows affected // This doesn't currently support updates, only // inserts/deletions RowsAffected() (int64, error) // Metadata returns the metadata response from neo4j Metadata() map[string]interface{} }
Result represents a result from a query that returns no data
type Rows ¶
type Rows interface { // Columns Gets the names of the columns in the returned dataset Columns() []string // Metadata Gets all of the metadata returned from Neo on query start Metadata() map[string]interface{} // Close the rows, flushing any existing datastream Close() error // NextNeo gets the next row result // When the rows are completed, returns the success metadata // and io.EOF NextNeo() ([]interface{}, map[string]interface{}, error) // All gets all of the results from the row set. It's recommended to use NextNeo when // there are a lot of rows All() ([][]interface{}, map[string]interface{}, error) }
Rows represents results of rows from the DB
Row objects ARE NOT THREAD SAFE. If you want to use multiple go routines with these objects, you should use a driver to create a new conn for each routine.
type Stmt ¶
type Stmt interface { // Close Closes the statement. See sql/driver.Stmt. Close() error // ExecNeo executes a query that returns no rows. Implements a Neo-friendly alternative to sql/driver. ExecNeo(params map[string]interface{}) (Result, error) // QueryNeo executes a query that returns data. Implements a Neo-friendly alternative to sql/driver. QueryNeo(params map[string]interface{}) (Rows, error) }
Stmt represents a statement to run against the database
Stmt objects, and any rows prepared within ARE NOT THREAD SAFE. If you want to use multiple go routines with these objects, you should use a driver to create a new conn for each routine.
type Tx ¶
type Tx interface { // Commit commits the transaction Commit() error // Rollback rolls back the transaction Rollback() error }
Tx represents a transaction
type URLParse ¶
type URLParse struct { //Scheme string URL *url.URL User string Password string DialTimeout time.Duration UseTLS bool CertFile string KeyFile string CaCertFile string TLSNoVerify bool }
URLParse is the result from parsing the url
func (*URLParse) GetTLSConfig ¶
GetTLSConfig is a helper function to extract the tls config
Source Files
¶
Directories
¶
Path | Synopsis |
---|---|
Package encoding is used to encode/decode data going to/from the bolt protocol.
|
Package encoding is used to encode/decode data going to/from the bolt protocol. |
Package errors contains the errors used by the bolt driver.
|
Package errors contains the errors used by the bolt driver. |
examples
|
|
Package log implements the logging for the bolt driver There are 3 logging levels - trace, info and error.
|
Package log implements the logging for the bolt driver There are 3 logging levels - trace, info and error. |
Package structures contains various structures which are used by the Bolt protocol
|
Package structures contains various structures which are used by the Bolt protocol |
graph
Package graph contains structs that can be returned from the Neo4j Graph
|
Package graph contains structs that can be returned from the Neo4j Graph |
messages
Package messages contains structs that represent the messages that get sent using the Bolt protocol
|
Package messages contains structs that represent the messages that get sent using the Bolt protocol |