firevault

package module
v1.0.0 Latest Latest
Warning

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

Go to latest
Published: Aug 3, 2024 License: MIT Imports: 12 Imported by: 0

README

Firevault

Firevault is a Firestore object modeling tool to make life easier for Go devs. Inspired by Firevault.js.

Installation

Use go get to install Firevault.

go get github.com/bobch27/firevault-go

Importing

Import the package in your code.

import "github.com/bobch27/firevault-go"

Connection

You can connect to Firevault using the Firebase Admin SDK and the Connect method.

import (
	"log"

	firebase "firebase.google.com/go"
	"github.com/bobch27/firevault-go"
)

ctx := context.Background()
app, err := firebase.NewApp(ctx, nil)
if err != nil {
  log.Fatalln("Firebase initialisation failed:", err)
}

client, err := app.Firestore(ctx)
if err != nil {
  log.Fatalln("Firestore initialisation failed:", err)
}

defer client.Close()

connection := firevault.Connect(client)
import (
	"log"

	"cloud.google.com/go/firestore"
	"github.com/bobch27/firevault-go"
)

// Sets your Google Cloud Platform project ID.
projectId := "YOUR_PROJECT_ID"
ctx := context.Background()

client, err := firestore.NewClient(ctx, projectId)
if err != nil {
  log.Fatalln("Firestore initialisation failed:", err)
}

defer client.Close()

connection := firevault.Connect(client)

Models

Defining a model is as simple as creating a struct with Firevault tags.

type User struct {
	Name     string   `firevault:"name,required,omitempty"`
	Email    string   `firevault:"email,required,email,isUnique,omitempty"`
	Password string   `firevault:"password,required,min=6,transform=hashPass,omitempty"`
	Address  *Address `firevault:"address,omitempty"`
	Age      int      `firevault:"age,required,min=18,omitempty"`
}

type Address struct {
	Line1 string `firevault:",omitempty"`
	City  string `firevault:"-"`
}

Tags

When defining a new struct type with Firevault tags, note that the tags' order matters (apart from the different omitempty tags, which can be used anywhere).

The first tag is always the field name which will be used in Firestore. You can skip that by just using a comma, before adding further tags.

After that, each tag is a different validation rule, and they will be parsed in order.

Other than the validation tags, Firevault supports the following built-in tags:

  • omitempty - If the field is set to it’s default value (e.g. 0 for int, or "" for string), the field will be omitted from validation and Firestore.
  • omitempty_create - Works the same way as omitempty, but only for the Create method. Ignored during UpdateById and Validate methods.
  • omitempty_update - Works the same way as omitempty, but only for the UpdateById method. Ignored during Create and Validate methods.
  • omitempty_validate - Works the same way as omitempty, but only for the Validate method. Ignored during Create and UpdateById methods.
  • - - Ignores the field.

Validations

Firevault validates fields' values based on the defined rules. There are built-in validations, with support for adding custom ones.

Again, the order in which they are executed depends on the tag order.

Built-in validations:

  • required - Validates whether the field's value is not the default type value (i.e. nil for pointer, "" for string, 0 for int etc.). Fails when it is the default.
  • required_create - Works the same way as required, but only for the Create method. Ignored during UpdateById and Validate methods.
  • required_update - Works the same way as required, but only for the UpdateById method. Ignored during Create and Validate methods.
  • required_validate - Works the same way as required, but only for the Validate method. Ignored during Create and UpdateById methods.
  • max - Validates whether the field's value, or length, is less than or equal to the param's value. Requires a param (e.g. max=20). For numbers, it checks the value, for strings, maps and slices, it checks the length.
  • min - Validates whether the field's value, or length, is greater than or equal to the param's value. Requires a param (e.g. min=20). For numbers, it checks the value, for strings, maps and slices, it checks the length.
  • email - Validates whether the field's string value is a valid email address.

