gremgoser

package module
v0.0.0-...-4b45cde Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Sep 25, 2019 License: MIT Imports: 14 Imported by: 0

README

gremgoser

GoDoc Build Status Coverage Status Go Report Card

gremgoser is a fast, efficient, and easy-to-use client for the TinkerPop graph database stack. It is a Gremlin language driver which uses WebSockets to interface with Gremlin Server and has a strong emphasis on concurrency and scalability. gremgoser started as a fork of gremgo. The main difference is gremgoser supports serializing and de-serializing interfaces in/out of a graph as well as Vertex and edge creation from Go interfaces. Please keep in mind that gremgoser is still under heavy development and might change until v1.0 release. gremgoser also fixes all panics that could happen in gremgo. The latest code also removed the storage of username and password in clear text in memory.

Installation

go get github.com/intwinelabs/gremgoser

Documentation

Struct Tags

  • To serialize data in and out of the graph you must supply proper graph struct tags for each field of the struct you would like to serialize:
    • partitionKey - graph:"partitionKeyName,partitionKey"
    • bool - graph:"boolName,bool"
    • string - graph:"stringName,string"
    • int, int8, int16, int32, int64 - graph:"numberName,number"
    • uint, uint8, uint16, uint32, uint64 - graph:"numberName,number"
    • float32, float64 - graph:"numberName,number"
    • struct - graph:"structName,struct"
    • []bool - graph:"boolName,[]bool"
    • []string - graph:"stringName,[]string"
    • []int, []int8, []int16, []int32, []int64 - graph:"numberName,[]number"
    • []uint, []uint8, []uint16, []uint32, []uint64 - graph:"numberName,[]number"
    • []float32, []float64 - graph:"numberName,[]number"
    • []struct - graph:"structName,[]struct"

Project Management

Build Status

Coverage Status

Contributing

  • Reporting Issues - When reporting issues on GitHub please include your host OS (Ubuntu 12.04, Fedora 19, etc) sudo lsb_release -a, the output of uname -a, go version, tinkerpop server and version. Please include the steps required to reproduce the problem. This info will help us review and fix your issue faster.
  • We welcome your pull requests - We are always thrilled to receive pull requests, and do our best to process them as fast as possible.
    • Not sure if that typo is worth a pull request? Do it! We will appreciate it.
    • If your pull request is not accepted on the first try, don't be discouraged! We will do our best to give you feedback on what to improve.
    • We're trying very hard to keep gremgoser lean and focused. We don't want it to do everything for everybody. This means that we might decide against incorporating a new feature. However, we encourage you to fork our repo and implement it on top of gremgoser.
    • Any changes or improvements should be documented as a GitHub issue before we add it to the project and anybody starts working on it.
  • Please check for existing issues first - If it does add a quick "+1". This will help prioritize the most common problems and requests.

Example

This is a example of a secure connection with authentication. The example also shows the ability to pass a interface to create a Vertex in the graph as well as the ability to create Edges between interfaces. This also shows de-serialization of interface from the graph.

package main

import (
	"fmt"

	"github.com/davecgh/go-spew/spew"
	"github.com/google/uuid"
	"github.com/intwinelabs/gremgoser"
	"github.com/intwinelabs/logger"
)

var log = logger.New()

type X float32

type XX struct {
	Y string
}

type Person struct {
	Id     uuid.UUID `graph:"id,string"`
	PID    string    `graph:"pid,string"`
	Name   string    `graph:"name,string"`
	Age    int       `graph:"age,number"`
	Active bool      `graph:"active,bool"`
	Vect   []float32 `graph:"vect,[]number"`
	Test   []string  `graph:"test,[]string"`
	Foo    X         `graph:"foo,number"`
	Bar    XX         `graph:"bar,struct"`
}

func main() {
	errs := make(chan error)
	

	uri := "wss://gremlin.server:443/"
	user := "username"
	pass := "password"

	conf := gremgoser.NewClientConfig(uri)
	conf.SetDebug()
	conf.SetVerbose()
	conf.SetLogger(log)
	conf.SetAuthentication(user, pass)
	g, errs := gremgoser.NewClient(conf)
	
	go func(chan error) {
		err := <-errs
		log.Fatal("Lost connection to the database: " + err.Error())
	}(errs) // Example of connection error handling logic

	res, err := g.Execute( // Sends a query to Gremlin Server with bindings
		"g.V()",
		map[string]string{},
		map[string]string{},
	)

	if err != nil {
		fmt.Println(err)
		return
	}

	spew.Dump(res)

	// Add a person
	p := Person{
		Id:   uuid.New(),
		PID:  "testID",
		Name: "Ted",
		Age:  48,
		Vect: []float32{1.566864, 0.234},
		Test: []string{"one", "two", "three", "four"},
		Foo:  0.233,
	}

	res2, err := g.AddV("person", p)

	if err != nil {
		fmt.Println(err)
		return
	}

	spew.Dump(res2)

	// Add a person
	p2 := Person{
		Id:   uuid.New(),
		PID:  "testID",
		Name: "Donald",
		Age:  72,
	}

	res3, err := g.AddV("person", p2)

	if err != nil {
		fmt.Println(err)
		return
	}

	spew.Dump(res3)

	// Ted Likes Donald
	res4, err := g.AddE("likes", p, p2)
	if err != nil {
		fmt.Println(err)
		return
	}

	spew.Dump(res4)

	// Lets ask the graph for p back as a new instance of a Person
	id := p.Id.String()
	p3 := []Person{}
	q := fmt.Sprintf("g.V('%s')", id)
	//q = "g.V()"
	fmt.Println(q)
	err = g.Get(q, &p3)
	if err != nil {
		fmt.Println(err)
		return
	}
	spew.Dump(p3)
}