Custom validations:

  • To define a custom validation, use the connection's RegisterValidation method.
    • Expects:
      • name: A string defining the validation name
      • func: A function of type ValidationFn. The passed in function accepts two parameters.
        • Expects:
          • ctx: A context.
          • path: A string which contains the field's path (using dot-separation).
          • value: A reflect.Value of the field.
          • param: A string which will be validated against.
        • Returns:
          • result: A bool which returns true if check has passed, and false if it hasn't.
          • error: An error in case something went wrong during the check.
connection.RegisterValidation(
	"is_upper", 
	func(_ context.Context, _ string, value reflect.Value, _ string) (bool, error) {
		if value.Kind() != reflect.String {
			return false, nil
		}

		s := value.String()
		return s == strings.toUpper(s), nil
	},
)

You can then chain the tag like a normal one.

type User struct {
	Name string `firevault:"name,required,is_upper,omitempty"`
}

Transformations

Firevault also supports rules that transform the field's value. To use them, it's as simple as registering a transformation and adding a prefix to the tag.

  • To define a transformation, use the connection's RegisterTransformation method.
    • Expects:
      • name: A string defining the validation name
      • func: A function of type TransformationFn. The passed in function accepts one parameter.
        • Expects:
          • ctx: A context.
          • path: A string which contains the field's path (using dot-separation).
          • value: A reflect.Value of the field.
        • Returns:
          • result: An interface{} with the new value.
          • error: An error in case something went wrong during the transformation.
connection.RegisterTransformation(
	"to_lower", 
	func(_ context.Context, path string, value reflect.Value) (interface{}, error) {
		if value.Kind() != reflect.String {
			return value.Interface(), errors.New(path + " must be a string")
		}

		if value.String() != "" {
			return strings.ToLower(value.String()), nil
		}

		return value.String(), nil
	},
)

You can then chain the tag like a normal one, but don't forget to use the transform= prefix.

Again, the tag order matters. Defining a transformation at the end, means the value will be updated after the validations, whereas a definition at the start, means the field will be updated and then validated.

type User struct {
	Email string `firevault:"email,required,email,transform=to_lower,omitempty"`
}

Collections

A Firevault Collection instance allows for interacting with Firestore, through various read and write methods.

To create a Collection instance, call the NewCollection method, using the struct type parameter, and passing in the Connection instance, as well as a collection path.

collection, err := firevault.NewCollection[User](connection, "users")
if err != nil {
	fmt.Println(err)
}

Methods

The collection instance has 7 built-in methods to support interaction with Firestore.

  • Create - A method which validates passed in data and adds it as a document to Firestore.
    • Expects:
      • ctx: A context.
      • data: A pointer of a struct with populated fields which will be added to Firestore after validation.
      • options (optional): An instance of Options with the following properties having an effect.
        • SkipValidation: A bool which when true, means all validation tags will be ingored (the name and omitempty tags will be acknowledged). Default is false.
        • ID: A string which will add a document to Firestore with the specified ID.
        • AllowEmptyFields: An optional string slice, which is used to specify which fields can ignore the omitempty and omitempty_create tags. This can be useful when a field must be set to its zero value only on certain method calls. If left empty, all fields will honour the two tags.
    • Returns:
      • id: A string with the new document's ID.
      • error: An error in case something goes wrong during validation or interaction with Firestore.
user := User{
	Name: 	  "Bobby Donev",
	Email:    "hello@bobbydonev.com",
	Password: "12356",
	Age:      26,
	Address:  &Address{
		Line1: "1 High Street",
		City:  "London",
	},
}
id, err := collection.Create(ctx, &user)
if err != nil {
	fmt.Println(err)
} 
fmt.Println(id) // "6QVHL46WCE680ZG2Xn3X"
id, err := collection.Create(
	ctx, 
	&user, 
	NewOptions().CustomID("custom-id"),
)
if err != nil {
	fmt.Println(err)
} 
fmt.Println(id) // "custom-id"
user := User{
	Name: 	  "Bobby Donev",
	Email:    "hello@bobbydonev.com",
	Password: "12356",
	Age:      0,
	Address:  &Address{
		Line1: "1 High Street",
		City:  "London",
	},
}
id, err := collection.Create(
	ctx, 
	&user, 
	NewOptions().AllowEmptyFields("age"),
)
if err != nil {
	fmt.Println(err)
} 
fmt.Println(id) // "6QVHL46WCE680ZG2Xn3X"
  • UpdateById - A method which validates passed in data and updates given Firestore document.
    • Expects:
      • ctx: A context.
      • id: A string with the document's ID.
      • data: A pointer of a struct with populated fields which will be used to update the document after validation.
      • options (optional): An instance of Options with the following properties having an effect.
        • SkipValidation: A bool which when true, means all validation tags will be ingored (the name and omitempty tags will be acknowledged). Default is false.
        • MergeFields: An optional string slice, which is used to specify which fields to be overwritten. Other fields on the document will be untouched. If left empty, all the fields given in the data argument will be overwritten.
        • AllowEmptyFields: An optional string slice, which is used to specify which fields can ignore the omitempty and omitempty_update tags. This can be useful when a field must be set to its zero value only on certain updates. If left empty, all fields will honour the two tags.
    • Returns:
      • error: An error in case something goes wrong during validation or interaction with Firestore.
    • Important:
      • If neither omitempty, nor omitempty_update tags have been used, non-specified field values in the passed in data will be set to Go's default values, thus updating all document fields. To prevent that behaviour, please use one of the two tags.
      • If a document with the specified ID does not exist, Firestore will create one with the specified fields, so it's worth checking whether the doc exists before using the method.
user := User{
	Password: "123567",
}
err := collection.UpdateById(ctx, "6QVHL46WCE680ZG2Xn3X", &user)
if err != nil {
	fmt.Println(err)
} 
fmt.Println("Success")
user := User{
	Password: "123567",
}
err := collection.UpdateById(
	ctx, 
	"6QVHL46WCE680ZG2Xn3X", 
	&user, 
	NewOptions().SkipValidation(),
)
if err != nil {
	fmt.Println(err)
} 
fmt.Println("Success")
user := User{
	Address:  &Address{
		Line1: "1 Main Road",
		City:  "New York",
	}
}
err := collection.UpdateById(
	ctx, 
	"6QVHL46WCE680ZG2Xn3X", 
	&user, 
	NewOptions().MergeFields("address.Line1"),
)
if err != nil {
	fmt.Println(err)
} 
fmt.Println("Success") // only the address.Line1 field will be updated
  • Validate - A method which validates passed in data.
    • Expects:
      • ctx: A context.
      • data: A pointer of a struct with populated fields which will be validated.
      • options (optional): An instance of Options with the following properties having an effect.
        • SkipValidation: A bool which when true, means all validation tags will be ingored (the name and omitempty tags will be acknowledged). Default is false.
        • AllowEmptyFields: An optional string slice, which is used to specify which fields can ignore the omitempty and omitempty_validate tags. This can be useful when a field must be set to its zero value only on certain method calls. If left empty, all fields will honour the two tags.
    • Returns:
      • error: An error in case something goes wrong during validation.
    • Important:
      • If neither omitempty, nor omitempty_validate tags have been used, non-specified field values in the passed in data will be set to Go's default values.
user := User{
	Email: "HELLO@BOBBYDONEV.COM",
}
err := collection.Validate(ctx, &user)
if err != nil {
	fmt.Println(err)
} 
fmt.Println(user) // {hello@bobbydonev.com}
  • DeleteById - A method which deletes the Firestore document with the specified ID.
    • Expects:
      • ctx: A context.
      • id: A string containing the specified ID.
    • Returns:
      • error: An error in case something goes wrong during interaction with Firestore.
    • If the document does not exist, it does nothing and error is nil.