License

Copyright (c) 2018 Intwine Labs, Inc.

Copyright (c) 2016 Marcus Engvall

Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.

Documentation

Index

Constants

This section is empty.

Variables

View Source
var (
	ErrorInterfaceHasNoIdField       = errors.New("gremgoser: the passed interface must have an Id field")
	ErrorNoGraphTags                 = errors.New("gremgoser: the passed interface has no graph tags")
	ErrorUnsupportedPropertyMap      = errors.New("gremgoser: unsupported property map")
	ErrorCannotCastProperty          = errors.New("gremgoser: passed property cannot be cast")
	ErrorWSConnection                = errors.New("gremgoser: error connecting to websocket")
	ErrorWSConnectionNil             = errors.New("gremgoser: error websocket connection nil")
	ErrorConnectionDisposed          = errors.New("gremgoser: you cannot write on a disposed connection")
	ErrorInvalidURI                  = errors.New("gremgoser: invalid uri supplied in config")
	ErrorNoAuth                      = errors.New("gremgoser: client does not have a secure dialer for authentication with the server")
	Error401Unauthorized             = errors.New("gremgoser: UNAUTHORIZED")
	Error407Authenticate             = errors.New("gremgoser: AUTHENTICATE")
	Error498MalformedRequest         = errors.New("gremgoser: MALFORMED REQUEST")
	Error499InvalidRequestArguments  = errors.New("gremgoser: INVALID REQUEST ARGUMENTS")
	Error500ServerError              = errors.New("gremgoser: SERVER ERROR")
	Error597ScriptEvaluationError    = errors.New("gremgoser: SCRIPT EVALUATION ERROR")
	Error598ServerTimeout            = errors.New("gremgoser: SERVER TIMEOUT")
	Error599ServerSerializationError = errors.New("gremgoser: SERVER SERIALIZATION ERROR")
	ErrorUnknownCode                 = errors.New("gremgoser: UNKNOWN ERROR")
)

Functions

This section is empty.

Types

type Client

type Client struct {
	Errored bool
	// contains filtered or unexported fields
}

Client is a container for the gremgoser client.

func NewClient

func NewClient(conf *ClientConfig) (*Client, chan error)

NewClient returns a gremgoser client for interaction with the Gremlin Server specified in the host IP.

func (*Client) AddE

func (c *Client) AddE(label string, from, to interface{}) ([]*GremlinRespData, error)

AddE takes a label, from UUID and to UUID then creates a edge between the two vertex in the graph

func (*Client) AddEById

func (c *Client) AddEById(label string, from, to uuid.UUID) ([]*GremlinRespData, error)

AddEById takes a label, from UUID and to UUID then creates a edge between the two vertex in the graph

func (*Client) AddEWithProps

func (c *Client) AddEWithProps(label string, from, to interface{}, props map[string]interface{}) ([]*GremlinRespData, error)

AddEWithProps takes a label, from UUID and to UUID then creates a edge between the two vertex in the graph

func (*Client) AddEWithPropsById

func (c *Client) AddEWithPropsById(label string, from, to uuid.UUID, props map[string]interface{}) ([]*GremlinRespData, error)

AddEWithPropsById takes a label, from UUID and to UUID then creates a edge between the two vertex in the graph

func (*Client) AddV

func (c *Client) AddV(label string, data interface{}) ([]*GremlinRespData, error)

AddV takes a label and a interface and adds it a vertex to the graph

func (*Client) Close

func (c *Client) Close()

Close closes the underlying connection and marks the client as closed.

func (*Client) DropE

func (c *Client) DropE(label string, from, to interface{}) ([]*GremlinRespData, error)

DropE takes a label, from UUID and to UUID then drops the edge between the two vertex in the graph

func (*Client) DropEById

func (c *Client) DropEById(label string, from, to uuid.UUID) ([]*GremlinRespData, error)

DropEById takes a label, from UUID and to UUID then drops the edge between the two vertex in the graph

func (*Client) DropV

func (c *Client) DropV(data interface{}) ([]*GremlinRespData, error)