err := collection.DeleteById(ctx, "6QVHL46WCE680ZG2Xn3X")
if err != nil {
	fmt.Println(err)
} 
fmt.Println("Success")
  • FindById - A method which gets the Firestore document with the specified ID.
    • Expects:
      • ctx: A context.
      • id: A string containing the specified ID.
    • Returns:
      • doc: Returns the document with type T (the type used when initiating the collection instance).
      • error: An error in case something goes wrong during interaction with Firestore.
user, err := collection.FindById(ctx, "6QVHL46WCE680ZG2Xn3X")
if err != nil {
	fmt.Println(err)
} 
fmt.Println(user) // {{Bobby Donev hello@bobbydonev.com asdasdkjahdks 26 0xc0001d05a0}}
  • Find - A method which gets the Firestore documents which match the provided query.
    • Expects:
      • ctx: A context.
      • query: An instance of Query to filter and order documents.
    • Returns:
      • docs: A slice containing the results of type Document[T] (where T is the type used when initiating the collection instance). Document[T] has two properties.
        • ID: A string which holds the document's ID.
        • Data: The document's data of type T.
      • error: An error in case something goes wrong during interaction with Firestore.
users, err := collection.Find(
	ctx, 
	NewQuery().
		Where("email", "==", "hello@bobbydonev").
		Limit(1),
)
if err != nil {
	fmt.Println(err)
} 
fmt.Println(users) // []Document[User]
fmt.Println(users[0].ID) // 6QVHL46WCE680ZG2Xn3X
  • Count - A method which gets the number of Firestore documents which match the provided query.
    • Expects:
      • ctx: A context.
      • query: An instance of Query to filter documents.
    • Returns:
      • count: An int64 representing the number of documents which meet the criteria.
      • error: An error in case something goes wrong during interaction with Firestore.
count, err := collection.Count(
	ctx, 
	NewQuery().Where("email", "==", "hello@bobbydonev"),
)
if err != nil {
	fmt.Println(err)
} 
fmt.Println(count) // 1

Queries

A Firevault Query instance allows querying Firestore, by chaining various methods. The query can have multiple filters.

To create a Query instance, call the NewQuery method.

query := firevault.NewQuery()

Methods

The Query instance has 9 built-in methods to support filtering and ordering Firestore documents.

  • Where - Returns a new Query that filters the set of results.
    • Expects:
      • path: A string which can be a single field or a dot-separated sequence of fields.
      • operator: A string which must be one of ==, !=, <, <=, >, >=, array-contains, array-contains-any, in or not-in.
      • value: An interface{} used to filter out the results.
    • Returns:
      • A new Query instance.
newQuery := query.Where("name", "==", "Bobby Donev")
  • OrderBy - Returns a new Query that specifies the order in which results are returned.
    • Expects:
      • path: A string which can be a single field or a dot-separated sequence of fields. To order by document name, use the special field path DocumentID.
      • direction: A Direction used to specify whether results are returned in ascending or descending order.
    • Returns:
      • A new Query instance.
newQuery := query.Where("name", "==", "Bobby Donev").OrderBy("age", Asc)
  • Limit - Returns a new Query that specifies the maximum number of first results to return.
    • Expects:
      • num: An int which indicates the max number of results to return.
    • Returns:
      • A new Query instance.
newQuery := query.Where("name", "==", "Bobby Donev").Limit(1)
  • LimitToLast - Returns a new Query that specifies the maximum number of last results to return.
    • Expects:
      • num: An int which indicates the max number of results to return.
    • Returns:
      • A new Query instance.
newQuery := query.Where("name", "==", "Bobby Donev").LimitToLast(1)
  • Offset - Returns a new Query that specifies the number of initial results to skip.
    • Expects:
      • num: An int which indicates the number of results to skip.
    • Returns:
      • A new Query instance.
newQuery := query.Where("name", "==", "Bobby Donev").Offset(1)
  • StartAt - Returns a new Query that specifies that results should start at the document with the given field values. Should be called with one field value for each OrderBy clause, in the order that they appear.
    • Expects:
      • value: A varying number of interface{} values used to filter out results.
    • Returns:
      • A new Query instance.
newQuery := query.Where("name", "==", "Bobby Donev").OrderBy("age", Asc).StartAt(25)
  • StartAfter - Returns a new Query that specifies that results should start just after the document with the given field values. Should be called with one field value for each OrderBy clause, in the order that they appear.
    • Expects:
      • value: A varying number of interface{} values used to filter out results.
    • Returns:
      • A new Query instance.
newQuery := query.Where("name", "==", "Bobby Donev").OrderBy("age", Asc).StartAfter(25)
  • EndBefore - Returns a new Query that specifies that results should end just before the document with the given field values. Should be called with one field value for each OrderBy clause, in the order that they appear.
    • Expects:
      • value: A varying number of interface{} values used to filter out results.
    • Returns:
      • A new Query instance.
newQuery := query.Where("name", "==", "Bobby Donev").OrderBy("age", Asc).EndBefore(25)
  • EndAt - Returns a new Query that specifies that results should end at the document with the given field values. Should be called with one field value for each OrderBy clause, in the order that they appear.
    • Expects:
      • value: A varying number of interface{} values used to filter out results.
    • Returns:
      • A new Query instance.
newQuery := query.Where("name", "==", "Bobby Donev").OrderBy("age", Asc).EndAt(25)

Options

A Firevault Options instance allows for the overriding of default options for validation, creation and updating methods, by chaining various methods.

To create a new Options instance, call the NewOptions method.

options := firevault.NewOptions()

Methods

The Options instance has 6 built-in methods to support overriding default Collection method options.

  • SkipValidation - Returns a new Options instance that allows to skip the data validation during creation, updating and validation methods. The "name" tag, "omitempty" tags and "ignore" tag will still be honoured.
    • Returns:
      • A new Options instance.
newOptions := options.SkipValidation()
  • AllowEmptyFields - Returns a new Options instance that allows to specify which field paths should ignore the "omitempty" tags. This can be useful when zero values are needed only during a specific method call. If left empty, those tags will be honoured for all fields.
    • Expects:
      • path: A varying number of string values (using dot separation) used to select field paths.
    • Returns:
      • A new Options instance.
newOptions := options.AllowEmptyFields("age")
  • MergeFields - Returns a new Options instance that allows to specify which field paths to be overwritten. Other fields on the existing document will be untouched. It is an error if a provided field path does not refer to a value in the data passed. Only used for updating method.
    • Expects:
      • path: A varying number of string values (using dot separation) used to select field paths.
    • Returns:
      • A new Options instance.
newOptions := options.MergeFields("address.Line1")
  • CustomID - Returns a new Options instance that allows to specify a custom document ID to be used when creating a Firestore document. Only used for creation method.
    • Expects:
      • id: A string specifying the custom ID.
    • Returns:
      • A new Options instance.
newOptions := options.CustomID("custom-id")

Custom Errors

During collection methods which require validation (i.e. Create, UpdateById and Validate), Firevault may return an error of a FieldError interface, which can aid in presenting custom error messages to users. All other errors are of the usual error type. Available methods for FieldError can be found in the field_error.go file.

Here is an example of parsing returned error.

func parseError(err firevault.FieldError) {
	if err.StructField() == "Password" { // or err.Field() == "password"
		if err.Tag() == "min=6" {
			fmt.Println("Password must be at least 6 characters long.")
		} else {
			fmt.Println(err.Error())
		}
	} else {
		fmt.Println(err.Error())
	}
}

id, err := collection.Create(ctx, &User{
	Name: "Bobby Donev",
	Email: "hello@bobbydonev.com",
	Password: "12345",
	Age: 26,
	Address: &Address{
		Line1: "1 High Street",
		City:  "London",
	},
})
if err != nil {
	var fErr firevault.FieldError
	if errors.As(err, &fErr) {
		parseError(fErr) // "Password must be at least 6 characters long."
	} else {
		fmt.Println(err.Error())
	}
} else {
	fmt.Println(id)
}

Contributing

Pull requests are welcome. For major changes, please open an issue first to discuss what you would like to change.

License

MIT

Documentation

Index

Constants

View Source
const DocumentID = "__name__"

DocumentID is the special field name representing the ID of a document in queries.

Variables

This section is empty.

Functions

This section is empty.

Types

type Collection

type Collection[T interface{}] struct {
	// contains filtered or unexported fields
}

A Firevault Collection allows for the fetching and modifying (with validation) of documents in a Firestore Collection.

func NewCollection

func NewCollection[T interface{}](connection *Connection, path string) (*Collection[T], error)

Create a new Collection instance.

A Firevault Collection allows for the fetching and modifying (with validation) of documents in a Firestore Collection.

func (*Collection[T]) Count

func (c *Collection[T]) Count(ctx context.Context, query Query) (int64, error)

Find number of Firestore documents which match provided Query.

func (*Collection[T]) Create

func (c *Collection[T]) Create(ctx context.Context, data *T, opts ...Options) (string, error)

Create a Firestore document with provided data (after validation).

func (*Collection[T]) DeleteById

func (c *Collection[T]) DeleteById(ctx context.Context, id string) error

Delete a Firestore document with provided ID.

func (*Collection[T]) Find

func (c *Collection[T]) Find(ctx context.Context, query Query) ([]Document[T], error)

Find all Firestore documents which match provided Query.

func (*Collection[T]) FindById

func (c *Collection[T]) FindById(ctx context.Context, id string) (T, error)

Find a Firestore document with provided ID.

func (*Collection[T]) UpdateById

func (c *Collection[T]) UpdateById(ctx context.Context, id string, data *T, opts ...Options) error

Update a Firestore document with provided ID and data (after validation).

func (*Collection[T]) Validate

func (c *Collection[T]) Validate(ctx context.Context, data *T, opts ...Options) error

Validate provided data.

type Connection

type Connection struct {
	// contains filtered or unexported fields
}

A Firevault Connection provides access to Firevault services

func Connect

func Connect(client *firestore.Client) *Connection

Create a new Connection instance.

A Firevault Connection provides access to Firevault services

func (*Connection) RegisterTransformation

func (c *Connection) RegisterTransformation(name string, transformation TransformationFn) error

Register a new transformation rule.

func (*Connection) RegisterValidation

func (c *Connection) RegisterValidation(name string, validation ValidationFn) error

Register a new validation rule.

type Direction

type Direction int32

Direction is the sort direction for result ordering.

const Asc Direction = Direction(1)

Asc sorts results from smallest to largest.

const Desc Direction = Direction(2)

Desc sorts results from largest to smallest.

type Document

type Document[T interface{}] struct {
	ID   string
	Data T
}

A Firevault Document holds the ID and data related to fetched document.

type FieldError

type FieldError interface {
	// Code returns a reason for the error
	// (e.g. unknown-validation-rule)
	Code() string
	// Tag returns the validation tag that failed
	Tag() string
	// Field returns the field's name with the tag name taking
	// precedence over the field's actual name
	Field() string
	// StructField returns the field's actual name from the struct
	StructField() string
	// Value returns the actual field's value in case needed for
	// creating the error message
	Value() interface{}
	// Param returns the param value, in string form for comparison;
	// this will also help with generating an error message
	Param() string
	// Kind returns the Field's reflect Kind
	// (eg. time.Time's kind is a struct)
	Kind() reflect.Kind
	// Type returns the Field's reflect Type
	// (eg. time.Time's type is time.Time)
	Type() reflect.Type
	// Error returns the error message
	Error() string
}

FieldError contains all functions to get error details

type Options

type Options struct {
	// contains filtered or unexported fields
}

A Firevault Options instance allows for the overriding of default options for validation, creation and updating methods.

Options values are immutable. Each Options method creates a new instance - it does not modify the old.

func NewOptions

func NewOptions() Options

Create a new Options instance.

A Firevault Options instance allows for the overriding of default options for validation, creation and updating methods.

Options values are immutable. Each Options method creates a new instance - it does not modify the old.

func (Options) AllowEmptyFields

func (o Options) AllowEmptyFields(fields ...string) Options

Specify which field paths (using dot-separated strings) should ignore the "omitempty" and "omitemptyupdate" tags.

This can be useful when zero values are needed only during a specific method call.

If left empty, those tags will be honoured for all fields.

func (Options) CustomID

func (o Options) CustomID(id string) Options

Specify custom doc ID. If left empty, Firestore will automatically create one.

Only used for creation method.

func (Options) MergeFields

func (o Options) MergeFields(fields ...string) Options

Specify which field paths (using dot-separated strings) to be overwritten. Other fields on the existing document will be untouched.

It is an error if a provided field path does not refer to a value in the data passed.

Only used for updating method.

func (Options) SkipValidation

func (o Options) SkipValidation() Options

Skip all validations - the "name" tag, "omitempty" tags and "ignore" tag will still be honoured.

type Query

type Query struct {
	// contains filtered or unexported fields
}

A Firevault Query helps to filter and order Firestore documents.

Query values are immutable. Each Query method creates a new Query - it does not modify the old.

func NewQuery

func NewQuery() Query

Create a new Query instance.

A Firevault Query helps to filter and order Firestore documents.

Query values are immutable. Each Query method creates a new Query - it does not modify the old.

func (Query) EndAt

func (q Query) EndAt(value ...interface{}) Query

EndAt returns a new Query that specifies that results should end at the document with the given field values.

EndAt should be called with one field value for each OrderBy clause, in the order that they appear.

func (Query) EndBefore

func (q Query) EndBefore(value ...interface{}) Query

EndBefore returns a new Query that specifies that results should end just before the document with the given field values.

EndBefore should be called with one field value for each OrderBy clause, in the order that they appear.

func (Query) Limit

func (q Query) Limit(num int) Query

Limit returns a new Query that specifies the maximum number of first results to return.

func (Query) LimitToLast

func (q Query) LimitToLast(num int) Query

LimitToLast returns a new Query that specifies the maximum number of last results to return.

func (Query) Offset

func (q Query) Offset(num int) Query

Offset returns a new Query that specifies the number of initial results to skip.

func (Query) OrderBy

func (q Query) OrderBy(path string, direction Direction) Query

OrderBy returns a new Query that specifies the order in which results are returned. A Query can have multiple OrderBy specifications. It appends the specification to the list of existing ones.

func (Query) StartAfter

func (q Query) StartAfter(value ...interface{}) Query

StartAfter returns a new Query that specifies that results should start just after the document with the given field values.

StartAfter should be called with one field value for each OrderBy clause, in the order that they appear.

func (Query) StartAt

func (q Query) StartAt(value ...interface{}) Query

StartAt returns a new Query that specifies that results should start at the document with the given field values.

StartAt should be called with one field value for each OrderBy clause, in the order that they appear.

func (Query) Where

func (q Query) Where(path string, operator string, value interface{}) Query

Where returns a new Query that filters the set of results. A Query can have multiple filters.

The path argument can be asingle field or a dot-separated sequence of fields, and must not contain any of the runes "˜*/[]".

The operator argument must be one of "==", "!=", "<", "<=", ">", ">=", "array-contains", "array-contains-any", "in" or "not-in".

type TransformationFn

type TransformationFn func(ctx context.Context, path string, value reflect.Value) (interface{}, error)

type ValidationFn

type ValidationFn func(ctx context.Context, path string, value reflect.Value, param string) (bool, error)

Jump to

Keyboard shortcuts

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