DropV takes a interface and drops the vertex from the graph

func (*Client) Execute

func (c *Client) Execute(query string, bindings, rebindings map[string]interface{}) ([]*GremlinRespData, error)

Execute formats a raw Gremlin query, sends it to Gremlin Server, and returns the result.

func (*Client) Get

func (c *Client) Get(query string, bindings map[string]interface{}, ptr interface{}) error

Get formats a raw Gremlin query, sends it to Gremlin Server, and populates the passed []interface.

func (*Client) IsConnected

func (c *Client) IsConnected() bool

IsConnected return bool

func (*Client) Reconnect

func (c *Client) Reconnect()

Reconnect tries to reconnect the underlying ws connection

func (*Client) UpdateV

func (c *Client) UpdateV(data interface{}) ([]*GremlinRespData, error)

UpdateV takes a interface and updates the vertex in the graph

type ClientConfig

type ClientConfig struct {
	URI          string
	AuthReq      *GremlinRequest
	Debug        bool
	Verbose      bool
	VeryVerbose  bool
	Timeout      time.Duration
	PingInterval time.Duration
	WritingWait  time.Duration
	ReadingWait  time.Duration
	Logger       *logger.Logger
}

ClientConfig configs a client

func NewClientConfig

func NewClientConfig(uri string) *ClientConfig

NewClientConfig returns a default client config

func (*ClientConfig) SetAuthentication

func (conf *ClientConfig) SetAuthentication(username string, password string)

SetAuthentication sets on dialer credentials for authentication

func (*ClientConfig) SetDebug

func (conf *ClientConfig) SetDebug()

SetDebug sets the debug flag

func (*ClientConfig) SetLogger

func (conf *ClientConfig) SetLogger(logger *logger.Logger)

SetLogger sets the default logger

func (*ClientConfig) SetPingInterval

func (conf *ClientConfig) SetPingInterval(seconds int)

SetPingInterval sets the interval of ping sending for know is connection is alive and in consequence the client is connected

func (*ClientConfig) SetReadingWait

func (conf *ClientConfig) SetReadingWait(seconds int)

SetReadingWait sets the time for waiting that reading occur

func (*ClientConfig) SetTimeout

func (conf *ClientConfig) SetTimeout(seconds int)

SetTimeout sets the dial timeout

func (*ClientConfig) SetVerbose

func (conf *ClientConfig) SetVerbose()

SetVerbose sets the verbose flag

func (*ClientConfig) SetWritingWait

func (conf *ClientConfig) SetWritingWait(seconds int)

SetWritingWait sets the time for waiting that writing occur

type GremlinData

type GremlinData struct {
	Id         uuid.UUID              `json:"id"`
	Label      string                 `json:"label"`
	Type       string                 `json:"type"`
	InVLabel   string                 `json:"inVLabel"`
	OutVLabel  string                 `json:"outVLabel"`
	InV        uuid.UUID              `json"inV"`
	OutV       uuid.UUID              `json"outV"`
	Properties map[string]interface{} `json:"properties"`
}

type GremlinProperty

type GremlinProperty struct {
	Id    uuid.UUID   `json:"id"`
	Value interface{} `json:"value"`
}

type GremlinRequest

type GremlinRequest struct {
	RequestId uuid.UUID              `json:"requestId,string"`
	Op        string                 `json:"op"`
	Processor string                 `json:"processor"`
	Args      map[string]interface{} `json:"args"`
}

GremlinRequest is a container for all evaluation request parameters to be sent to the Gremlin Server.

type GremlinRespData

type GremlinRespData map[string]interface{}

type GremlinResponse

type GremlinResponse struct {
	RequestId uuid.UUID     `json:"requestId,string"`
	Status    GremlinStatus `json:"status"`
	Result    GremlinResult `json:"result"`
}

type GremlinResult

type GremlinResult struct {
	Data []*GremlinRespData `json:"data"`
	Meta interface{}        `json:"meta"`
}

type GremlinStatus

type GremlinStatus struct {
	Code       int                     `json:"code"`
	Attributes GremlinStatusAttributes `json:"attributes"`
	Message    string                  `json:"message"`
}

type GremlinStatusAttributes

type GremlinStatusAttributes struct {
	XMsStatusCode         int       `json:"x-ms-status-code"`
	XMsRequestCharge      float32   `json:"x-ms-request-charge"`
	XMsTotalRequestCharge float32   `json:"x-ms-total-request-charge"`
	XMsServerTimeMs       float32   `json:"x-ms-server-time-ms"`
	XMsTotalServerTimeMs  float32   `json:"x-ms-total-server-time-ms"`
	XMsActivityId         uuid.UUID `json:"x-ms-activity-id"`
}

type Ws

type Ws struct {
	sync.RWMutex
	// contains filtered or unexported fields
}

Ws is the dialer for a WebSocket connection

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL