Created account service; implemented sign in
This commit is contained in:
parent
954af040d1
commit
08d6bc3782
135
v1/app.go
135
v1/app.go
|
@ -2,20 +2,151 @@ package main
|
||||||
|
|
||||||
import (
|
import (
|
||||||
"context"
|
"context"
|
||||||
|
"encoding/json"
|
||||||
|
"fmt"
|
||||||
|
"log"
|
||||||
|
"os"
|
||||||
|
"sync"
|
||||||
|
|
||||||
|
"github.com/tylertravisty/rum-goggles/v1/internal/config"
|
||||||
|
"github.com/tylertravisty/rum-goggles/v1/internal/models"
|
||||||
|
rumblelivestreamlib "github.com/tylertravisty/rumble-livestream-lib-go"
|
||||||
|
|
||||||
|
_ "github.com/mattn/go-sqlite3"
|
||||||
)
|
)
|
||||||
|
|
||||||
// App struct
|
// App struct
|
||||||
type App struct {
|
type App struct {
|
||||||
ctx context.Context
|
clients map[string]*rumblelivestreamlib.Client
|
||||||
|
ctx context.Context
|
||||||
|
services *models.Services
|
||||||
|
logError *log.Logger
|
||||||
|
logFile *os.File
|
||||||
|
logFileMu sync.Mutex
|
||||||
|
logInfo *log.Logger
|
||||||
}
|
}
|
||||||
|
|
||||||
// NewApp creates a new App application struct
|
// NewApp creates a new App application struct
|
||||||
func NewApp() *App {
|
func NewApp() *App {
|
||||||
return &App{}
|
app := &App{
|
||||||
|
clients: map[string]*rumblelivestreamlib.Client{},
|
||||||
|
}
|
||||||
|
err := app.log()
|
||||||
|
if err != nil {
|
||||||
|
log.Fatal("error initializing log: ", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return app
|
||||||
|
}
|
||||||
|
|
||||||
|
func (a *App) log() error {
|
||||||
|
a.logFileMu.Lock()
|
||||||
|
defer a.logFileMu.Unlock()
|
||||||
|
|
||||||
|
f, err := config.Log()
|
||||||
|
if err != nil {
|
||||||
|
return fmt.Errorf("error getting log file: %v", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
a.logFile = f
|
||||||
|
a.logInfo = log.New(f, "[info]", log.LstdFlags|log.Lshortfile)
|
||||||
|
a.logError = log.New(f, "[error]", log.LstdFlags|log.Lshortfile)
|
||||||
|
return nil
|
||||||
}
|
}
|
||||||
|
|
||||||
// startup is called when the app starts. The context is saved
|
// startup is called when the app starts. The context is saved
|
||||||
// so we can call the runtime methods
|
// so we can call the runtime methods
|
||||||
func (a *App) startup(ctx context.Context) {
|
func (a *App) startup(ctx context.Context) {
|
||||||
a.ctx = ctx
|
a.ctx = ctx
|
||||||
|
|
||||||
|
db, err := config.Database()
|
||||||
|
if err != nil {
|
||||||
|
log.Fatal(err)
|
||||||
|
}
|
||||||
|
|
||||||
|
services, err := models.NewServices(
|
||||||
|
models.WithDatabase(db),
|
||||||
|
models.WithAccountService(),
|
||||||
|
)
|
||||||
|
if err != nil {
|
||||||
|
log.Fatal(err)
|
||||||
|
}
|
||||||
|
|
||||||
|
err = services.AutoMigrate()
|
||||||
|
if err != nil {
|
||||||
|
log.Fatal(err)
|
||||||
|
}
|
||||||
|
|
||||||
|
a.services = services
|
||||||
|
|
||||||
|
// TODO: check for update - if available, pop up window
|
||||||
|
}
|
||||||
|
|
||||||
|
func (a *App) shutdown(ctx context.Context) {
|
||||||
|
if a.services != nil {
|
||||||
|
err := a.services.Close()
|
||||||
|
if err != nil {
|
||||||
|
a.logError.Println("error closing services:", err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
a.logFileMu.Lock()
|
||||||
|
if a.logFile != nil {
|
||||||
|
err := a.logFile.Close()
|
||||||
|
if err != nil {
|
||||||
|
log.Println("error closing log file:", err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
a.logFileMu.Unlock()
|
||||||
|
}
|
||||||
|
|
||||||
|
func (a *App) Login(username string, password string) error {
|
||||||
|
var err error
|
||||||
|
client, exists := a.clients[username]
|
||||||
|
if exists && client != nil {
|
||||||
|
err = client.Logout()
|
||||||
|
if err != nil {
|
||||||
|
a.logError.Println("error logging out:", err)
|
||||||
|
return fmt.Errorf("Error logging in. Try again.")
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
client, err = rumblelivestreamlib.NewClient(rumblelivestreamlib.NewClientOptions{})
|
||||||
|
}
|
||||||
|
|
||||||
|
cookies, err := client.Login(username, password)
|
||||||
|
if err != nil {
|
||||||
|
a.logError.Println("error logging in:", err)
|
||||||
|
return fmt.Errorf("Error logging in. Try again.")
|
||||||
|
}
|
||||||
|
a.clients[username] = client
|
||||||
|
|
||||||
|
cookiesB, err := json.Marshal(cookies)
|
||||||
|
if err != nil {
|
||||||
|
a.logError.Println("error marshaling cookies into json:", err)
|
||||||
|
return fmt.Errorf("Error logging in. Try again.")
|
||||||
|
}
|
||||||
|
cookiesS := string(cookiesB)
|
||||||
|
|
||||||
|
act, err := a.services.AccountS.ByUsername(username)
|
||||||
|
if err != nil {
|
||||||
|
a.logError.Println("error getting account by username:", err)
|
||||||
|
return fmt.Errorf("Error logging in. Try again.")
|
||||||
|
}
|
||||||
|
if act == nil {
|
||||||
|
act = &models.Account{nil, &username, &cookiesS}
|
||||||
|
err = a.services.AccountS.Create(act)
|
||||||
|
if err != nil {
|
||||||
|
a.logError.Println("error creating account:", err)
|
||||||
|
return fmt.Errorf("Error logging in. Try again.")
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
act.Cookies = &cookiesS
|
||||||
|
err = a.services.AccountS.Update(act)
|
||||||
|
if err != nil {
|
||||||
|
a.logError.Println("error updating account", err)
|
||||||
|
return fmt.Errorf("Error logging in. Try again.")
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
}
|
}
|
||||||
|
|
|
@ -3,7 +3,7 @@
|
||||||
<head>
|
<head>
|
||||||
<meta charset="UTF-8"/>
|
<meta charset="UTF-8"/>
|
||||||
<meta content="width=device-width, initial-scale=1.0" name="viewport"/>
|
<meta content="width=device-width, initial-scale=1.0" name="viewport"/>
|
||||||
<title>v1</title>
|
<title>Rum Goggles</title>
|
||||||
</head>
|
</head>
|
||||||
<body>
|
<body>
|
||||||
<div id="root"></div>
|
<div id="root"></div>
|
||||||
|
|
|
@ -1,8 +1,17 @@
|
||||||
import { useState } from 'react';
|
import { useState } from 'react';
|
||||||
|
import { MemoryRouter as Router, Route, Routes, Link } from 'react-router-dom';
|
||||||
import './App.css';
|
import './App.css';
|
||||||
|
import { NavSignIn } from './Navigation';
|
||||||
|
import SignIn from './screens/SignIn';
|
||||||
|
|
||||||
function App() {
|
function App() {
|
||||||
return <div id='App'></div>;
|
return (
|
||||||
|
<Router>
|
||||||
|
<Routes>
|
||||||
|
<Route path={NavSignIn} element={<SignIn />} />
|
||||||
|
</Routes>
|
||||||
|
</Router>
|
||||||
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
export default App;
|
export default App;
|
||||||
|
|
1
v1/frontend/src/Navigation.jsx
Normal file
1
v1/frontend/src/Navigation.jsx
Normal file
|
@ -0,0 +1 @@
|
||||||
|
export const NavSignIn = '/';
|
BIN
v1/frontend/src/assets/icons/eye-slash.png
Normal file
BIN
v1/frontend/src/assets/icons/eye-slash.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 5.5 KiB |
BIN
v1/frontend/src/assets/icons/eye.png
Normal file
BIN
v1/frontend/src/assets/icons/eye.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 5.7 KiB |
BIN
v1/frontend/src/assets/icons/x-lg.png
Normal file
BIN
v1/frontend/src/assets/icons/x-lg.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 3.1 KiB |
9
v1/frontend/src/assets/index.js
Normal file
9
v1/frontend/src/assets/index.js
Normal file
|
@ -0,0 +1,9 @@
|
||||||
|
import eye from './icons/eye.png';
|
||||||
|
import eye_slash from './icons/eye-slash.png';
|
||||||
|
import x_lg from './icons/x-lg.png';
|
||||||
|
import logo from './logo/logo.png';
|
||||||
|
|
||||||
|
export const Eye = eye;
|
||||||
|
export const EyeSlash = eye_slash;
|
||||||
|
export const Logo = logo;
|
||||||
|
export const XLg = x_lg;
|
BIN
v1/frontend/src/assets/logo/logo.png
Normal file
BIN
v1/frontend/src/assets/logo/logo.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 81 KiB |
176
v1/frontend/src/components/Modal.css
Normal file
176
v1/frontend/src/components/Modal.css
Normal file
|
@ -0,0 +1,176 @@
|
||||||
|
|
||||||
|
.modal-background {
|
||||||
|
align-items: center;
|
||||||
|
background-color: transparent;
|
||||||
|
display: flex;
|
||||||
|
height: 100vh;
|
||||||
|
justify-content: center;
|
||||||
|
left: 0;
|
||||||
|
position: absolute;
|
||||||
|
top: 0;
|
||||||
|
width: 100vw;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-body {
|
||||||
|
align-items: center;
|
||||||
|
display: flex;
|
||||||
|
height: 80%;
|
||||||
|
justify-content: center;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-button {
|
||||||
|
background-color: #85c742;
|
||||||
|
border: none;
|
||||||
|
border-radius: 5px;
|
||||||
|
color: #061726;
|
||||||
|
cursor: pointer;
|
||||||
|
font-size: 18px;
|
||||||
|
font-weight: bold;
|
||||||
|
text-decoration: none;
|
||||||
|
/* width: 20%; */
|
||||||
|
width: 70px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-button-cancel {
|
||||||
|
background-color: transparent;
|
||||||
|
border: 1px solid #495a6a;
|
||||||
|
border-radius: 5px;
|
||||||
|
color: #495a6a;
|
||||||
|
cursor: pointer;
|
||||||
|
font-size: 18px;
|
||||||
|
font-weight: bold;
|
||||||
|
text-decoration: none;
|
||||||
|
/* width: 20%; */
|
||||||
|
width: 70px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-button-delete {
|
||||||
|
background-color: transparent;
|
||||||
|
border: 1px solid red;
|
||||||
|
border-radius: 5px;
|
||||||
|
color: red;
|
||||||
|
cursor: pointer;
|
||||||
|
font-size: 18px;
|
||||||
|
font-weight: bold;
|
||||||
|
text-decoration: none;
|
||||||
|
/* width: 20%; */
|
||||||
|
width: 70px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-close {
|
||||||
|
align-items: center;
|
||||||
|
background-color: transparent;
|
||||||
|
border: none;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: center;
|
||||||
|
padding: 0px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-close:hover {
|
||||||
|
cursor: pointer;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-close-icon {
|
||||||
|
height: 24px;
|
||||||
|
padding: 0px;
|
||||||
|
width: 24px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-container {
|
||||||
|
align-items: center;
|
||||||
|
background-color: rgba(6,23,38,1);
|
||||||
|
border: 1px solid #495a6a;
|
||||||
|
border-radius: 15px;
|
||||||
|
color: black;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
height: 50%;
|
||||||
|
justify-content: space-between;
|
||||||
|
opacity: 1;
|
||||||
|
padding: 10px 20px;
|
||||||
|
width: 50%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-footer {
|
||||||
|
align-items: center;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: row;
|
||||||
|
justify-content: space-between;
|
||||||
|
height: 10%;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-header {
|
||||||
|
align-items: center;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: row;
|
||||||
|
justify-content: space-between;
|
||||||
|
height: 10%;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.modal-title {
|
||||||
|
color: white;
|
||||||
|
font-family: sans-serif;
|
||||||
|
font-size: 24px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.small-modal-button-delete {
|
||||||
|
background-color: red;
|
||||||
|
border: none;
|
||||||
|
border-radius: 5px;
|
||||||
|
color: white;
|
||||||
|
cursor: pointer;
|
||||||
|
font-size: 18px;
|
||||||
|
font-weight: bold;
|
||||||
|
text-decoration: none;
|
||||||
|
/* width: 20%; */
|
||||||
|
width: 70px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.small-modal-container {
|
||||||
|
align-items: center;
|
||||||
|
/* background-color: rgba(6,23,38,1); */
|
||||||
|
background-color: white;
|
||||||
|
border: 1px solid #495a6a;
|
||||||
|
/* border: 1px solid black; */
|
||||||
|
border-radius: 15px;
|
||||||
|
color: black;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
height: 50%;
|
||||||
|
justify-content: space-between;
|
||||||
|
opacity: 1;
|
||||||
|
padding: 10px 20px;
|
||||||
|
width: 50%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.small-modal-header {
|
||||||
|
align-items: center;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: row;
|
||||||
|
justify-content: space-between;
|
||||||
|
height: 10%;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.small-modal-footer {
|
||||||
|
align-items: center;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: row;
|
||||||
|
justify-content: space-between;
|
||||||
|
height: 20%;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.small-modal-message {
|
||||||
|
font-family: sans-serif;
|
||||||
|
font-size: 18px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.small-modal-title {
|
||||||
|
color: black;
|
||||||
|
font-family: sans-serif;
|
||||||
|
font-size: 24px;
|
||||||
|
}
|
86
v1/frontend/src/components/Modal.jsx
Normal file
86
v1/frontend/src/components/Modal.jsx
Normal file
|
@ -0,0 +1,86 @@
|
||||||
|
import { XLg } from '../assets';
|
||||||
|
import './Modal.css';
|
||||||
|
|
||||||
|
export function Modal(props) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
className='modal-background'
|
||||||
|
onClick={props.onClose}
|
||||||
|
style={{ zIndex: props.show ? 10 : -10 }}
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
className='modal-container'
|
||||||
|
onClick={(event) => event.stopPropagation()}
|
||||||
|
style={props.style}
|
||||||
|
>
|
||||||
|
<div className='modal-header'>
|
||||||
|
<span className='modal-title'>{props.title}</span>
|
||||||
|
<button className='modal-close' onClick={props.onClose}>
|
||||||
|
<img className='modal-close-icon' src={XLg} />
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
<div className='modal-body'>{props.children}</div>
|
||||||
|
<div className='modal-footer'>
|
||||||
|
{props.cancelButton && (
|
||||||
|
<button className='modal-button-cancel' onClick={props.onCancel}>
|
||||||
|
{props.cancelButton}
|
||||||
|
</button>
|
||||||
|
)}
|
||||||
|
{props.deleteButton && (
|
||||||
|
<button className='modal-button-delete' onClick={props.onDelete}>
|
||||||
|
{props.deleteButton}
|
||||||
|
</button>
|
||||||
|
)}
|
||||||
|
{props.submitButton && (
|
||||||
|
<button className='modal-button' onClick={props.onSubmit}>
|
||||||
|
{props.submitButton}
|
||||||
|
</button>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export function SmallModal(props) {
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
className='modal-background'
|
||||||
|
onClick={props.onClose}
|
||||||
|
style={{ zIndex: props.show ? 10 : -10 }}
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
className='small-modal-container'
|
||||||
|
onClick={(event) => event.stopPropagation()}
|
||||||
|
style={props.style}
|
||||||
|
>
|
||||||
|
<div className='small-modal-header'>
|
||||||
|
<span className='small-modal-title'>{props.title}</span>
|
||||||
|
<button className='modal-close' onClick={props.onClose}>
|
||||||
|
<img className='modal-close-icon' src={XLg} />
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
<div className='modal-body'>
|
||||||
|
<span className='small-modal-message'>{props.message}</span>
|
||||||
|
</div>
|
||||||
|
<div className='small-modal-footer'>
|
||||||
|
{props.cancelButton && (
|
||||||
|
<button className='modal-button-cancel' onClick={props.onCancel}>
|
||||||
|
{props.cancelButton}
|
||||||
|
</button>
|
||||||
|
)}
|
||||||
|
{props.deleteButton && (
|
||||||
|
<button className='small-modal-button-delete' onClick={props.onDelete}>
|
||||||
|
{props.deleteButton}
|
||||||
|
</button>
|
||||||
|
)}
|
||||||
|
{props.submitButton && (
|
||||||
|
<button className='modal-button' onClick={props.onSubmit}>
|
||||||
|
{props.submitButton}
|
||||||
|
</button>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
192
v1/frontend/src/screens/SignIn.css
Normal file
192
v1/frontend/src/screens/SignIn.css
Normal file
|
@ -0,0 +1,192 @@
|
||||||
|
.signin-body {
|
||||||
|
align-items: center;
|
||||||
|
background-color: #f3f5f8;
|
||||||
|
background-image: linear-gradient(to bottom, #85c742, #061726);
|
||||||
|
/* background-color: #85c742; */
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
justify-content: space-evenly;
|
||||||
|
height: 100vh;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-center {
|
||||||
|
align-items: center;
|
||||||
|
display: flex;
|
||||||
|
height: 60%;
|
||||||
|
justify-content: center;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-footer {
|
||||||
|
align-items: center;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
justify-content: center;
|
||||||
|
height: 20%;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-footer-description {
|
||||||
|
color: #f3f5f8;
|
||||||
|
font-family: sans-serif;
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
.signin-header {
|
||||||
|
align-items: center;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: row;
|
||||||
|
height: 20%;
|
||||||
|
justify-content: space-evenly;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-logo {
|
||||||
|
height: 100px;
|
||||||
|
width: 100px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-title {
|
||||||
|
align-items: center;
|
||||||
|
color: #061726;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
font-family: sans-serif;
|
||||||
|
font-weight: bold;
|
||||||
|
justify-content: center;
|
||||||
|
text-align: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-title-text {
|
||||||
|
font-size: 20px;
|
||||||
|
margin: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-title-subtext {
|
||||||
|
font-size: 12px;
|
||||||
|
margin: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window {
|
||||||
|
align-items: center;
|
||||||
|
background-color: #061726;
|
||||||
|
border-radius: 12px;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
justify-content: space-evenly;
|
||||||
|
height: 425px;
|
||||||
|
max-width: 450px;
|
||||||
|
padding: 20px;
|
||||||
|
width: 80%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-header {
|
||||||
|
align-items: center;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-field {
|
||||||
|
align-items: center;
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
margin: 10px 0px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-field-label {
|
||||||
|
color: #d6e0ea;
|
||||||
|
font-family: sans-serif;
|
||||||
|
font-size: 20px;
|
||||||
|
padding-bottom: 5px;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-field-input {
|
||||||
|
background-color: #1f2e3c;
|
||||||
|
border: none;
|
||||||
|
border-radius: 5px;
|
||||||
|
box-sizing: border-box;
|
||||||
|
color: white;
|
||||||
|
font-family: monospace;
|
||||||
|
font-size: 16px;
|
||||||
|
outline: none;
|
||||||
|
padding: 10px;
|
||||||
|
resize: none;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-field-input::placeholder {
|
||||||
|
color: #73899e;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-form {
|
||||||
|
width: 80%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-form-button {
|
||||||
|
background-color: #85c742;
|
||||||
|
border: none;
|
||||||
|
border-radius: 30px;
|
||||||
|
color: #0d2437;
|
||||||
|
font-family: sans-serif;
|
||||||
|
font-size: 16px;
|
||||||
|
font-weight: bold;
|
||||||
|
margin-top: 10px;
|
||||||
|
padding: 8px 11px;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-form-button:hover {
|
||||||
|
cursor: pointer;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-password {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: row;
|
||||||
|
justify-content: space-between;
|
||||||
|
width: 100%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-password-input {
|
||||||
|
background-color: #1f2e3c;
|
||||||
|
border: none;
|
||||||
|
border-radius: 5px 0px 0px 5px;
|
||||||
|
box-sizing: border-box;
|
||||||
|
color: white;
|
||||||
|
font-family: monospace;
|
||||||
|
font-size: 16px;
|
||||||
|
outline: none;
|
||||||
|
padding: 10px;
|
||||||
|
resize: none;
|
||||||
|
width: 90%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-password-input::placeholder {
|
||||||
|
color: #73899e;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-password-show-button {
|
||||||
|
align-items: center;
|
||||||
|
background-color: #1f2e3c;
|
||||||
|
border: none;
|
||||||
|
border-radius: 0px 5px 5px 0px;
|
||||||
|
display: flex;
|
||||||
|
justify-content: center;
|
||||||
|
width: 10%;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-password-show-button:hover {
|
||||||
|
cursor: pointer;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-password-show-icon {
|
||||||
|
height: 16px;
|
||||||
|
width: 16px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.signin-window-title {
|
||||||
|
color: #d6e0ea;
|
||||||
|
font-family: sans-serif;
|
||||||
|
font-size: 24px;
|
||||||
|
font-weight: bold;
|
||||||
|
}
|
105
v1/frontend/src/screens/SignIn.jsx
Normal file
105
v1/frontend/src/screens/SignIn.jsx
Normal file
|
@ -0,0 +1,105 @@
|
||||||
|
import { useEffect, useState } from 'react';
|
||||||
|
import { SmallModal } from '../components/Modal';
|
||||||
|
import { Login } from '../../wailsjs/go/main/App';
|
||||||
|
import { Eye, EyeSlash, Logo } from '../assets';
|
||||||
|
import './SignIn.css';
|
||||||
|
|
||||||
|
function SignIn() {
|
||||||
|
const [error, setError] = useState('');
|
||||||
|
const [password, setPassword] = useState('');
|
||||||
|
const updatePassword = (event) => setPassword(event.target.value);
|
||||||
|
const [showPassword, setShowPassword] = useState(false);
|
||||||
|
const updateShowPassword = () => setShowPassword(!showPassword);
|
||||||
|
const [signingIn, setSigningIn] = useState(false);
|
||||||
|
const [username, setUsername] = useState('');
|
||||||
|
const updateUsername = (event) => setUsername(event.target.value);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (signingIn) {
|
||||||
|
Login(username, password)
|
||||||
|
.then(() => {
|
||||||
|
setUsername('');
|
||||||
|
setPassword('');
|
||||||
|
})
|
||||||
|
.catch((error) => {
|
||||||
|
setError(error);
|
||||||
|
})
|
||||||
|
.finally(() => {
|
||||||
|
setSigningIn(false);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}, [signingIn]);
|
||||||
|
|
||||||
|
const signIn = () => {
|
||||||
|
setSigningIn(true);
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<>
|
||||||
|
<SmallModal
|
||||||
|
onClose={() => setError('')}
|
||||||
|
show={error !== ''}
|
||||||
|
style={{ minWidth: '300px', maxWidth: '200px', maxHeight: '200px' }}
|
||||||
|
title={'Error'}
|
||||||
|
message={error}
|
||||||
|
submitButton={'OK'}
|
||||||
|
onSubmit={() => setError('')}
|
||||||
|
/>
|
||||||
|
<div className='signin-body'>
|
||||||
|
<div className='signin-header'>
|
||||||
|
<img className='signin-logo' src={Logo} />
|
||||||
|
</div>
|
||||||
|
<div></div>
|
||||||
|
<div className='signin-center'>
|
||||||
|
<div className='signin-window'>
|
||||||
|
<div className='signin-window-header'>
|
||||||
|
<span className='signin-window-title'>Sign in to Rumble</span>
|
||||||
|
</div>
|
||||||
|
<div className='signin-window-form'>
|
||||||
|
<div className='signin-window-field'>
|
||||||
|
<span className='signin-window-field-label'>Username</span>
|
||||||
|
<input
|
||||||
|
className='signin-window-field-input'
|
||||||
|
onChange={updateUsername}
|
||||||
|
placeholder='Username'
|
||||||
|
value={username}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className='signin-window-field'>
|
||||||
|
<span className='signin-window-field-label'>Password</span>
|
||||||
|
<div className='signin-window-password'>
|
||||||
|
<input
|
||||||
|
className='signin-window-password-input'
|
||||||
|
onChange={updatePassword}
|
||||||
|
placeholder='Password'
|
||||||
|
type={showPassword ? 'text' : 'password'}
|
||||||
|
value={password}
|
||||||
|
/>
|
||||||
|
<button
|
||||||
|
className='signin-window-password-show-button'
|
||||||
|
onClick={updateShowPassword}
|
||||||
|
>
|
||||||
|
<img
|
||||||
|
className='signin-window-password-show-icon'
|
||||||
|
src={showPassword ? EyeSlash : Eye}
|
||||||
|
/>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<button className='signin-window-form-button' onClick={signIn}>
|
||||||
|
{signingIn ? 'Signing in...' : 'Sign In'}
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
<div></div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div className='signin-footer'>
|
||||||
|
<span className='signin-footer-description'>Rum Goggles by Tyler Travis</span>
|
||||||
|
<span className='signin-footer-description'>Follow @tylertravisty</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
export default SignIn;
|
11
v1/go.mod
11
v1/go.mod
|
@ -4,7 +4,11 @@ go 1.21
|
||||||
|
|
||||||
toolchain go1.22.0
|
toolchain go1.22.0
|
||||||
|
|
||||||
require github.com/wailsapp/wails/v2 v2.8.0
|
require (
|
||||||
|
github.com/mattn/go-sqlite3 v1.14.22
|
||||||
|
github.com/tylertravisty/rumble-livestream-lib-go v0.3.4
|
||||||
|
github.com/wailsapp/wails/v2 v2.8.0
|
||||||
|
)
|
||||||
|
|
||||||
require (
|
require (
|
||||||
github.com/bep/debounce v1.2.1 // indirect
|
github.com/bep/debounce v1.2.1 // indirect
|
||||||
|
@ -22,9 +26,12 @@ require (
|
||||||
github.com/mattn/go-isatty v0.0.19 // indirect
|
github.com/mattn/go-isatty v0.0.19 // indirect
|
||||||
github.com/pkg/browser v0.0.0-20210911075715-681adbf594b8 // indirect
|
github.com/pkg/browser v0.0.0-20210911075715-681adbf594b8 // indirect
|
||||||
github.com/pkg/errors v0.9.1 // indirect
|
github.com/pkg/errors v0.9.1 // indirect
|
||||||
|
github.com/r3labs/sse/v2 v2.10.0 // indirect
|
||||||
github.com/rivo/uniseg v0.4.4 // indirect
|
github.com/rivo/uniseg v0.4.4 // indirect
|
||||||
|
github.com/robertkrimen/otto v0.2.1 // indirect
|
||||||
github.com/samber/lo v1.38.1 // indirect
|
github.com/samber/lo v1.38.1 // indirect
|
||||||
github.com/tkrajina/go-reflector v0.5.6 // indirect
|
github.com/tkrajina/go-reflector v0.5.6 // indirect
|
||||||
|
github.com/tylertravisty/go-utils v0.0.0-20230524204414-6893ae548909 // indirect
|
||||||
github.com/valyala/bytebufferpool v1.0.0 // indirect
|
github.com/valyala/bytebufferpool v1.0.0 // indirect
|
||||||
github.com/valyala/fasttemplate v1.2.2 // indirect
|
github.com/valyala/fasttemplate v1.2.2 // indirect
|
||||||
github.com/wailsapp/go-webview2 v1.0.10 // indirect
|
github.com/wailsapp/go-webview2 v1.0.10 // indirect
|
||||||
|
@ -34,6 +41,8 @@ require (
|
||||||
golang.org/x/net v0.20.0 // indirect
|
golang.org/x/net v0.20.0 // indirect
|
||||||
golang.org/x/sys v0.16.0 // indirect
|
golang.org/x/sys v0.16.0 // indirect
|
||||||
golang.org/x/text v0.14.0 // indirect
|
golang.org/x/text v0.14.0 // indirect
|
||||||
|
gopkg.in/cenkalti/backoff.v1 v1.1.0 // indirect
|
||||||
|
gopkg.in/sourcemap.v1 v1.0.5 // indirect
|
||||||
)
|
)
|
||||||
|
|
||||||
// replace github.com/wailsapp/wails/v2 v2.8.0 => /home/tyler/dev/go/pkg/mod
|
// replace github.com/wailsapp/wails/v2 v2.8.0 => /home/tyler/dev/go/pkg/mod
|
||||||
|
|
18
v1/go.sum
18
v1/go.sum
|
@ -35,15 +35,21 @@ github.com/mattn/go-isatty v0.0.14/go.mod h1:7GGIvUiUoEMVVmxf/4nioHXj79iQHKdU27k
|
||||||
github.com/mattn/go-isatty v0.0.16/go.mod h1:kYGgaQfpe5nmfYZH+SKPsOc2e4SrIfOl2e/yFXSvRLM=
|
github.com/mattn/go-isatty v0.0.16/go.mod h1:kYGgaQfpe5nmfYZH+SKPsOc2e4SrIfOl2e/yFXSvRLM=
|
||||||
github.com/mattn/go-isatty v0.0.19 h1:JITubQf0MOLdlGRuRq+jtsDlekdYPia9ZFsB8h/APPA=
|
github.com/mattn/go-isatty v0.0.19 h1:JITubQf0MOLdlGRuRq+jtsDlekdYPia9ZFsB8h/APPA=
|
||||||
github.com/mattn/go-isatty v0.0.19/go.mod h1:W+V8PltTTMOvKvAeJH7IuucS94S2C6jfK/D7dTCTo3Y=
|
github.com/mattn/go-isatty v0.0.19/go.mod h1:W+V8PltTTMOvKvAeJH7IuucS94S2C6jfK/D7dTCTo3Y=
|
||||||
|
github.com/mattn/go-sqlite3 v1.14.22 h1:2gZY6PC6kBnID23Tichd1K+Z0oS6nE/XwU+Vz/5o4kU=
|
||||||
|
github.com/mattn/go-sqlite3 v1.14.22/go.mod h1:Uh1q+B4BYcTPb+yiD3kU8Ct7aC0hY9fxUwlHK0RXw+Y=
|
||||||
github.com/pkg/browser v0.0.0-20210911075715-681adbf594b8 h1:KoWmjvw+nsYOo29YJK9vDA65RGE3NrOnUtO7a+RF9HU=
|
github.com/pkg/browser v0.0.0-20210911075715-681adbf594b8 h1:KoWmjvw+nsYOo29YJK9vDA65RGE3NrOnUtO7a+RF9HU=
|
||||||
github.com/pkg/browser v0.0.0-20210911075715-681adbf594b8/go.mod h1:HKlIX3XHQyzLZPlr7++PzdhaXEj94dEiJgZDTsxEqUI=
|
github.com/pkg/browser v0.0.0-20210911075715-681adbf594b8/go.mod h1:HKlIX3XHQyzLZPlr7++PzdhaXEj94dEiJgZDTsxEqUI=
|
||||||
github.com/pkg/errors v0.9.1 h1:FEBLx1zS214owpjy7qsBeixbURkuhQAwrK5UwLGTwt4=
|
github.com/pkg/errors v0.9.1 h1:FEBLx1zS214owpjy7qsBeixbURkuhQAwrK5UwLGTwt4=
|
||||||
github.com/pkg/errors v0.9.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0=
|
github.com/pkg/errors v0.9.1/go.mod h1:bwawxfHBFNV+L2hUp1rHADufV3IMtnDRdf1r5NINEl0=
|
||||||
github.com/pmezard/go-difflib v1.0.0 h1:4DBwDE0NGyQoBHbLQYPwSUPoCMWR5BEzIk/f1lZbAQM=
|
github.com/pmezard/go-difflib v1.0.0 h1:4DBwDE0NGyQoBHbLQYPwSUPoCMWR5BEzIk/f1lZbAQM=
|
||||||
github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4=
|
github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4=
|
||||||
|
github.com/r3labs/sse/v2 v2.10.0 h1:hFEkLLFY4LDifoHdiCN/LlGBAdVJYsANaLqNYa1l/v0=
|
||||||
|
github.com/r3labs/sse/v2 v2.10.0/go.mod h1:Igau6Whc+F17QUgML1fYe1VPZzTV6EMCnYktEmkNJ7I=
|
||||||
github.com/rivo/uniseg v0.2.0/go.mod h1:J6wj4VEh+S6ZtnVlnTBMWIodfgj8LQOQFoIToxlJtxc=
|
github.com/rivo/uniseg v0.2.0/go.mod h1:J6wj4VEh+S6ZtnVlnTBMWIodfgj8LQOQFoIToxlJtxc=
|
||||||
github.com/rivo/uniseg v0.4.4 h1:8TfxU8dW6PdqD27gjM8MVNuicgxIjxpm4K7x4jp8sis=
|
github.com/rivo/uniseg v0.4.4 h1:8TfxU8dW6PdqD27gjM8MVNuicgxIjxpm4K7x4jp8sis=
|
||||||
github.com/rivo/uniseg v0.4.4/go.mod h1:FN3SvrM+Zdj16jyLfmOkMNblXMcoc8DfTHruCPUcx88=
|
github.com/rivo/uniseg v0.4.4/go.mod h1:FN3SvrM+Zdj16jyLfmOkMNblXMcoc8DfTHruCPUcx88=
|
||||||
|
github.com/robertkrimen/otto v0.2.1 h1:FVP0PJ0AHIjC+N4pKCG9yCDz6LHNPCwi/GKID5pGGF0=
|
||||||
|
github.com/robertkrimen/otto v0.2.1/go.mod h1:UPwtJ1Xu7JrLcZjNWN8orJaM5n5YEtqL//farB5FlRY=
|
||||||
github.com/samber/lo v1.38.1 h1:j2XEAqXKb09Am4ebOg31SpvzUTTs6EN3VfgeLUhPdXM=
|
github.com/samber/lo v1.38.1 h1:j2XEAqXKb09Am4ebOg31SpvzUTTs6EN3VfgeLUhPdXM=
|
||||||
github.com/samber/lo v1.38.1/go.mod h1:+m/ZKRl6ClXCE2Lgf3MsQlWfh4bn1bz6CXEOxnEXnEA=
|
github.com/samber/lo v1.38.1/go.mod h1:+m/ZKRl6ClXCE2Lgf3MsQlWfh4bn1bz6CXEOxnEXnEA=
|
||||||
github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME=
|
github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME=
|
||||||
|
@ -52,6 +58,10 @@ github.com/stretchr/testify v1.8.4 h1:CcVxjf3Q8PM0mHUKJCdn+eZZtm5yQwehR5yeSVQQcU
|
||||||
github.com/stretchr/testify v1.8.4/go.mod h1:sz/lmYIOXD/1dqDmKjjqLyZ2RngseejIcXlSw2iwfAo=
|
github.com/stretchr/testify v1.8.4/go.mod h1:sz/lmYIOXD/1dqDmKjjqLyZ2RngseejIcXlSw2iwfAo=
|
||||||
github.com/tkrajina/go-reflector v0.5.6 h1:hKQ0gyocG7vgMD2M3dRlYN6WBBOmdoOzJ6njQSepKdE=
|
github.com/tkrajina/go-reflector v0.5.6 h1:hKQ0gyocG7vgMD2M3dRlYN6WBBOmdoOzJ6njQSepKdE=
|
||||||
github.com/tkrajina/go-reflector v0.5.6/go.mod h1:ECbqLgccecY5kPmPmXg1MrHW585yMcDkVl6IvJe64T4=
|
github.com/tkrajina/go-reflector v0.5.6/go.mod h1:ECbqLgccecY5kPmPmXg1MrHW585yMcDkVl6IvJe64T4=
|
||||||
|
github.com/tylertravisty/go-utils v0.0.0-20230524204414-6893ae548909 h1:xrjIFqzGQXlCrCdMPpW6+SodGFSlrQ3ZNUCr3f5tF1g=
|
||||||
|
github.com/tylertravisty/go-utils v0.0.0-20230524204414-6893ae548909/go.mod h1:2W31Jhs9YSy7y500wsCOW0bcamGi9foQV1CKrfvfTxk=
|
||||||
|
github.com/tylertravisty/rumble-livestream-lib-go v0.3.4 h1:VPKelrC3hesJlbqdByMkUhbEubFx80T5FNC60JKrEfw=
|
||||||
|
github.com/tylertravisty/rumble-livestream-lib-go v0.3.4/go.mod h1:rUET5uInouMfB4ekqdGiYeoN5ibOdzU9cCgRE0i57Wg=
|
||||||
github.com/valyala/bytebufferpool v1.0.0 h1:GqA5TC/0021Y/b9FG4Oi9Mr3q7XYx6KllzawFIhcdPw=
|
github.com/valyala/bytebufferpool v1.0.0 h1:GqA5TC/0021Y/b9FG4Oi9Mr3q7XYx6KllzawFIhcdPw=
|
||||||
github.com/valyala/bytebufferpool v1.0.0/go.mod h1:6bBcMArwyJ5K/AmCkWv1jt77kVWyCJ6HpOuEn7z0Csc=
|
github.com/valyala/bytebufferpool v1.0.0/go.mod h1:6bBcMArwyJ5K/AmCkWv1jt77kVWyCJ6HpOuEn7z0Csc=
|
||||||
github.com/valyala/fasttemplate v1.2.1/go.mod h1:KHLXt3tVN2HBp8eijSv/kGJopbvo7S+qRAEEKiv+SiQ=
|
github.com/valyala/fasttemplate v1.2.1/go.mod h1:KHLXt3tVN2HBp8eijSv/kGJopbvo7S+qRAEEKiv+SiQ=
|
||||||
|
@ -63,13 +73,16 @@ github.com/wailsapp/mimetype v1.4.1 h1:pQN9ycO7uo4vsUUuPeHEYoUkLVkaRntMnHJxVwYhw
|
||||||
github.com/wailsapp/mimetype v1.4.1/go.mod h1:9aV5k31bBOv5z6u+QP8TltzvNGJPmNJD4XlAL3U+j3o=
|
github.com/wailsapp/mimetype v1.4.1/go.mod h1:9aV5k31bBOv5z6u+QP8TltzvNGJPmNJD4XlAL3U+j3o=
|
||||||
github.com/wailsapp/wails/v2 v2.8.0 h1:b2NNn99uGPiN6P5bDsnPwOJZWtAOUhNLv7Vl+YxMTr4=
|
github.com/wailsapp/wails/v2 v2.8.0 h1:b2NNn99uGPiN6P5bDsnPwOJZWtAOUhNLv7Vl+YxMTr4=
|
||||||
github.com/wailsapp/wails/v2 v2.8.0/go.mod h1:EFUGWkUX3KofO4fmKR/GmsLy3HhPH7NbyOEaMt8lBF0=
|
github.com/wailsapp/wails/v2 v2.8.0/go.mod h1:EFUGWkUX3KofO4fmKR/GmsLy3HhPH7NbyOEaMt8lBF0=
|
||||||
|
golang.org/x/crypto v0.0.0-20190308221718-c2843e01d9a2/go.mod h1:djNgcEr1/C05ACkg1iLfiJU5Ep61QUkGW8qpdssI0+w=
|
||||||
golang.org/x/crypto v0.18.0 h1:PGVlW0xEltQnzFZ55hkuX5+KLyrMYhHld1YHO4AKcdc=
|
golang.org/x/crypto v0.18.0 h1:PGVlW0xEltQnzFZ55hkuX5+KLyrMYhHld1YHO4AKcdc=
|
||||||
golang.org/x/crypto v0.18.0/go.mod h1:R0j02AL6hcrfOiy9T4ZYp/rcWeMxM3L6QYxlOuEG1mg=
|
golang.org/x/crypto v0.18.0/go.mod h1:R0j02AL6hcrfOiy9T4ZYp/rcWeMxM3L6QYxlOuEG1mg=
|
||||||
golang.org/x/exp v0.0.0-20230522175609-2e198f4a06a1 h1:k/i9J1pBpvlfR+9QsetwPyERsqu1GIbi967PQMq3Ivc=
|
golang.org/x/exp v0.0.0-20230522175609-2e198f4a06a1 h1:k/i9J1pBpvlfR+9QsetwPyERsqu1GIbi967PQMq3Ivc=
|
||||||
golang.org/x/exp v0.0.0-20230522175609-2e198f4a06a1/go.mod h1:V1LtkGg67GoY2N1AnLN78QLrzxkLyJw7RJb1gzOOz9w=
|
golang.org/x/exp v0.0.0-20230522175609-2e198f4a06a1/go.mod h1:V1LtkGg67GoY2N1AnLN78QLrzxkLyJw7RJb1gzOOz9w=
|
||||||
|
golang.org/x/net v0.0.0-20191116160921-f9c825593386/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s=
|
||||||
golang.org/x/net v0.0.0-20210505024714-0287a6fb4125/go.mod h1:9nx3DQGgdP8bBQD5qxJ1jj9UTztislL4KSBs9R2vV5Y=
|
golang.org/x/net v0.0.0-20210505024714-0287a6fb4125/go.mod h1:9nx3DQGgdP8bBQD5qxJ1jj9UTztislL4KSBs9R2vV5Y=
|
||||||
golang.org/x/net v0.20.0 h1:aCL9BSgETF1k+blQaYUBx9hJ9LOGP3gAVemcZlf1Kpo=
|
golang.org/x/net v0.20.0 h1:aCL9BSgETF1k+blQaYUBx9hJ9LOGP3gAVemcZlf1Kpo=
|
||||||
golang.org/x/net v0.20.0/go.mod h1:z8BVo6PvndSri0LbOE3hAn0apkU+1YvI6E70E9jsnvY=
|
golang.org/x/net v0.20.0/go.mod h1:z8BVo6PvndSri0LbOE3hAn0apkU+1YvI6E70E9jsnvY=
|
||||||
|
golang.org/x/sys v0.0.0-20190215142949-d0b11bdaac8a/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY=
|
||||||
golang.org/x/sys v0.0.0-20190916202348-b4ddaad3f8a3/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs=
|
golang.org/x/sys v0.0.0-20190916202348-b4ddaad3f8a3/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs=
|
||||||
golang.org/x/sys v0.0.0-20200810151505-1b9f1253b3ed/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs=
|
golang.org/x/sys v0.0.0-20200810151505-1b9f1253b3ed/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs=
|
||||||
golang.org/x/sys v0.0.0-20201119102817-f84b799fce68/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs=
|
golang.org/x/sys v0.0.0-20201119102817-f84b799fce68/go.mod h1:h1NjWce9XRLGQEsW7wpKNCjG9DtNlClVuFLEZdDNbEs=
|
||||||
|
@ -83,11 +96,16 @@ golang.org/x/sys v0.6.0/go.mod h1:oPkhp1MJrh7nUepCBck5+mAzfO9JrbApNNgaTdGDITg=
|
||||||
golang.org/x/sys v0.16.0 h1:xWw16ngr6ZMtmxDyKyIgsE93KNKz5HKmMa3b8ALHidU=
|
golang.org/x/sys v0.16.0 h1:xWw16ngr6ZMtmxDyKyIgsE93KNKz5HKmMa3b8ALHidU=
|
||||||
golang.org/x/sys v0.16.0/go.mod h1:/VUhepiaJMQUp4+oa/7Zr1D23ma6VTLIYjOOTFZPUcA=
|
golang.org/x/sys v0.16.0/go.mod h1:/VUhepiaJMQUp4+oa/7Zr1D23ma6VTLIYjOOTFZPUcA=
|
||||||
golang.org/x/term v0.0.0-20201126162022-7de9c90e9dd1/go.mod h1:bj7SfCRtBDWHUb9snDiAeCFNEtKQo2Wmx5Cou7ajbmo=
|
golang.org/x/term v0.0.0-20201126162022-7de9c90e9dd1/go.mod h1:bj7SfCRtBDWHUb9snDiAeCFNEtKQo2Wmx5Cou7ajbmo=
|
||||||
|
golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ=
|
||||||
golang.org/x/text v0.3.6/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ=
|
golang.org/x/text v0.3.6/go.mod h1:5Zoc/QRtKVWzQhOtBMvqHzDpF6irO9z98xDceosuGiQ=
|
||||||
golang.org/x/text v0.14.0 h1:ScX5w1eTa3QqT8oi6+ziP7dTV1S2+ALU0bI+0zXKWiQ=
|
golang.org/x/text v0.14.0 h1:ScX5w1eTa3QqT8oi6+ziP7dTV1S2+ALU0bI+0zXKWiQ=
|
||||||
golang.org/x/text v0.14.0/go.mod h1:18ZOQIKpY8NJVqYksKHtTdi31H5itFRjB5/qKTNYzSU=
|
golang.org/x/text v0.14.0/go.mod h1:18ZOQIKpY8NJVqYksKHtTdi31H5itFRjB5/qKTNYzSU=
|
||||||
golang.org/x/tools v0.0.0-20180917221912-90fa682c2a6e/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ=
|
golang.org/x/tools v0.0.0-20180917221912-90fa682c2a6e/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ=
|
||||||
|
gopkg.in/cenkalti/backoff.v1 v1.1.0 h1:Arh75ttbsvlpVA7WtVpH4u9h6Zl46xuptxqLxPiSo4Y=
|
||||||
|
gopkg.in/cenkalti/backoff.v1 v1.1.0/go.mod h1:J6Vskwqd+OMVJl8C33mmtxTBs2gyzfv7UDAkHu8BrjI=
|
||||||
gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0=
|
gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0=
|
||||||
|
gopkg.in/sourcemap.v1 v1.0.5 h1:inv58fC9f9J3TK2Y2R1NPntXEn3/wjWHkonhIUODNTI=
|
||||||
|
gopkg.in/sourcemap.v1 v1.0.5/go.mod h1:2RlvNNSMglmRrcvhfuzp4hQHwOtjxlbjX7UPY/GXb78=
|
||||||
gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM=
|
gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM=
|
||||||
gopkg.in/yaml.v3 v3.0.0-20210107192922-496545a6307b/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM=
|
gopkg.in/yaml.v3 v3.0.0-20210107192922-496545a6307b/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM=
|
||||||
gopkg.in/yaml.v3 v3.0.1 h1:fxVm/GzAzEWqLHuvctI91KS9hhNmmWOoWu0XTYJS7CA=
|
gopkg.in/yaml.v3 v3.0.1 h1:fxVm/GzAzEWqLHuvctI91KS9hhNmmWOoWu0XTYJS7CA=
|
||||||
|
|
92
v1/internal/config/config.go
Normal file
92
v1/internal/config/config.go
Normal file
|
@ -0,0 +1,92 @@
|
||||||
|
package config
|
||||||
|
|
||||||
|
import (
|
||||||
|
"fmt"
|
||||||
|
"os"
|
||||||
|
"path/filepath"
|
||||||
|
"runtime"
|
||||||
|
)
|
||||||
|
|
||||||
|
const (
|
||||||
|
configDirNix = ".rum-goggles"
|
||||||
|
configDirWin = "RumGoggles"
|
||||||
|
|
||||||
|
logFile = "rumgoggles.log"
|
||||||
|
sqlFile = "rumgoggles.db"
|
||||||
|
)
|
||||||
|
|
||||||
|
func Database() (string, error) {
|
||||||
|
dir, err := configDir()
|
||||||
|
if err != nil {
|
||||||
|
return "", pkgErr("error getting config directory", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
path := filepath.Join(dir, sqlFile)
|
||||||
|
|
||||||
|
f, err := os.OpenFile(path, os.O_CREATE, 0644)
|
||||||
|
if err != nil {
|
||||||
|
return "", pkgErr("error opening database file", err)
|
||||||
|
}
|
||||||
|
defer f.Close()
|
||||||
|
|
||||||
|
return path, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// TODO: implement log rotation
|
||||||
|
// Rotate log file every week?
|
||||||
|
// Keep most recent 4 logs?
|
||||||
|
func Log() (*os.File, error) {
|
||||||
|
dir, err := configDir()
|
||||||
|
if err != nil {
|
||||||
|
return nil, pkgErr("error getting config directory", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
path := filepath.Join(dir, logFile)
|
||||||
|
|
||||||
|
f, err := os.OpenFile(path, os.O_WRONLY|os.O_APPEND|os.O_CREATE, 0644)
|
||||||
|
if err != nil {
|
||||||
|
return nil, pkgErr("error opening log file", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return f, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func configDir() (string, error) {
|
||||||
|
var dir string
|
||||||
|
var err error
|
||||||
|
|
||||||
|
switch runtime.GOOS {
|
||||||
|
case "windows":
|
||||||
|
dir, err = userDirWin()
|
||||||
|
default:
|
||||||
|
dir, err = userDir()
|
||||||
|
}
|
||||||
|
if err != nil {
|
||||||
|
return "", fmt.Errorf("error getting user directory: %v", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
err = os.MkdirAll(dir, 0750)
|
||||||
|
if err != nil {
|
||||||
|
return "", fmt.Errorf("error making directory: %v", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return dir, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func userDir() (string, error) {
|
||||||
|
dir, err := os.UserHomeDir()
|
||||||
|
if err != nil {
|
||||||
|
return "", fmt.Errorf("error getting home directory: %v", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return filepath.Join(dir, configDirNix), nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func userDirWin() (string, error) {
|
||||||
|
dir, err := os.UserCacheDir()
|
||||||
|
if err != nil {
|
||||||
|
return "", fmt.Errorf("error getting cache directory: %v", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return filepath.Join(dir, configDirWin), nil
|
||||||
|
}
|
14
v1/internal/config/error.go
Normal file
14
v1/internal/config/error.go
Normal file
|
@ -0,0 +1,14 @@
|
||||||
|
package config
|
||||||
|
|
||||||
|
import "fmt"
|
||||||
|
|
||||||
|
const pkgName = "config"
|
||||||
|
|
||||||
|
func pkgErr(prefix string, err error) error {
|
||||||
|
pkgErr := pkgName
|
||||||
|
if prefix != "" {
|
||||||
|
pkgErr = fmt.Sprintf("%s: %s", pkgErr, prefix)
|
||||||
|
}
|
||||||
|
|
||||||
|
return fmt.Errorf("%s: %v", pkgErr, err)
|
||||||
|
}
|
204
v1/internal/models/account.go
Normal file
204
v1/internal/models/account.go
Normal file
|
@ -0,0 +1,204 @@
|
||||||
|
package models
|
||||||
|
|
||||||
|
import (
|
||||||
|
"database/sql"
|
||||||
|
"fmt"
|
||||||
|
)
|
||||||
|
|
||||||
|
const (
|
||||||
|
accountColumns = "id, username, cookies"
|
||||||
|
accountTable = "account"
|
||||||
|
)
|
||||||
|
|
||||||
|
type Account struct {
|
||||||
|
ID *int64
|
||||||
|
Username *string
|
||||||
|
Cookies *string
|
||||||
|
}
|
||||||
|
|
||||||
|
type sqlAccount struct {
|
||||||
|
id sql.NullInt64
|
||||||
|
username sql.NullString
|
||||||
|
cookies sql.NullString
|
||||||
|
}
|
||||||
|
|
||||||
|
func (sa *sqlAccount) scan(r Row) error {
|
||||||
|
return r.Scan(&sa.id, &sa.username, &sa.cookies)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (sa sqlAccount) toAccount() *Account {
|
||||||
|
var a Account
|
||||||
|
a.ID = toInt64(sa.id)
|
||||||
|
a.Username = toString(sa.username)
|
||||||
|
a.Cookies = toString(sa.cookies)
|
||||||
|
|
||||||
|
return &a
|
||||||
|
}
|
||||||
|
|
||||||
|
type AccountService interface {
|
||||||
|
AutoMigrate() error
|
||||||
|
ByUsername(username string) (*Account, error)
|
||||||
|
Create(a *Account) error
|
||||||
|
DestructiveReset() error
|
||||||
|
Update(a *Account) error
|
||||||
|
}
|
||||||
|
|
||||||
|
func NewAccountService(db *sql.DB) AccountService {
|
||||||
|
return &accountService{
|
||||||
|
Database: db,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
var _ AccountService = &accountService{}
|
||||||
|
|
||||||
|
type accountService struct {
|
||||||
|
Database *sql.DB
|
||||||
|
}
|
||||||
|
|
||||||
|
func (as *accountService) AutoMigrate() error {
|
||||||
|
err := as.createAccountTable()
|
||||||
|
if err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (as *accountService) createAccountTable() error {
|
||||||
|
createQ := fmt.Sprintf(`
|
||||||
|
CREATE TABLE IF NOT EXISTS "%s" (
|
||||||
|
id INTEGER NOT NULL PRIMARY KEY AUTOINCREMENT,
|
||||||
|
username TEXT UNIQUE NOT NULL,
|
||||||
|
cookies TEXT
|
||||||
|
)
|
||||||
|
`, accountTable)
|
||||||
|
|
||||||
|
_, err := as.Database.Exec(createQ)
|
||||||
|
if err != nil {
|
||||||
|
return fmt.Errorf("error creating table: %v", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (as *accountService) ByUsername(username string) (*Account, error) {
|
||||||
|
err := runAccountValFuncs(
|
||||||
|
&Account{Username: &username},
|
||||||
|
accountRequireUsername,
|
||||||
|
)
|
||||||
|
if err != nil {
|
||||||
|
return nil, pkgErr("", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
selectQ := fmt.Sprintf(`
|
||||||
|
SELECT %s
|
||||||
|
FROM "%s"
|
||||||
|
WHERE username=?
|
||||||
|
`, accountColumns, accountTable)
|
||||||
|
|
||||||
|
var sa sqlAccount
|
||||||
|
row := as.Database.QueryRow(selectQ, username)
|
||||||
|
err = sa.scan(row)
|
||||||
|
if err != nil {
|
||||||
|
if err == sql.ErrNoRows {
|
||||||
|
return nil, nil
|
||||||
|
}
|
||||||
|
return nil, pkgErr(fmt.Sprintf("error querying \"%s\" by username", accountTable), err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return sa.toAccount(), nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (as *accountService) Create(a *Account) error {
|
||||||
|
err := runAccountValFuncs(
|
||||||
|
a,
|
||||||
|
accountRequireUsername,
|
||||||
|
)
|
||||||
|
if err != nil {
|
||||||
|
return pkgErr("invalid account", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
columns := columnsNoID(accountColumns)
|
||||||
|
insertQ := fmt.Sprintf(`
|
||||||
|
INSERT INTO "%s" (%s)
|
||||||
|
VALUES (%s)
|
||||||
|
`, accountTable, columns, values(columns))
|
||||||
|
|
||||||
|
_, err = as.Database.Exec(insertQ, a.Username, a.Cookies)
|
||||||
|
if err != nil {
|
||||||
|
return pkgErr(fmt.Sprintf("error inserting %s", accountTable), err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (as *accountService) DestructiveReset() error {
|
||||||
|
dropQ := fmt.Sprintf(`
|
||||||
|
DROP TABLE IF EXISTS "%s"
|
||||||
|
`, accountTable)
|
||||||
|
|
||||||
|
_, err := as.Database.Exec(dropQ)
|
||||||
|
if err != nil {
|
||||||
|
return fmt.Errorf("error dropping table: %v", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (as *accountService) Update(a *Account) error {
|
||||||
|
err := runAccountValFuncs(
|
||||||
|
a,
|
||||||
|
accountRequireID,
|
||||||
|
accountRequireUsername,
|
||||||
|
)
|
||||||
|
if err != nil {
|
||||||
|
return pkgErr("invalid account", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
columns := columnsNoID(accountColumns)
|
||||||
|
updateQ := fmt.Sprintf(`
|
||||||
|
UPDATE "%s"
|
||||||
|
SET %s
|
||||||
|
WHERE id=?
|
||||||
|
`, accountTable, set(columns))
|
||||||
|
|
||||||
|
_, err = as.Database.Exec(updateQ, a.Username, a.Cookies, a.ID)
|
||||||
|
if err != nil {
|
||||||
|
return pkgErr(fmt.Sprintf("error updating %s", accountTable), err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
type accountValFunc func(*Account) error
|
||||||
|
|
||||||
|
func runAccountValFuncs(a *Account, fns ...accountValFunc) error {
|
||||||
|
if a == nil {
|
||||||
|
return fmt.Errorf("account cannot be nil")
|
||||||
|
}
|
||||||
|
|
||||||
|
for _, fn := range fns {
|
||||||
|
err := fn(a)
|
||||||
|
if err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func accountRequireID(a *Account) error {
|
||||||
|
if a.ID == nil || *a.ID < 1 {
|
||||||
|
return ErrAccountInvalidID
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func accountRequireUsername(a *Account) error {
|
||||||
|
if a.Username == nil || *a.Username == "" {
|
||||||
|
return ErrAccountInvalidUsername
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
25
v1/internal/models/error.go
Normal file
25
v1/internal/models/error.go
Normal file
|
@ -0,0 +1,25 @@
|
||||||
|
package models
|
||||||
|
|
||||||
|
import "fmt"
|
||||||
|
|
||||||
|
const (
|
||||||
|
pkgName = "models"
|
||||||
|
|
||||||
|
ErrAccountInvalidUsername ValidatorError = "invalid account username"
|
||||||
|
ErrAccountInvalidID ValidatorError = "invalid account id"
|
||||||
|
)
|
||||||
|
|
||||||
|
func pkgErr(prefix string, err error) error {
|
||||||
|
pkgErr := pkgName
|
||||||
|
if prefix != "" {
|
||||||
|
pkgErr = fmt.Sprintf("%s: %s", pkgErr, prefix)
|
||||||
|
}
|
||||||
|
|
||||||
|
return fmt.Errorf("%s: %v", pkgErr, err)
|
||||||
|
}
|
||||||
|
|
||||||
|
type ValidatorError string
|
||||||
|
|
||||||
|
func (e ValidatorError) Error() string {
|
||||||
|
return string(e)
|
||||||
|
}
|
85
v1/internal/models/services.go
Normal file
85
v1/internal/models/services.go
Normal file
|
@ -0,0 +1,85 @@
|
||||||
|
package models
|
||||||
|
|
||||||
|
import (
|
||||||
|
"database/sql"
|
||||||
|
"fmt"
|
||||||
|
)
|
||||||
|
|
||||||
|
type migrationFunc func() error
|
||||||
|
|
||||||
|
type service struct {
|
||||||
|
name string
|
||||||
|
automigrate migrationFunc
|
||||||
|
destructivereset migrationFunc
|
||||||
|
}
|
||||||
|
|
||||||
|
type Services struct {
|
||||||
|
AccountS AccountService
|
||||||
|
Database *sql.DB
|
||||||
|
services []service
|
||||||
|
}
|
||||||
|
|
||||||
|
func (s *Services) AutoMigrate() error {
|
||||||
|
for _, service := range s.services {
|
||||||
|
err := service.automigrate()
|
||||||
|
if err != nil {
|
||||||
|
return pkgErr(fmt.Sprintf("error auto-migrating %s service", service.name), err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (s *Services) Close() error {
|
||||||
|
err := s.Database.Close()
|
||||||
|
if err != nil {
|
||||||
|
return pkgErr("error closing database", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (s *Services) DestructiveReset() error {
|
||||||
|
for _, service := range s.services {
|
||||||
|
err := service.destructivereset()
|
||||||
|
if err != nil {
|
||||||
|
return pkgErr(fmt.Sprintf("error destructive-resetting %s service", service.name), err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
type ServicesInit func(*Services) error
|
||||||
|
|
||||||
|
func NewServices(inits ...ServicesInit) (*Services, error) {
|
||||||
|
var s Services
|
||||||
|
for _, init := range inits {
|
||||||
|
err := init(&s)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return &s, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func WithDatabase(file string) ServicesInit {
|
||||||
|
return func(s *Services) error {
|
||||||
|
db, err := sql.Open("sqlite3", "file:"+file+"?_foreign_keys=ON")
|
||||||
|
if err != nil {
|
||||||
|
return pkgErr("error opening database", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
s.Database = db
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func WithAccountService() ServicesInit {
|
||||||
|
return func(s *Services) error {
|
||||||
|
s.AccountS = NewAccountService(s.Database)
|
||||||
|
s.services = append(s.services, service{accountTable, s.AccountS.AutoMigrate, s.AccountS.DestructiveReset})
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
}
|
61
v1/internal/models/sql.go
Normal file
61
v1/internal/models/sql.go
Normal file
|
@ -0,0 +1,61 @@
|
||||||
|
package models
|
||||||
|
|
||||||
|
import (
|
||||||
|
"database/sql"
|
||||||
|
"fmt"
|
||||||
|
"strings"
|
||||||
|
)
|
||||||
|
|
||||||
|
type Row interface {
|
||||||
|
Err() error
|
||||||
|
Scan(dest ...any) error
|
||||||
|
}
|
||||||
|
|
||||||
|
func columnsNoID(columns string) string {
|
||||||
|
if len(columns) == 1 {
|
||||||
|
return ""
|
||||||
|
}
|
||||||
|
|
||||||
|
c := strings.Split(columns, " ")
|
||||||
|
return strings.Join(c[1:], " ")
|
||||||
|
}
|
||||||
|
|
||||||
|
func values(columnsS string) string {
|
||||||
|
columns := strings.Split(columnsS, ", ")
|
||||||
|
var vals []string
|
||||||
|
for _, c := range columns {
|
||||||
|
if c != "" {
|
||||||
|
vals = append(vals, "?")
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return strings.Join(vals, ", ")
|
||||||
|
}
|
||||||
|
|
||||||
|
func set(columnsS string) string {
|
||||||
|
columns := strings.Split(columnsS, ", ")
|
||||||
|
var vals []string
|
||||||
|
for _, c := range columns {
|
||||||
|
if c != "" {
|
||||||
|
vals = append(vals, fmt.Sprintf("%s=?", c))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return strings.Join(vals, ", ")
|
||||||
|
}
|
||||||
|
|
||||||
|
func toInt64(i sql.NullInt64) *int64 {
|
||||||
|
if i.Valid {
|
||||||
|
return &i.Int64
|
||||||
|
} else {
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func toString(i sql.NullString) *string {
|
||||||
|
if i.Valid {
|
||||||
|
return &i.String
|
||||||
|
} else {
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
}
|
|
@ -24,6 +24,7 @@ func main() {
|
||||||
Assets: assets,
|
Assets: assets,
|
||||||
},
|
},
|
||||||
BackgroundColour: &options.RGBA{R: 255, G: 255, B: 255, A: 255},
|
BackgroundColour: &options.RGBA{R: 255, G: 255, B: 255, A: 255},
|
||||||
|
OnShutdown: app.shutdown,
|
||||||
OnStartup: app.startup,
|
OnStartup: app.startup,
|
||||||
Bind: []interface{}{
|
Bind: []interface{}{
|
||||||
app,
|
app,
|
||||||
|
|
169
v1/package-lock.json
generated
Normal file
169
v1/package-lock.json
generated
Normal file
|
@ -0,0 +1,169 @@
|
||||||
|
{
|
||||||
|
"name": "v1",
|
||||||
|
"lockfileVersion": 2,
|
||||||
|
"requires": true,
|
||||||
|
"packages": {
|
||||||
|
"": {
|
||||||
|
"dependencies": {
|
||||||
|
"react-router-dom": "^6.22.1"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"node_modules/@remix-run/router": {
|
||||||
|
"version": "1.15.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/@remix-run/router/-/router-1.15.1.tgz",
|
||||||
|
"integrity": "sha512-zcU0gM3z+3iqj8UX45AmWY810l3oUmXM7uH4dt5xtzvMhRtYVhKGOmgOd1877dOPPepfCjUv57w+syamWIYe7w==",
|
||||||
|
"engines": {
|
||||||
|
"node": ">=14.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"node_modules/js-tokens": {
|
||||||
|
"version": "4.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz",
|
||||||
|
"integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==",
|
||||||
|
"peer": true
|
||||||
|
},
|
||||||
|
"node_modules/loose-envify": {
|
||||||
|
"version": "1.4.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/loose-envify/-/loose-envify-1.4.0.tgz",
|
||||||
|
"integrity": "sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==",
|
||||||
|
"peer": true,
|
||||||
|
"dependencies": {
|
||||||
|
"js-tokens": "^3.0.0 || ^4.0.0"
|
||||||
|
},
|
||||||
|
"bin": {
|
||||||
|
"loose-envify": "cli.js"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"node_modules/react": {
|
||||||
|
"version": "18.2.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/react/-/react-18.2.0.tgz",
|
||||||
|
"integrity": "sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==",
|
||||||
|
"peer": true,
|
||||||
|
"dependencies": {
|
||||||
|
"loose-envify": "^1.1.0"
|
||||||
|
},
|
||||||
|
"engines": {
|
||||||
|
"node": ">=0.10.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"node_modules/react-dom": {
|
||||||
|
"version": "18.2.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/react-dom/-/react-dom-18.2.0.tgz",
|
||||||
|
"integrity": "sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==",
|
||||||
|
"peer": true,
|
||||||
|
"dependencies": {
|
||||||
|
"loose-envify": "^1.1.0",
|
||||||
|
"scheduler": "^0.23.0"
|
||||||
|
},
|
||||||
|
"peerDependencies": {
|
||||||
|
"react": "^18.2.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"node_modules/react-router": {
|
||||||
|
"version": "6.22.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/react-router/-/react-router-6.22.1.tgz",
|
||||||
|
"integrity": "sha512-0pdoRGwLtemnJqn1K0XHUbnKiX0S4X8CgvVVmHGOWmofESj31msHo/1YiqcJWK7Wxfq2a4uvvtS01KAQyWK/CQ==",
|
||||||
|
"dependencies": {
|
||||||
|
"@remix-run/router": "1.15.1"
|
||||||
|
},
|
||||||
|
"engines": {
|
||||||
|
"node": ">=14.0.0"
|
||||||
|
},
|
||||||
|
"peerDependencies": {
|
||||||
|
"react": ">=16.8"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"node_modules/react-router-dom": {
|
||||||
|
"version": "6.22.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/react-router-dom/-/react-router-dom-6.22.1.tgz",
|
||||||
|
"integrity": "sha512-iwMyyyrbL7zkKY7MRjOVRy+TMnS/OPusaFVxM2P11x9dzSzGmLsebkCvYirGq0DWB9K9hOspHYYtDz33gE5Duw==",
|
||||||
|
"dependencies": {
|
||||||
|
"@remix-run/router": "1.15.1",
|
||||||
|
"react-router": "6.22.1"
|
||||||
|
},
|
||||||
|
"engines": {
|
||||||
|
"node": ">=14.0.0"
|
||||||
|
},
|
||||||
|
"peerDependencies": {
|
||||||
|
"react": ">=16.8",
|
||||||
|
"react-dom": ">=16.8"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"node_modules/scheduler": {
|
||||||
|
"version": "0.23.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/scheduler/-/scheduler-0.23.0.tgz",
|
||||||
|
"integrity": "sha512-CtuThmgHNg7zIZWAXi3AsyIzA3n4xx7aNyjwC2VJldO2LMVDhFK+63xGqq6CsJH4rTAt6/M+N4GhZiDYPx9eUw==",
|
||||||
|
"peer": true,
|
||||||
|
"dependencies": {
|
||||||
|
"loose-envify": "^1.1.0"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"dependencies": {
|
||||||
|
"@remix-run/router": {
|
||||||
|
"version": "1.15.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/@remix-run/router/-/router-1.15.1.tgz",
|
||||||
|
"integrity": "sha512-zcU0gM3z+3iqj8UX45AmWY810l3oUmXM7uH4dt5xtzvMhRtYVhKGOmgOd1877dOPPepfCjUv57w+syamWIYe7w=="
|
||||||
|
},
|
||||||
|
"js-tokens": {
|
||||||
|
"version": "4.0.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz",
|
||||||
|
"integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==",
|
||||||
|
"peer": true
|
||||||
|
},
|
||||||
|
"loose-envify": {
|
||||||
|
"version": "1.4.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/loose-envify/-/loose-envify-1.4.0.tgz",
|
||||||
|
"integrity": "sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==",
|
||||||
|
"peer": true,
|
||||||
|
"requires": {
|
||||||
|
"js-tokens": "^3.0.0 || ^4.0.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"react": {
|
||||||
|
"version": "18.2.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/react/-/react-18.2.0.tgz",
|
||||||
|
"integrity": "sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==",
|
||||||
|
"peer": true,
|
||||||
|
"requires": {
|
||||||
|
"loose-envify": "^1.1.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"react-dom": {
|
||||||
|
"version": "18.2.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/react-dom/-/react-dom-18.2.0.tgz",
|
||||||
|
"integrity": "sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==",
|
||||||
|
"peer": true,
|
||||||
|
"requires": {
|
||||||
|
"loose-envify": "^1.1.0",
|
||||||
|
"scheduler": "^0.23.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"react-router": {
|
||||||
|
"version": "6.22.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/react-router/-/react-router-6.22.1.tgz",
|
||||||
|
"integrity": "sha512-0pdoRGwLtemnJqn1K0XHUbnKiX0S4X8CgvVVmHGOWmofESj31msHo/1YiqcJWK7Wxfq2a4uvvtS01KAQyWK/CQ==",
|
||||||
|
"requires": {
|
||||||
|
"@remix-run/router": "1.15.1"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"react-router-dom": {
|
||||||
|
"version": "6.22.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/react-router-dom/-/react-router-dom-6.22.1.tgz",
|
||||||
|
"integrity": "sha512-iwMyyyrbL7zkKY7MRjOVRy+TMnS/OPusaFVxM2P11x9dzSzGmLsebkCvYirGq0DWB9K9hOspHYYtDz33gE5Duw==",
|
||||||
|
"requires": {
|
||||||
|
"@remix-run/router": "1.15.1",
|
||||||
|
"react-router": "6.22.1"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"scheduler": {
|
||||||
|
"version": "0.23.0",
|
||||||
|
"resolved": "https://registry.npmjs.org/scheduler/-/scheduler-0.23.0.tgz",
|
||||||
|
"integrity": "sha512-CtuThmgHNg7zIZWAXi3AsyIzA3n4xx7aNyjwC2VJldO2LMVDhFK+63xGqq6CsJH4rTAt6/M+N4GhZiDYPx9eUw==",
|
||||||
|
"peer": true,
|
||||||
|
"requires": {
|
||||||
|
"loose-envify": "^1.1.0"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
5
v1/package.json
Normal file
5
v1/package.json
Normal file
|
@ -0,0 +1,5 @@
|
||||||
|
{
|
||||||
|
"dependencies": {
|
||||||
|
"react-router-dom": "^6.22.1"
|
||||||
|
}
|
||||||
|
}
|
4
v1/vendor/github.com/mattn/go-sqlite3/.codecov.yml
generated
vendored
Normal file
4
v1/vendor/github.com/mattn/go-sqlite3/.codecov.yml
generated
vendored
Normal file
|
@ -0,0 +1,4 @@
|
||||||
|
coverage:
|
||||||
|
status:
|
||||||
|
project: off
|
||||||
|
patch: off
|
14
v1/vendor/github.com/mattn/go-sqlite3/.gitignore
generated
vendored
Normal file
14
v1/vendor/github.com/mattn/go-sqlite3/.gitignore
generated
vendored
Normal file
|
@ -0,0 +1,14 @@
|
||||||
|
*.db
|
||||||
|
*.exe
|
||||||
|
*.dll
|
||||||
|
*.o
|
||||||
|
|
||||||
|
# VSCode
|
||||||
|
.vscode
|
||||||
|
|
||||||
|
# Exclude from upgrade
|
||||||
|
upgrade/*.c
|
||||||
|
upgrade/*.h
|
||||||
|
|
||||||
|
# Exclude upgrade binary
|
||||||
|
upgrade/upgrade
|
21
v1/vendor/github.com/mattn/go-sqlite3/LICENSE
generated
vendored
Normal file
21
v1/vendor/github.com/mattn/go-sqlite3/LICENSE
generated
vendored
Normal file
|
@ -0,0 +1,21 @@
|
||||||
|
The MIT License (MIT)
|
||||||
|
|
||||||
|
Copyright (c) 2014 Yasuhiro Matsumoto
|
||||||
|
|
||||||
|
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.
|
603
v1/vendor/github.com/mattn/go-sqlite3/README.md
generated
vendored
Normal file
603
v1/vendor/github.com/mattn/go-sqlite3/README.md
generated
vendored
Normal file
|
@ -0,0 +1,603 @@
|
||||||
|
go-sqlite3
|
||||||
|
==========
|
||||||
|
|
||||||
|
[![Go Reference](https://pkg.go.dev/badge/github.com/mattn/go-sqlite3.svg)](https://pkg.go.dev/github.com/mattn/go-sqlite3)
|
||||||
|
[![GitHub Actions](https://github.com/mattn/go-sqlite3/workflows/Go/badge.svg)](https://github.com/mattn/go-sqlite3/actions?query=workflow%3AGo)
|
||||||
|
[![Financial Contributors on Open Collective](https://opencollective.com/mattn-go-sqlite3/all/badge.svg?label=financial+contributors)](https://opencollective.com/mattn-go-sqlite3)
|
||||||
|
[![codecov](https://codecov.io/gh/mattn/go-sqlite3/branch/master/graph/badge.svg)](https://codecov.io/gh/mattn/go-sqlite3)
|
||||||
|
[![Go Report Card](https://goreportcard.com/badge/github.com/mattn/go-sqlite3)](https://goreportcard.com/report/github.com/mattn/go-sqlite3)
|
||||||
|
|
||||||
|
Latest stable version is v1.14 or later, not v2.
|
||||||
|
|
||||||
|
~~**NOTE:** The increase to v2 was an accident. There were no major changes or features.~~
|
||||||
|
|
||||||
|
# Description
|
||||||
|
|
||||||
|
A sqlite3 driver that conforms to the built-in database/sql interface.
|
||||||
|
|
||||||
|
Supported Golang version: See [.github/workflows/go.yaml](./.github/workflows/go.yaml).
|
||||||
|
|
||||||
|
This package follows the official [Golang Release Policy](https://golang.org/doc/devel/release.html#policy).
|
||||||
|
|
||||||
|
### Overview
|
||||||
|
|
||||||
|
- [go-sqlite3](#go-sqlite3)
|
||||||
|
- [Description](#description)
|
||||||
|
- [Overview](#overview)
|
||||||
|
- [Installation](#installation)
|
||||||
|
- [API Reference](#api-reference)
|
||||||
|
- [Connection String](#connection-string)
|
||||||
|
- [DSN Examples](#dsn-examples)
|
||||||
|
- [Features](#features)
|
||||||
|
- [Usage](#usage)
|
||||||
|
- [Feature / Extension List](#feature--extension-list)
|
||||||
|
- [Compilation](#compilation)
|
||||||
|
- [Android](#android)
|
||||||
|
- [ARM](#arm)
|
||||||
|
- [Cross Compile](#cross-compile)
|
||||||
|
- [Google Cloud Platform](#google-cloud-platform)
|
||||||
|
- [Linux](#linux)
|
||||||
|
- [Alpine](#alpine)
|
||||||
|
- [Fedora](#fedora)
|
||||||
|
- [Ubuntu](#ubuntu)
|
||||||
|
- [macOS](#mac-osx)
|
||||||
|
- [Windows](#windows)
|
||||||
|
- [Errors](#errors)
|
||||||
|
- [User Authentication](#user-authentication)
|
||||||
|
- [Compile](#compile)
|
||||||
|
- [Usage](#usage-1)
|
||||||
|
- [Create protected database](#create-protected-database)
|
||||||
|
- [Password Encoding](#password-encoding)
|
||||||
|
- [Available Encoders](#available-encoders)
|
||||||
|
- [Restrictions](#restrictions)
|
||||||
|
- [Support](#support)
|
||||||
|
- [User Management](#user-management)
|
||||||
|
- [SQL](#sql)
|
||||||
|
- [Examples](#examples)
|
||||||
|
- [*SQLiteConn](#sqliteconn)
|
||||||
|
- [Attached database](#attached-database)
|
||||||
|
- [Extensions](#extensions)
|
||||||
|
- [Spatialite](#spatialite)
|
||||||
|
- [FAQ](#faq)
|
||||||
|
- [License](#license)
|
||||||
|
- [Author](#author)
|
||||||
|
|
||||||
|
# Installation
|
||||||
|
|
||||||
|
This package can be installed with the `go get` command:
|
||||||
|
|
||||||
|
go get github.com/mattn/go-sqlite3
|
||||||
|
|
||||||
|
_go-sqlite3_ is *cgo* package.
|
||||||
|
If you want to build your app using go-sqlite3, you need gcc.
|
||||||
|
However, after you have built and installed _go-sqlite3_ with `go install github.com/mattn/go-sqlite3` (which requires gcc), you can build your app without relying on gcc in future.
|
||||||
|
|
||||||
|
***Important: because this is a `CGO` enabled package, you are required to set the environment variable `CGO_ENABLED=1` and have a `gcc` compiler present within your path.***
|
||||||
|
|
||||||
|
# API Reference
|
||||||
|
|
||||||
|
API documentation can be found [here](http://godoc.org/github.com/mattn/go-sqlite3).
|
||||||
|
|
||||||
|
Examples can be found under the [examples](./_example) directory.
|
||||||
|
|
||||||
|
# Connection String
|
||||||
|
|
||||||
|
When creating a new SQLite database or connection to an existing one, with the file name additional options can be given.
|
||||||
|
This is also known as a DSN (Data Source Name) string.
|
||||||
|
|
||||||
|
Options are append after the filename of the SQLite database.
|
||||||
|
The database filename and options are separated by an `?` (Question Mark).
|
||||||
|
Options should be URL-encoded (see [url.QueryEscape](https://golang.org/pkg/net/url/#QueryEscape)).
|
||||||
|
|
||||||
|
This also applies when using an in-memory database instead of a file.
|
||||||
|
|
||||||
|
Options can be given using the following format: `KEYWORD=VALUE` and multiple options can be combined with the `&` ampersand.
|
||||||
|
|
||||||
|
This library supports DSN options of SQLite itself and provides additional options.
|
||||||
|
|
||||||
|
Boolean values can be one of:
|
||||||
|
* `0` `no` `false` `off`
|
||||||
|
* `1` `yes` `true` `on`
|
||||||
|
|
||||||
|
| Name | Key | Value(s) | Description |
|
||||||
|
|------|-----|----------|-------------|
|
||||||
|
| UA - Create | `_auth` | - | Create User Authentication, for more information see [User Authentication](#user-authentication) |
|
||||||
|
| UA - Username | `_auth_user` | `string` | Username for User Authentication, for more information see [User Authentication](#user-authentication) |
|
||||||
|
| UA - Password | `_auth_pass` | `string` | Password for User Authentication, for more information see [User Authentication](#user-authentication) |
|
||||||
|
| UA - Crypt | `_auth_crypt` | <ul><li>SHA1</li><li>SSHA1</li><li>SHA256</li><li>SSHA256</li><li>SHA384</li><li>SSHA384</li><li>SHA512</li><li>SSHA512</li></ul> | Password encoder to use for User Authentication, for more information see [User Authentication](#user-authentication) |
|
||||||
|
| UA - Salt | `_auth_salt` | `string` | Salt to use if the configure password encoder requires a salt, for User Authentication, for more information see [User Authentication](#user-authentication) |
|
||||||
|
| Auto Vacuum | `_auto_vacuum` \| `_vacuum` | <ul><li>`0` \| `none`</li><li>`1` \| `full`</li><li>`2` \| `incremental`</li></ul> | For more information see [PRAGMA auto_vacuum](https://www.sqlite.org/pragma.html#pragma_auto_vacuum) |
|
||||||
|
| Busy Timeout | `_busy_timeout` \| `_timeout` | `int` | Specify value for sqlite3_busy_timeout. For more information see [PRAGMA busy_timeout](https://www.sqlite.org/pragma.html#pragma_busy_timeout) |
|
||||||
|
| Case Sensitive LIKE | `_case_sensitive_like` \| `_cslike` | `boolean` | For more information see [PRAGMA case_sensitive_like](https://www.sqlite.org/pragma.html#pragma_case_sensitive_like) |
|
||||||
|
| Defer Foreign Keys | `_defer_foreign_keys` \| `_defer_fk` | `boolean` | For more information see [PRAGMA defer_foreign_keys](https://www.sqlite.org/pragma.html#pragma_defer_foreign_keys) |
|
||||||
|
| Foreign Keys | `_foreign_keys` \| `_fk` | `boolean` | For more information see [PRAGMA foreign_keys](https://www.sqlite.org/pragma.html#pragma_foreign_keys) |
|
||||||
|
| Ignore CHECK Constraints | `_ignore_check_constraints` | `boolean` | For more information see [PRAGMA ignore_check_constraints](https://www.sqlite.org/pragma.html#pragma_ignore_check_constraints) |
|
||||||
|
| Immutable | `immutable` | `boolean` | For more information see [Immutable](https://www.sqlite.org/c3ref/open.html) |
|
||||||
|
| Journal Mode | `_journal_mode` \| `_journal` | <ul><li>DELETE</li><li>TRUNCATE</li><li>PERSIST</li><li>MEMORY</li><li>WAL</li><li>OFF</li></ul> | For more information see [PRAGMA journal_mode](https://www.sqlite.org/pragma.html#pragma_journal_mode) |
|
||||||
|
| Locking Mode | `_locking_mode` \| `_locking` | <ul><li>NORMAL</li><li>EXCLUSIVE</li></ul> | For more information see [PRAGMA locking_mode](https://www.sqlite.org/pragma.html#pragma_locking_mode) |
|
||||||
|
| Mode | `mode` | <ul><li>ro</li><li>rw</li><li>rwc</li><li>memory</li></ul> | Access Mode of the database. For more information see [SQLite Open](https://www.sqlite.org/c3ref/open.html) |
|
||||||
|
| Mutex Locking | `_mutex` | <ul><li>no</li><li>full</li></ul> | Specify mutex mode. |
|
||||||
|
| Query Only | `_query_only` | `boolean` | For more information see [PRAGMA query_only](https://www.sqlite.org/pragma.html#pragma_query_only) |
|
||||||
|
| Recursive Triggers | `_recursive_triggers` \| `_rt` | `boolean` | For more information see [PRAGMA recursive_triggers](https://www.sqlite.org/pragma.html#pragma_recursive_triggers) |
|
||||||
|
| Secure Delete | `_secure_delete` | `boolean` \| `FAST` | For more information see [PRAGMA secure_delete](https://www.sqlite.org/pragma.html#pragma_secure_delete) |
|
||||||
|
| Shared-Cache Mode | `cache` | <ul><li>shared</li><li>private</li></ul> | Set cache mode for more information see [sqlite.org](https://www.sqlite.org/sharedcache.html) |
|
||||||
|
| Synchronous | `_synchronous` \| `_sync` | <ul><li>0 \| OFF</li><li>1 \| NORMAL</li><li>2 \| FULL</li><li>3 \| EXTRA</li></ul> | For more information see [PRAGMA synchronous](https://www.sqlite.org/pragma.html#pragma_synchronous) |
|
||||||
|
| Time Zone Location | `_loc` | auto | Specify location of time format. |
|
||||||
|
| Transaction Lock | `_txlock` | <ul><li>immediate</li><li>deferred</li><li>exclusive</li></ul> | Specify locking behavior for transactions. |
|
||||||
|
| Writable Schema | `_writable_schema` | `Boolean` | When this pragma is on, the SQLITE_MASTER tables in which database can be changed using ordinary UPDATE, INSERT, and DELETE statements. Warning: misuse of this pragma can easily result in a corrupt database file. |
|
||||||
|
| Cache Size | `_cache_size` | `int` | Maximum cache size; default is 2000K (2M). See [PRAGMA cache_size](https://sqlite.org/pragma.html#pragma_cache_size) |
|
||||||
|
|
||||||
|
|
||||||
|
## DSN Examples
|
||||||
|
|
||||||
|
```
|
||||||
|
file:test.db?cache=shared&mode=memory
|
||||||
|
```
|
||||||
|
|
||||||
|
# Features
|
||||||
|
|
||||||
|
This package allows additional configuration of features available within SQLite3 to be enabled or disabled by golang build constraints also known as build `tags`.
|
||||||
|
|
||||||
|
Click [here](https://golang.org/pkg/go/build/#hdr-Build_Constraints) for more information about build tags / constraints.
|
||||||
|
|
||||||
|
### Usage
|
||||||
|
|
||||||
|
If you wish to build this library with additional extensions / features, use the following command:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
go build -tags "<FEATURE>"
|
||||||
|
```
|
||||||
|
|
||||||
|
For available features, see the extension list.
|
||||||
|
When using multiple build tags, all the different tags should be space delimited.
|
||||||
|
|
||||||
|
Example:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
go build -tags "icu json1 fts5 secure_delete"
|
||||||
|
```
|
||||||
|
|
||||||
|
### Feature / Extension List
|
||||||
|
|
||||||
|
| Extension | Build Tag | Description |
|
||||||
|
|-----------|-----------|-------------|
|
||||||
|
| Additional Statistics | sqlite_stat4 | This option adds additional logic to the ANALYZE command and to the query planner that can help SQLite to chose a better query plan under certain situations. The ANALYZE command is enhanced to collect histogram data from all columns of every index and store that data in the sqlite_stat4 table.<br><br>The query planner will then use the histogram data to help it make better index choices. The downside of this compile-time option is that it violates the query planner stability guarantee making it more difficult to ensure consistent performance in mass-produced applications.<br><br>SQLITE_ENABLE_STAT4 is an enhancement of SQLITE_ENABLE_STAT3. STAT3 only recorded histogram data for the left-most column of each index whereas the STAT4 enhancement records histogram data from all columns of each index.<br><br>The SQLITE_ENABLE_STAT3 compile-time option is a no-op and is ignored if the SQLITE_ENABLE_STAT4 compile-time option is used |
|
||||||
|
| Allow URI Authority | sqlite_allow_uri_authority | URI filenames normally throws an error if the authority section is not either empty or "localhost".<br><br>However, if SQLite is compiled with the SQLITE_ALLOW_URI_AUTHORITY compile-time option, then the URI is converted into a Uniform Naming Convention (UNC) filename and passed down to the underlying operating system that way |
|
||||||
|
| App Armor | sqlite_app_armor | When defined, this C-preprocessor macro activates extra code that attempts to detect misuse of the SQLite API, such as passing in NULL pointers to required parameters or using objects after they have been destroyed. <br><br>App Armor is not available under `Windows`. |
|
||||||
|
| Disable Load Extensions | sqlite_omit_load_extension | Loading of external extensions is enabled by default.<br><br>To disable extension loading add the build tag `sqlite_omit_load_extension`. |
|
||||||
|
| Enable Serialization with `libsqlite3` | sqlite_serialize | Serialization and deserialization of a SQLite database is available by default, unless the build tag `libsqlite3` is set.<br><br>To enable this functionality even if `libsqlite3` is set, add the build tag `sqlite_serialize`. |
|
||||||
|
| Foreign Keys | sqlite_foreign_keys | This macro determines whether enforcement of foreign key constraints is enabled or disabled by default for new database connections.<br><br>Each database connection can always turn enforcement of foreign key constraints on and off and run-time using the foreign_keys pragma.<br><br>Enforcement of foreign key constraints is normally off by default, but if this compile-time parameter is set to 1, enforcement of foreign key constraints will be on by default |
|
||||||
|
| Full Auto Vacuum | sqlite_vacuum_full | Set the default auto vacuum to full |
|
||||||
|
| Incremental Auto Vacuum | sqlite_vacuum_incr | Set the default auto vacuum to incremental |
|
||||||
|
| Full Text Search Engine | sqlite_fts5 | When this option is defined in the amalgamation, versions 5 of the full-text search engine (fts5) is added to the build automatically |
|
||||||
|
| International Components for Unicode | sqlite_icu | This option causes the International Components for Unicode or "ICU" extension to SQLite to be added to the build |
|
||||||
|
| Introspect PRAGMAS | sqlite_introspect | This option adds some extra PRAGMA statements. <ul><li>PRAGMA function_list</li><li>PRAGMA module_list</li><li>PRAGMA pragma_list</li></ul> |
|
||||||
|
| JSON SQL Functions | sqlite_json | When this option is defined in the amalgamation, the JSON SQL functions are added to the build automatically |
|
||||||
|
| Math Functions | sqlite_math_functions | This compile-time option enables built-in scalar math functions. For more information see [Built-In Mathematical SQL Functions](https://www.sqlite.org/lang_mathfunc.html) |
|
||||||
|
| OS Trace | sqlite_os_trace | This option enables OSTRACE() debug logging. This can be verbose and should not be used in production. |
|
||||||
|
| Pre Update Hook | sqlite_preupdate_hook | Registers a callback function that is invoked prior to each INSERT, UPDATE, and DELETE operation on a database table. |
|
||||||
|
| Secure Delete | sqlite_secure_delete | This compile-time option changes the default setting of the secure_delete pragma.<br><br>When this option is not used, secure_delete defaults to off. When this option is present, secure_delete defaults to on.<br><br>The secure_delete setting causes deleted content to be overwritten with zeros. There is a small performance penalty since additional I/O must occur.<br><br>On the other hand, secure_delete can prevent fragments of sensitive information from lingering in unused parts of the database file after it has been deleted. See the documentation on the secure_delete pragma for additional information |
|
||||||
|
| Secure Delete (FAST) | sqlite_secure_delete_fast | For more information see [PRAGMA secure_delete](https://www.sqlite.org/pragma.html#pragma_secure_delete) |
|
||||||
|
| Tracing / Debug | sqlite_trace | Activate trace functions |
|
||||||
|
| User Authentication | sqlite_userauth | SQLite User Authentication see [User Authentication](#user-authentication) for more information. |
|
||||||
|
| Virtual Tables | sqlite_vtable | SQLite Virtual Tables see [SQLite Official VTABLE Documentation](https://www.sqlite.org/vtab.html) for more information, and a [full example here](https://github.com/mattn/go-sqlite3/tree/master/_example/vtable) |
|
||||||
|
|
||||||
|
# Compilation
|
||||||
|
|
||||||
|
This package requires the `CGO_ENABLED=1` environment variable if not set by default, and the presence of the `gcc` compiler.
|
||||||
|
|
||||||
|
If you need to add additional CFLAGS or LDFLAGS to the build command, and do not want to modify this package, then this can be achieved by using the `CGO_CFLAGS` and `CGO_LDFLAGS` environment variables.
|
||||||
|
|
||||||
|
## Android
|
||||||
|
|
||||||
|
This package can be compiled for android.
|
||||||
|
Compile with:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
go build -tags "android"
|
||||||
|
```
|
||||||
|
|
||||||
|
For more information see [#201](https://github.com/mattn/go-sqlite3/issues/201)
|
||||||
|
|
||||||
|
# ARM
|
||||||
|
|
||||||
|
To compile for `ARM` use the following environment:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
env CC=arm-linux-gnueabihf-gcc CXX=arm-linux-gnueabihf-g++ \
|
||||||
|
CGO_ENABLED=1 GOOS=linux GOARCH=arm GOARM=7 \
|
||||||
|
go build -v
|
||||||
|
```
|
||||||
|
|
||||||
|
Additional information:
|
||||||
|
- [#242](https://github.com/mattn/go-sqlite3/issues/242)
|
||||||
|
- [#504](https://github.com/mattn/go-sqlite3/issues/504)
|
||||||
|
|
||||||
|
# Cross Compile
|
||||||
|
|
||||||
|
This library can be cross-compiled.
|
||||||
|
|
||||||
|
In some cases you are required to the `CC` environment variable with the cross compiler.
|
||||||
|
|
||||||
|
## Cross Compiling from macOS
|
||||||
|
The simplest way to cross compile from macOS is to use [xgo](https://github.com/karalabe/xgo).
|
||||||
|
|
||||||
|
Steps:
|
||||||
|
- Install [musl-cross](https://github.com/FiloSottile/homebrew-musl-cross) (`brew install FiloSottile/musl-cross/musl-cross`).
|
||||||
|
- Run `CC=x86_64-linux-musl-gcc CXX=x86_64-linux-musl-g++ GOARCH=amd64 GOOS=linux CGO_ENABLED=1 go build -ldflags "-linkmode external -extldflags -static"`.
|
||||||
|
|
||||||
|
Please refer to the project's [README](https://github.com/FiloSottile/homebrew-musl-cross#readme) for further information.
|
||||||
|
|
||||||
|
# Google Cloud Platform
|
||||||
|
|
||||||
|
Building on GCP is not possible because Google Cloud Platform does not allow `gcc` to be executed.
|
||||||
|
|
||||||
|
Please work only with compiled final binaries.
|
||||||
|
|
||||||
|
## Linux
|
||||||
|
|
||||||
|
To compile this package on Linux, you must install the development tools for your linux distribution.
|
||||||
|
|
||||||
|
To compile under linux use the build tag `linux`.
|
||||||
|
|
||||||
|
```bash
|
||||||
|
go build -tags "linux"
|
||||||
|
```
|
||||||
|
|
||||||
|
If you wish to link directly to libsqlite3 then you can use the `libsqlite3` build tag.
|
||||||
|
|
||||||
|
```
|
||||||
|
go build -tags "libsqlite3 linux"
|
||||||
|
```
|
||||||
|
|
||||||
|
### Alpine
|
||||||
|
|
||||||
|
When building in an `alpine` container run the following command before building:
|
||||||
|
|
||||||
|
```
|
||||||
|
apk add --update gcc musl-dev
|
||||||
|
```
|
||||||
|
|
||||||
|
### Fedora
|
||||||
|
|
||||||
|
```bash
|
||||||
|
sudo yum groupinstall "Development Tools" "Development Libraries"
|
||||||
|
```
|
||||||
|
|
||||||
|
### Ubuntu
|
||||||
|
|
||||||
|
```bash
|
||||||
|
sudo apt-get install build-essential
|
||||||
|
```
|
||||||
|
|
||||||
|
## macOS
|
||||||
|
|
||||||
|
macOS should have all the tools present to compile this package. If not, install XCode to add all the developers tools.
|
||||||
|
|
||||||
|
Required dependency:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
brew install sqlite3
|
||||||
|
```
|
||||||
|
|
||||||
|
For macOS, there is an additional package to install which is required if you wish to build the `icu` extension.
|
||||||
|
|
||||||
|
This additional package can be installed with `homebrew`:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
brew upgrade icu4c
|
||||||
|
```
|
||||||
|
|
||||||
|
To compile for macOS on x86:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
go build -tags "darwin amd64"
|
||||||
|
```
|
||||||
|
|
||||||
|
To compile for macOS on ARM chips:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
go build -tags "darwin arm64"
|
||||||
|
```
|
||||||
|
|
||||||
|
If you wish to link directly to libsqlite3, use the `libsqlite3` build tag:
|
||||||
|
|
||||||
|
```
|
||||||
|
# x86
|
||||||
|
go build -tags "libsqlite3 darwin amd64"
|
||||||
|
# ARM
|
||||||
|
go build -tags "libsqlite3 darwin arm64"
|
||||||
|
```
|
||||||
|
|
||||||
|
Additional information:
|
||||||
|
- [#206](https://github.com/mattn/go-sqlite3/issues/206)
|
||||||
|
- [#404](https://github.com/mattn/go-sqlite3/issues/404)
|
||||||
|
|
||||||
|
## Windows
|
||||||
|
|
||||||
|
To compile this package on Windows, you must have the `gcc` compiler installed.
|
||||||
|
|
||||||
|
1) Install a Windows `gcc` toolchain.
|
||||||
|
2) Add the `bin` folder to the Windows path, if the installer did not do this by default.
|
||||||
|
3) Open a terminal for the TDM-GCC toolchain, which can be found in the Windows Start menu.
|
||||||
|
4) Navigate to your project folder and run the `go build ...` command for this package.
|
||||||
|
|
||||||
|
For example the TDM-GCC Toolchain can be found [here](https://jmeubank.github.io/tdm-gcc/).
|
||||||
|
|
||||||
|
## Errors
|
||||||
|
|
||||||
|
- Compile error: `can not be used when making a shared object; recompile with -fPIC`
|
||||||
|
|
||||||
|
When receiving a compile time error referencing recompile with `-FPIC` then you
|
||||||
|
are probably using a hardend system.
|
||||||
|
|
||||||
|
You can compile the library on a hardend system with the following command.
|
||||||
|
|
||||||
|
```bash
|
||||||
|
go build -ldflags '-extldflags=-fno-PIC'
|
||||||
|
```
|
||||||
|
|
||||||
|
More details see [#120](https://github.com/mattn/go-sqlite3/issues/120)
|
||||||
|
|
||||||
|
- Can't build go-sqlite3 on windows 64bit.
|
||||||
|
|
||||||
|
> Probably, you are using go 1.0, go1.0 has a problem when it comes to compiling/linking on windows 64bit.
|
||||||
|
> See: [#27](https://github.com/mattn/go-sqlite3/issues/27)
|
||||||
|
|
||||||
|
- `go get github.com/mattn/go-sqlite3` throws compilation error.
|
||||||
|
|
||||||
|
`gcc` throws: `internal compiler error`
|
||||||
|
|
||||||
|
Remove the download repository from your disk and try re-install with:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
go install github.com/mattn/go-sqlite3
|
||||||
|
```
|
||||||
|
|
||||||
|
# User Authentication
|
||||||
|
|
||||||
|
This package supports the SQLite User Authentication module.
|
||||||
|
|
||||||
|
## Compile
|
||||||
|
|
||||||
|
To use the User authentication module, the package has to be compiled with the tag `sqlite_userauth`. See [Features](#features).
|
||||||
|
|
||||||
|
## Usage
|
||||||
|
|
||||||
|
### Create protected database
|
||||||
|
|
||||||
|
To create a database protected by user authentication, provide the following argument to the connection string `_auth`.
|
||||||
|
This will enable user authentication within the database. This option however requires two additional arguments:
|
||||||
|
|
||||||
|
- `_auth_user`
|
||||||
|
- `_auth_pass`
|
||||||
|
|
||||||
|
When `_auth` is present in the connection string user authentication will be enabled and the provided user will be created
|
||||||
|
as an `admin` user. After initial creation, the parameter `_auth` has no effect anymore and can be omitted from the connection string.
|
||||||
|
|
||||||
|
Example connection strings:
|
||||||
|
|
||||||
|
Create an user authentication database with user `admin` and password `admin`:
|
||||||
|
|
||||||
|
`file:test.s3db?_auth&_auth_user=admin&_auth_pass=admin`
|
||||||
|
|
||||||
|
Create an user authentication database with user `admin` and password `admin` and use `SHA1` for the password encoding:
|
||||||
|
|
||||||
|
`file:test.s3db?_auth&_auth_user=admin&_auth_pass=admin&_auth_crypt=sha1`
|
||||||
|
|
||||||
|
### Password Encoding
|
||||||
|
|
||||||
|
The passwords within the user authentication module of SQLite are encoded with the SQLite function `sqlite_cryp`.
|
||||||
|
This function uses a ceasar-cypher which is quite insecure.
|
||||||
|
This library provides several additional password encoders which can be configured through the connection string.
|
||||||
|
|
||||||
|
The password cypher can be configured with the key `_auth_crypt`. And if the configured password encoder also requires an
|
||||||
|
salt this can be configured with `_auth_salt`.
|
||||||
|
|
||||||
|
#### Available Encoders
|
||||||
|
|
||||||
|
- SHA1
|
||||||
|
- SSHA1 (Salted SHA1)
|
||||||
|
- SHA256
|
||||||
|
- SSHA256 (salted SHA256)
|
||||||
|
- SHA384
|
||||||
|
- SSHA384 (salted SHA384)
|
||||||
|
- SHA512
|
||||||
|
- SSHA512 (salted SHA512)
|
||||||
|
|
||||||
|
### Restrictions
|
||||||
|
|
||||||
|
Operations on the database regarding user management can only be preformed by an administrator user.
|
||||||
|
|
||||||
|
### Support
|
||||||
|
|
||||||
|
The user authentication supports two kinds of users:
|
||||||
|
|
||||||
|
- administrators
|
||||||
|
- regular users
|
||||||
|
|
||||||
|
### User Management
|
||||||
|
|
||||||
|
User management can be done by directly using the `*SQLiteConn` or by SQL.
|
||||||
|
|
||||||
|
#### SQL
|
||||||
|
|
||||||
|
The following sql functions are available for user management:
|
||||||
|
|
||||||
|
| Function | Arguments | Description |
|
||||||
|
|----------|-----------|-------------|
|
||||||
|
| `authenticate` | username `string`, password `string` | Will authenticate an user, this is done by the connection; and should not be used manually. |
|
||||||
|
| `auth_user_add` | username `string`, password `string`, admin `int` | This function will add an user to the database.<br>if the database is not protected by user authentication it will enable it. Argument `admin` is an integer identifying if the added user should be an administrator. Only Administrators can add administrators. |
|
||||||
|
| `auth_user_change` | username `string`, password `string`, admin `int` | Function to modify an user. Users can change their own password, but only an administrator can change the administrator flag. |
|
||||||
|
| `authUserDelete` | username `string` | Delete an user from the database. Can only be used by an administrator. The current logged in administrator cannot be deleted. This is to make sure their is always an administrator remaining. |
|
||||||
|
|
||||||
|
These functions will return an integer:
|
||||||
|
|
||||||
|
- 0 (SQLITE_OK)
|
||||||
|
- 23 (SQLITE_AUTH) Failed to perform due to authentication or insufficient privileges
|
||||||
|
|
||||||
|
##### Examples
|
||||||
|
|
||||||
|
```sql
|
||||||
|
// Autheticate user
|
||||||
|
// Create Admin User
|
||||||
|
SELECT auth_user_add('admin2', 'admin2', 1);
|
||||||
|
|
||||||
|
// Change password for user
|
||||||
|
SELECT auth_user_change('user', 'userpassword', 0);
|
||||||
|
|
||||||
|
// Delete user
|
||||||
|
SELECT user_delete('user');
|
||||||
|
```
|
||||||
|
|
||||||
|
#### *SQLiteConn
|
||||||
|
|
||||||
|
The following functions are available for User authentication from the `*SQLiteConn`:
|
||||||
|
|
||||||
|
| Function | Description |
|
||||||
|
|----------|-------------|
|
||||||
|
| `Authenticate(username, password string) error` | Authenticate user |
|
||||||
|
| `AuthUserAdd(username, password string, admin bool) error` | Add user |
|
||||||
|
| `AuthUserChange(username, password string, admin bool) error` | Modify user |
|
||||||
|
| `AuthUserDelete(username string) error` | Delete user |
|
||||||
|
|
||||||
|
### Attached database
|
||||||
|
|
||||||
|
When using attached databases, SQLite will use the authentication from the `main` database for the attached database(s).
|
||||||
|
|
||||||
|
# Extensions
|
||||||
|
|
||||||
|
If you want your own extension to be listed here, or you want to add a reference to an extension; please submit an Issue for this.
|
||||||
|
|
||||||
|
## Spatialite
|
||||||
|
|
||||||
|
Spatialite is available as an extension to SQLite, and can be used in combination with this repository.
|
||||||
|
For an example, see [shaxbee/go-spatialite](https://github.com/shaxbee/go-spatialite).
|
||||||
|
|
||||||
|
## extension-functions.c from SQLite3 Contrib
|
||||||
|
|
||||||
|
extension-functions.c is available as an extension to SQLite, and provides the following functions:
|
||||||
|
|
||||||
|
- Math: acos, asin, atan, atn2, atan2, acosh, asinh, atanh, difference, degrees, radians, cos, sin, tan, cot, cosh, sinh, tanh, coth, exp, log, log10, power, sign, sqrt, square, ceil, floor, pi.
|
||||||
|
- String: replicate, charindex, leftstr, rightstr, ltrim, rtrim, trim, replace, reverse, proper, padl, padr, padc, strfilter.
|
||||||
|
- Aggregate: stdev, variance, mode, median, lower_quartile, upper_quartile
|
||||||
|
|
||||||
|
For an example, see [dinedal/go-sqlite3-extension-functions](https://github.com/dinedal/go-sqlite3-extension-functions).
|
||||||
|
|
||||||
|
# FAQ
|
||||||
|
|
||||||
|
- Getting insert error while query is opened.
|
||||||
|
|
||||||
|
> You can pass some arguments into the connection string, for example, a URI.
|
||||||
|
> See: [#39](https://github.com/mattn/go-sqlite3/issues/39)
|
||||||
|
|
||||||
|
- Do you want to cross compile? mingw on Linux or Mac?
|
||||||
|
|
||||||
|
> See: [#106](https://github.com/mattn/go-sqlite3/issues/106)
|
||||||
|
> See also: http://www.limitlessfx.com/cross-compile-golang-app-for-windows-from-linux.html
|
||||||
|
|
||||||
|
- Want to get time.Time with current locale
|
||||||
|
|
||||||
|
Use `_loc=auto` in SQLite3 filename schema like `file:foo.db?_loc=auto`.
|
||||||
|
|
||||||
|
- Can I use this in multiple routines concurrently?
|
||||||
|
|
||||||
|
Yes for readonly. But not for writable. See [#50](https://github.com/mattn/go-sqlite3/issues/50), [#51](https://github.com/mattn/go-sqlite3/issues/51), [#209](https://github.com/mattn/go-sqlite3/issues/209), [#274](https://github.com/mattn/go-sqlite3/issues/274).
|
||||||
|
|
||||||
|
- Why I'm getting `no such table` error?
|
||||||
|
|
||||||
|
Why is it racy if I use a `sql.Open("sqlite3", ":memory:")` database?
|
||||||
|
|
||||||
|
Each connection to `":memory:"` opens a brand new in-memory sql database, so if
|
||||||
|
the stdlib's sql engine happens to open another connection and you've only
|
||||||
|
specified `":memory:"`, that connection will see a brand new database. A
|
||||||
|
workaround is to use `"file::memory:?cache=shared"` (or `"file:foobar?mode=memory&cache=shared"`). Every
|
||||||
|
connection to this string will point to the same in-memory database.
|
||||||
|
|
||||||
|
Note that if the last database connection in the pool closes, the in-memory database is deleted. Make sure the [max idle connection limit](https://golang.org/pkg/database/sql/#DB.SetMaxIdleConns) is > 0, and the [connection lifetime](https://golang.org/pkg/database/sql/#DB.SetConnMaxLifetime) is infinite.
|
||||||
|
|
||||||
|
For more information see:
|
||||||
|
* [#204](https://github.com/mattn/go-sqlite3/issues/204)
|
||||||
|
* [#511](https://github.com/mattn/go-sqlite3/issues/511)
|
||||||
|
* https://www.sqlite.org/sharedcache.html#shared_cache_and_in_memory_databases
|
||||||
|
* https://www.sqlite.org/inmemorydb.html#sharedmemdb
|
||||||
|
|
||||||
|
- Reading from database with large amount of goroutines fails on OSX.
|
||||||
|
|
||||||
|
OS X limits OS-wide to not have more than 1000 files open simultaneously by default.
|
||||||
|
|
||||||
|
For more information, see [#289](https://github.com/mattn/go-sqlite3/issues/289)
|
||||||
|
|
||||||
|
- Trying to execute a `.` (dot) command throws an error.
|
||||||
|
|
||||||
|
Error: `Error: near ".": syntax error`
|
||||||
|
Dot command are part of SQLite3 CLI, not of this library.
|
||||||
|
|
||||||
|
You need to implement the feature or call the sqlite3 cli.
|
||||||
|
|
||||||
|
More information see [#305](https://github.com/mattn/go-sqlite3/issues/305).
|
||||||
|
|
||||||
|
- Error: `database is locked`
|
||||||
|
|
||||||
|
When you get a database is locked, please use the following options.
|
||||||
|
|
||||||
|
Add to DSN: `cache=shared`
|
||||||
|
|
||||||
|
Example:
|
||||||
|
```go
|
||||||
|
db, err := sql.Open("sqlite3", "file:locked.sqlite?cache=shared")
|
||||||
|
```
|
||||||
|
|
||||||
|
Next, please set the database connections of the SQL package to 1:
|
||||||
|
|
||||||
|
```go
|
||||||
|
db.SetMaxOpenConns(1)
|
||||||
|
```
|
||||||
|
|
||||||
|
For more information, see [#209](https://github.com/mattn/go-sqlite3/issues/209).
|
||||||
|
|
||||||
|
## Contributors
|
||||||
|
|
||||||
|
### Code Contributors
|
||||||
|
|
||||||
|
This project exists thanks to all the people who [[contribute](CONTRIBUTING.md)].
|
||||||
|
<a href="https://github.com/mattn/go-sqlite3/graphs/contributors"><img src="https://opencollective.com/mattn-go-sqlite3/contributors.svg?width=890&button=false" /></a>
|
||||||
|
|
||||||
|
### Financial Contributors
|
||||||
|
|
||||||
|
Become a financial contributor and help us sustain our community. [[Contribute here](https://opencollective.com/mattn-go-sqlite3/contribute)].
|
||||||
|
|
||||||
|
#### Individuals
|
||||||
|
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3"><img src="https://opencollective.com/mattn-go-sqlite3/individuals.svg?width=890"></a>
|
||||||
|
|
||||||
|
#### Organizations
|
||||||
|
|
||||||
|
Support this project with your organization. Your logo will show up here with a link to your website. [[Contribute](https://opencollective.com/mattn-go-sqlite3/contribute)]
|
||||||
|
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3/organization/0/website"><img src="https://opencollective.com/mattn-go-sqlite3/organization/0/avatar.svg"></a>
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3/organization/1/website"><img src="https://opencollective.com/mattn-go-sqlite3/organization/1/avatar.svg"></a>
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3/organization/2/website"><img src="https://opencollective.com/mattn-go-sqlite3/organization/2/avatar.svg"></a>
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3/organization/3/website"><img src="https://opencollective.com/mattn-go-sqlite3/organization/3/avatar.svg"></a>
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3/organization/4/website"><img src="https://opencollective.com/mattn-go-sqlite3/organization/4/avatar.svg"></a>
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3/organization/5/website"><img src="https://opencollective.com/mattn-go-sqlite3/organization/5/avatar.svg"></a>
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3/organization/6/website"><img src="https://opencollective.com/mattn-go-sqlite3/organization/6/avatar.svg"></a>
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3/organization/7/website"><img src="https://opencollective.com/mattn-go-sqlite3/organization/7/avatar.svg"></a>
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3/organization/8/website"><img src="https://opencollective.com/mattn-go-sqlite3/organization/8/avatar.svg"></a>
|
||||||
|
<a href="https://opencollective.com/mattn-go-sqlite3/organization/9/website"><img src="https://opencollective.com/mattn-go-sqlite3/organization/9/avatar.svg"></a>
|
||||||
|
|
||||||
|
# License
|
||||||
|
|
||||||
|
MIT: http://mattn.mit-license.org/2018
|
||||||
|
|
||||||
|
sqlite3-binding.c, sqlite3-binding.h, sqlite3ext.h
|
||||||
|
|
||||||
|
The -binding suffix was added to avoid build failures under gccgo.
|
||||||
|
|
||||||
|
In this repository, those files are an amalgamation of code that was copied from SQLite3. The license of that code is the same as the license of SQLite3.
|
||||||
|
|
||||||
|
# Author
|
||||||
|
|
||||||
|
Yasuhiro Matsumoto (a.k.a mattn)
|
||||||
|
|
||||||
|
G.J.R. Timmer
|
85
v1/vendor/github.com/mattn/go-sqlite3/backup.go
generated
vendored
Normal file
85
v1/vendor/github.com/mattn/go-sqlite3/backup.go
generated
vendored
Normal file
|
@ -0,0 +1,85 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
#include <stdlib.h>
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
import (
|
||||||
|
"runtime"
|
||||||
|
"unsafe"
|
||||||
|
)
|
||||||
|
|
||||||
|
// SQLiteBackup implement interface of Backup.
|
||||||
|
type SQLiteBackup struct {
|
||||||
|
b *C.sqlite3_backup
|
||||||
|
}
|
||||||
|
|
||||||
|
// Backup make backup from src to dest.
|
||||||
|
func (destConn *SQLiteConn) Backup(dest string, srcConn *SQLiteConn, src string) (*SQLiteBackup, error) {
|
||||||
|
destptr := C.CString(dest)
|
||||||
|
defer C.free(unsafe.Pointer(destptr))
|
||||||
|
srcptr := C.CString(src)
|
||||||
|
defer C.free(unsafe.Pointer(srcptr))
|
||||||
|
|
||||||
|
if b := C.sqlite3_backup_init(destConn.db, destptr, srcConn.db, srcptr); b != nil {
|
||||||
|
bb := &SQLiteBackup{b: b}
|
||||||
|
runtime.SetFinalizer(bb, (*SQLiteBackup).Finish)
|
||||||
|
return bb, nil
|
||||||
|
}
|
||||||
|
return nil, destConn.lastError()
|
||||||
|
}
|
||||||
|
|
||||||
|
// Step to backs up for one step. Calls the underlying `sqlite3_backup_step`
|
||||||
|
// function. This function returns a boolean indicating if the backup is done
|
||||||
|
// and an error signalling any other error. Done is returned if the underlying
|
||||||
|
// C function returns SQLITE_DONE (Code 101)
|
||||||
|
func (b *SQLiteBackup) Step(p int) (bool, error) {
|
||||||
|
ret := C.sqlite3_backup_step(b.b, C.int(p))
|
||||||
|
if ret == C.SQLITE_DONE {
|
||||||
|
return true, nil
|
||||||
|
} else if ret != 0 && ret != C.SQLITE_LOCKED && ret != C.SQLITE_BUSY {
|
||||||
|
return false, Error{Code: ErrNo(ret)}
|
||||||
|
}
|
||||||
|
return false, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// Remaining return whether have the rest for backup.
|
||||||
|
func (b *SQLiteBackup) Remaining() int {
|
||||||
|
return int(C.sqlite3_backup_remaining(b.b))
|
||||||
|
}
|
||||||
|
|
||||||
|
// PageCount return count of pages.
|
||||||
|
func (b *SQLiteBackup) PageCount() int {
|
||||||
|
return int(C.sqlite3_backup_pagecount(b.b))
|
||||||
|
}
|
||||||
|
|
||||||
|
// Finish close backup.
|
||||||
|
func (b *SQLiteBackup) Finish() error {
|
||||||
|
return b.Close()
|
||||||
|
}
|
||||||
|
|
||||||
|
// Close close backup.
|
||||||
|
func (b *SQLiteBackup) Close() error {
|
||||||
|
ret := C.sqlite3_backup_finish(b.b)
|
||||||
|
|
||||||
|
// sqlite3_backup_finish() never fails, it just returns the
|
||||||
|
// error code from previous operations, so clean up before
|
||||||
|
// checking and returning an error
|
||||||
|
b.b = nil
|
||||||
|
runtime.SetFinalizer(b, nil)
|
||||||
|
|
||||||
|
if ret != 0 {
|
||||||
|
return Error{Code: ErrNo(ret)}
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
411
v1/vendor/github.com/mattn/go-sqlite3/callback.go
generated
vendored
Normal file
411
v1/vendor/github.com/mattn/go-sqlite3/callback.go
generated
vendored
Normal file
|
@ -0,0 +1,411 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
// You can't export a Go function to C and have definitions in the C
|
||||||
|
// preamble in the same file, so we have to have callbackTrampoline in
|
||||||
|
// its own file. Because we need a separate file anyway, the support
|
||||||
|
// code for SQLite custom functions is in here.
|
||||||
|
|
||||||
|
/*
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
#include <stdlib.h>
|
||||||
|
|
||||||
|
void _sqlite3_result_text(sqlite3_context* ctx, const char* s);
|
||||||
|
void _sqlite3_result_blob(sqlite3_context* ctx, const void* b, int l);
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
|
||||||
|
import (
|
||||||
|
"errors"
|
||||||
|
"fmt"
|
||||||
|
"math"
|
||||||
|
"reflect"
|
||||||
|
"sync"
|
||||||
|
"unsafe"
|
||||||
|
)
|
||||||
|
|
||||||
|
//export callbackTrampoline
|
||||||
|
func callbackTrampoline(ctx *C.sqlite3_context, argc int, argv **C.sqlite3_value) {
|
||||||
|
args := (*[(math.MaxInt32 - 1) / unsafe.Sizeof((*C.sqlite3_value)(nil))]*C.sqlite3_value)(unsafe.Pointer(argv))[:argc:argc]
|
||||||
|
fi := lookupHandle(C.sqlite3_user_data(ctx)).(*functionInfo)
|
||||||
|
fi.Call(ctx, args)
|
||||||
|
}
|
||||||
|
|
||||||
|
//export stepTrampoline
|
||||||
|
func stepTrampoline(ctx *C.sqlite3_context, argc C.int, argv **C.sqlite3_value) {
|
||||||
|
args := (*[(math.MaxInt32 - 1) / unsafe.Sizeof((*C.sqlite3_value)(nil))]*C.sqlite3_value)(unsafe.Pointer(argv))[:int(argc):int(argc)]
|
||||||
|
ai := lookupHandle(C.sqlite3_user_data(ctx)).(*aggInfo)
|
||||||
|
ai.Step(ctx, args)
|
||||||
|
}
|
||||||
|
|
||||||
|
//export doneTrampoline
|
||||||
|
func doneTrampoline(ctx *C.sqlite3_context) {
|
||||||
|
ai := lookupHandle(C.sqlite3_user_data(ctx)).(*aggInfo)
|
||||||
|
ai.Done(ctx)
|
||||||
|
}
|
||||||
|
|
||||||
|
//export compareTrampoline
|
||||||
|
func compareTrampoline(handlePtr unsafe.Pointer, la C.int, a *C.char, lb C.int, b *C.char) C.int {
|
||||||
|
cmp := lookupHandle(handlePtr).(func(string, string) int)
|
||||||
|
return C.int(cmp(C.GoStringN(a, la), C.GoStringN(b, lb)))
|
||||||
|
}
|
||||||
|
|
||||||
|
//export commitHookTrampoline
|
||||||
|
func commitHookTrampoline(handle unsafe.Pointer) int {
|
||||||
|
callback := lookupHandle(handle).(func() int)
|
||||||
|
return callback()
|
||||||
|
}
|
||||||
|
|
||||||
|
//export rollbackHookTrampoline
|
||||||
|
func rollbackHookTrampoline(handle unsafe.Pointer) {
|
||||||
|
callback := lookupHandle(handle).(func())
|
||||||
|
callback()
|
||||||
|
}
|
||||||
|
|
||||||
|
//export updateHookTrampoline
|
||||||
|
func updateHookTrampoline(handle unsafe.Pointer, op int, db *C.char, table *C.char, rowid int64) {
|
||||||
|
callback := lookupHandle(handle).(func(int, string, string, int64))
|
||||||
|
callback(op, C.GoString(db), C.GoString(table), rowid)
|
||||||
|
}
|
||||||
|
|
||||||
|
//export authorizerTrampoline
|
||||||
|
func authorizerTrampoline(handle unsafe.Pointer, op int, arg1 *C.char, arg2 *C.char, arg3 *C.char) int {
|
||||||
|
callback := lookupHandle(handle).(func(int, string, string, string) int)
|
||||||
|
return callback(op, C.GoString(arg1), C.GoString(arg2), C.GoString(arg3))
|
||||||
|
}
|
||||||
|
|
||||||
|
//export preUpdateHookTrampoline
|
||||||
|
func preUpdateHookTrampoline(handle unsafe.Pointer, dbHandle uintptr, op int, db *C.char, table *C.char, oldrowid int64, newrowid int64) {
|
||||||
|
hval := lookupHandleVal(handle)
|
||||||
|
data := SQLitePreUpdateData{
|
||||||
|
Conn: hval.db,
|
||||||
|
Op: op,
|
||||||
|
DatabaseName: C.GoString(db),
|
||||||
|
TableName: C.GoString(table),
|
||||||
|
OldRowID: oldrowid,
|
||||||
|
NewRowID: newrowid,
|
||||||
|
}
|
||||||
|
callback := hval.val.(func(SQLitePreUpdateData))
|
||||||
|
callback(data)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Use handles to avoid passing Go pointers to C.
|
||||||
|
type handleVal struct {
|
||||||
|
db *SQLiteConn
|
||||||
|
val any
|
||||||
|
}
|
||||||
|
|
||||||
|
var handleLock sync.Mutex
|
||||||
|
var handleVals = make(map[unsafe.Pointer]handleVal)
|
||||||
|
|
||||||
|
func newHandle(db *SQLiteConn, v any) unsafe.Pointer {
|
||||||
|
handleLock.Lock()
|
||||||
|
defer handleLock.Unlock()
|
||||||
|
val := handleVal{db: db, val: v}
|
||||||
|
var p unsafe.Pointer = C.malloc(C.size_t(1))
|
||||||
|
if p == nil {
|
||||||
|
panic("can't allocate 'cgo-pointer hack index pointer': ptr == nil")
|
||||||
|
}
|
||||||
|
handleVals[p] = val
|
||||||
|
return p
|
||||||
|
}
|
||||||
|
|
||||||
|
func lookupHandleVal(handle unsafe.Pointer) handleVal {
|
||||||
|
handleLock.Lock()
|
||||||
|
defer handleLock.Unlock()
|
||||||
|
return handleVals[handle]
|
||||||
|
}
|
||||||
|
|
||||||
|
func lookupHandle(handle unsafe.Pointer) any {
|
||||||
|
return lookupHandleVal(handle).val
|
||||||
|
}
|
||||||
|
|
||||||
|
func deleteHandles(db *SQLiteConn) {
|
||||||
|
handleLock.Lock()
|
||||||
|
defer handleLock.Unlock()
|
||||||
|
for handle, val := range handleVals {
|
||||||
|
if val.db == db {
|
||||||
|
delete(handleVals, handle)
|
||||||
|
C.free(handle)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// This is only here so that tests can refer to it.
|
||||||
|
type callbackArgRaw C.sqlite3_value
|
||||||
|
|
||||||
|
type callbackArgConverter func(*C.sqlite3_value) (reflect.Value, error)
|
||||||
|
|
||||||
|
type callbackArgCast struct {
|
||||||
|
f callbackArgConverter
|
||||||
|
typ reflect.Type
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c callbackArgCast) Run(v *C.sqlite3_value) (reflect.Value, error) {
|
||||||
|
val, err := c.f(v)
|
||||||
|
if err != nil {
|
||||||
|
return reflect.Value{}, err
|
||||||
|
}
|
||||||
|
if !val.Type().ConvertibleTo(c.typ) {
|
||||||
|
return reflect.Value{}, fmt.Errorf("cannot convert %s to %s", val.Type(), c.typ)
|
||||||
|
}
|
||||||
|
return val.Convert(c.typ), nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackArgInt64(v *C.sqlite3_value) (reflect.Value, error) {
|
||||||
|
if C.sqlite3_value_type(v) != C.SQLITE_INTEGER {
|
||||||
|
return reflect.Value{}, fmt.Errorf("argument must be an INTEGER")
|
||||||
|
}
|
||||||
|
return reflect.ValueOf(int64(C.sqlite3_value_int64(v))), nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackArgBool(v *C.sqlite3_value) (reflect.Value, error) {
|
||||||
|
if C.sqlite3_value_type(v) != C.SQLITE_INTEGER {
|
||||||
|
return reflect.Value{}, fmt.Errorf("argument must be an INTEGER")
|
||||||
|
}
|
||||||
|
i := int64(C.sqlite3_value_int64(v))
|
||||||
|
val := false
|
||||||
|
if i != 0 {
|
||||||
|
val = true
|
||||||
|
}
|
||||||
|
return reflect.ValueOf(val), nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackArgFloat64(v *C.sqlite3_value) (reflect.Value, error) {
|
||||||
|
if C.sqlite3_value_type(v) != C.SQLITE_FLOAT {
|
||||||
|
return reflect.Value{}, fmt.Errorf("argument must be a FLOAT")
|
||||||
|
}
|
||||||
|
return reflect.ValueOf(float64(C.sqlite3_value_double(v))), nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackArgBytes(v *C.sqlite3_value) (reflect.Value, error) {
|
||||||
|
switch C.sqlite3_value_type(v) {
|
||||||
|
case C.SQLITE_BLOB:
|
||||||
|
l := C.sqlite3_value_bytes(v)
|
||||||
|
p := C.sqlite3_value_blob(v)
|
||||||
|
return reflect.ValueOf(C.GoBytes(p, l)), nil
|
||||||
|
case C.SQLITE_TEXT:
|
||||||
|
l := C.sqlite3_value_bytes(v)
|
||||||
|
c := unsafe.Pointer(C.sqlite3_value_text(v))
|
||||||
|
return reflect.ValueOf(C.GoBytes(c, l)), nil
|
||||||
|
default:
|
||||||
|
return reflect.Value{}, fmt.Errorf("argument must be BLOB or TEXT")
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackArgString(v *C.sqlite3_value) (reflect.Value, error) {
|
||||||
|
switch C.sqlite3_value_type(v) {
|
||||||
|
case C.SQLITE_BLOB:
|
||||||
|
l := C.sqlite3_value_bytes(v)
|
||||||
|
p := (*C.char)(C.sqlite3_value_blob(v))
|
||||||
|
return reflect.ValueOf(C.GoStringN(p, l)), nil
|
||||||
|
case C.SQLITE_TEXT:
|
||||||
|
c := (*C.char)(unsafe.Pointer(C.sqlite3_value_text(v)))
|
||||||
|
return reflect.ValueOf(C.GoString(c)), nil
|
||||||
|
default:
|
||||||
|
return reflect.Value{}, fmt.Errorf("argument must be BLOB or TEXT")
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackArgGeneric(v *C.sqlite3_value) (reflect.Value, error) {
|
||||||
|
switch C.sqlite3_value_type(v) {
|
||||||
|
case C.SQLITE_INTEGER:
|
||||||
|
return callbackArgInt64(v)
|
||||||
|
case C.SQLITE_FLOAT:
|
||||||
|
return callbackArgFloat64(v)
|
||||||
|
case C.SQLITE_TEXT:
|
||||||
|
return callbackArgString(v)
|
||||||
|
case C.SQLITE_BLOB:
|
||||||
|
return callbackArgBytes(v)
|
||||||
|
case C.SQLITE_NULL:
|
||||||
|
// Interpret NULL as a nil byte slice.
|
||||||
|
var ret []byte
|
||||||
|
return reflect.ValueOf(ret), nil
|
||||||
|
default:
|
||||||
|
panic("unreachable")
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackArg(typ reflect.Type) (callbackArgConverter, error) {
|
||||||
|
switch typ.Kind() {
|
||||||
|
case reflect.Interface:
|
||||||
|
if typ.NumMethod() != 0 {
|
||||||
|
return nil, errors.New("the only supported interface type is any")
|
||||||
|
}
|
||||||
|
return callbackArgGeneric, nil
|
||||||
|
case reflect.Slice:
|
||||||
|
if typ.Elem().Kind() != reflect.Uint8 {
|
||||||
|
return nil, errors.New("the only supported slice type is []byte")
|
||||||
|
}
|
||||||
|
return callbackArgBytes, nil
|
||||||
|
case reflect.String:
|
||||||
|
return callbackArgString, nil
|
||||||
|
case reflect.Bool:
|
||||||
|
return callbackArgBool, nil
|
||||||
|
case reflect.Int64:
|
||||||
|
return callbackArgInt64, nil
|
||||||
|
case reflect.Int8, reflect.Int16, reflect.Int32, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64, reflect.Int, reflect.Uint:
|
||||||
|
c := callbackArgCast{callbackArgInt64, typ}
|
||||||
|
return c.Run, nil
|
||||||
|
case reflect.Float64:
|
||||||
|
return callbackArgFloat64, nil
|
||||||
|
case reflect.Float32:
|
||||||
|
c := callbackArgCast{callbackArgFloat64, typ}
|
||||||
|
return c.Run, nil
|
||||||
|
default:
|
||||||
|
return nil, fmt.Errorf("don't know how to convert to %s", typ)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackConvertArgs(argv []*C.sqlite3_value, converters []callbackArgConverter, variadic callbackArgConverter) ([]reflect.Value, error) {
|
||||||
|
var args []reflect.Value
|
||||||
|
|
||||||
|
if len(argv) < len(converters) {
|
||||||
|
return nil, fmt.Errorf("function requires at least %d arguments", len(converters))
|
||||||
|
}
|
||||||
|
|
||||||
|
for i, arg := range argv[:len(converters)] {
|
||||||
|
v, err := converters[i](arg)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
args = append(args, v)
|
||||||
|
}
|
||||||
|
|
||||||
|
if variadic != nil {
|
||||||
|
for _, arg := range argv[len(converters):] {
|
||||||
|
v, err := variadic(arg)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
args = append(args, v)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return args, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
type callbackRetConverter func(*C.sqlite3_context, reflect.Value) error
|
||||||
|
|
||||||
|
func callbackRetInteger(ctx *C.sqlite3_context, v reflect.Value) error {
|
||||||
|
switch v.Type().Kind() {
|
||||||
|
case reflect.Int64:
|
||||||
|
case reflect.Int8, reflect.Int16, reflect.Int32, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64, reflect.Int, reflect.Uint:
|
||||||
|
v = v.Convert(reflect.TypeOf(int64(0)))
|
||||||
|
case reflect.Bool:
|
||||||
|
b := v.Interface().(bool)
|
||||||
|
if b {
|
||||||
|
v = reflect.ValueOf(int64(1))
|
||||||
|
} else {
|
||||||
|
v = reflect.ValueOf(int64(0))
|
||||||
|
}
|
||||||
|
default:
|
||||||
|
return fmt.Errorf("cannot convert %s to INTEGER", v.Type())
|
||||||
|
}
|
||||||
|
|
||||||
|
C.sqlite3_result_int64(ctx, C.sqlite3_int64(v.Interface().(int64)))
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackRetFloat(ctx *C.sqlite3_context, v reflect.Value) error {
|
||||||
|
switch v.Type().Kind() {
|
||||||
|
case reflect.Float64:
|
||||||
|
case reflect.Float32:
|
||||||
|
v = v.Convert(reflect.TypeOf(float64(0)))
|
||||||
|
default:
|
||||||
|
return fmt.Errorf("cannot convert %s to FLOAT", v.Type())
|
||||||
|
}
|
||||||
|
|
||||||
|
C.sqlite3_result_double(ctx, C.double(v.Interface().(float64)))
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackRetBlob(ctx *C.sqlite3_context, v reflect.Value) error {
|
||||||
|
if v.Type().Kind() != reflect.Slice || v.Type().Elem().Kind() != reflect.Uint8 {
|
||||||
|
return fmt.Errorf("cannot convert %s to BLOB", v.Type())
|
||||||
|
}
|
||||||
|
i := v.Interface()
|
||||||
|
if i == nil || len(i.([]byte)) == 0 {
|
||||||
|
C.sqlite3_result_null(ctx)
|
||||||
|
} else {
|
||||||
|
bs := i.([]byte)
|
||||||
|
C._sqlite3_result_blob(ctx, unsafe.Pointer(&bs[0]), C.int(len(bs)))
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackRetText(ctx *C.sqlite3_context, v reflect.Value) error {
|
||||||
|
if v.Type().Kind() != reflect.String {
|
||||||
|
return fmt.Errorf("cannot convert %s to TEXT", v.Type())
|
||||||
|
}
|
||||||
|
C._sqlite3_result_text(ctx, C.CString(v.Interface().(string)))
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackRetNil(ctx *C.sqlite3_context, v reflect.Value) error {
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackRetGeneric(ctx *C.sqlite3_context, v reflect.Value) error {
|
||||||
|
if v.IsNil() {
|
||||||
|
C.sqlite3_result_null(ctx)
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
cb, err := callbackRet(v.Elem().Type())
|
||||||
|
if err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
|
||||||
|
return cb(ctx, v.Elem())
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackRet(typ reflect.Type) (callbackRetConverter, error) {
|
||||||
|
switch typ.Kind() {
|
||||||
|
case reflect.Interface:
|
||||||
|
errorInterface := reflect.TypeOf((*error)(nil)).Elem()
|
||||||
|
if typ.Implements(errorInterface) {
|
||||||
|
return callbackRetNil, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
if typ.NumMethod() == 0 {
|
||||||
|
return callbackRetGeneric, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
fallthrough
|
||||||
|
case reflect.Slice:
|
||||||
|
if typ.Elem().Kind() != reflect.Uint8 {
|
||||||
|
return nil, errors.New("the only supported slice type is []byte")
|
||||||
|
}
|
||||||
|
return callbackRetBlob, nil
|
||||||
|
case reflect.String:
|
||||||
|
return callbackRetText, nil
|
||||||
|
case reflect.Bool, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64, reflect.Int, reflect.Uint:
|
||||||
|
return callbackRetInteger, nil
|
||||||
|
case reflect.Float32, reflect.Float64:
|
||||||
|
return callbackRetFloat, nil
|
||||||
|
default:
|
||||||
|
return nil, fmt.Errorf("don't know how to convert to %s", typ)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func callbackError(ctx *C.sqlite3_context, err error) {
|
||||||
|
cstr := C.CString(err.Error())
|
||||||
|
defer C.free(unsafe.Pointer(cstr))
|
||||||
|
C.sqlite3_result_error(ctx, cstr, C.int(-1))
|
||||||
|
}
|
||||||
|
|
||||||
|
// Test support code. Tests are not allowed to import "C", so we can't
|
||||||
|
// declare any functions that use C.sqlite3_value.
|
||||||
|
func callbackSyntheticForTests(v reflect.Value, err error) callbackArgConverter {
|
||||||
|
return func(*C.sqlite3_value) (reflect.Value, error) {
|
||||||
|
return v, err
|
||||||
|
}
|
||||||
|
}
|
299
v1/vendor/github.com/mattn/go-sqlite3/convert.go
generated
vendored
Normal file
299
v1/vendor/github.com/mattn/go-sqlite3/convert.go
generated
vendored
Normal file
|
@ -0,0 +1,299 @@
|
||||||
|
// Extracted from Go database/sql source code
|
||||||
|
|
||||||
|
// Copyright 2011 The Go Authors. All rights reserved.
|
||||||
|
// Use of this source code is governed by a BSD-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
// Type conversions for Scan.
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
import (
|
||||||
|
"database/sql"
|
||||||
|
"database/sql/driver"
|
||||||
|
"errors"
|
||||||
|
"fmt"
|
||||||
|
"reflect"
|
||||||
|
"strconv"
|
||||||
|
"time"
|
||||||
|
)
|
||||||
|
|
||||||
|
var errNilPtr = errors.New("destination pointer is nil") // embedded in descriptive error
|
||||||
|
|
||||||
|
// convertAssign copies to dest the value in src, converting it if possible.
|
||||||
|
// An error is returned if the copy would result in loss of information.
|
||||||
|
// dest should be a pointer type.
|
||||||
|
func convertAssign(dest, src any) error {
|
||||||
|
// Common cases, without reflect.
|
||||||
|
switch s := src.(type) {
|
||||||
|
case string:
|
||||||
|
switch d := dest.(type) {
|
||||||
|
case *string:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = s
|
||||||
|
return nil
|
||||||
|
case *[]byte:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = []byte(s)
|
||||||
|
return nil
|
||||||
|
case *sql.RawBytes:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = append((*d)[:0], s...)
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
case []byte:
|
||||||
|
switch d := dest.(type) {
|
||||||
|
case *string:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = string(s)
|
||||||
|
return nil
|
||||||
|
case *any:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = cloneBytes(s)
|
||||||
|
return nil
|
||||||
|
case *[]byte:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = cloneBytes(s)
|
||||||
|
return nil
|
||||||
|
case *sql.RawBytes:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = s
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
case time.Time:
|
||||||
|
switch d := dest.(type) {
|
||||||
|
case *time.Time:
|
||||||
|
*d = s
|
||||||
|
return nil
|
||||||
|
case *string:
|
||||||
|
*d = s.Format(time.RFC3339Nano)
|
||||||
|
return nil
|
||||||
|
case *[]byte:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = []byte(s.Format(time.RFC3339Nano))
|
||||||
|
return nil
|
||||||
|
case *sql.RawBytes:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = s.AppendFormat((*d)[:0], time.RFC3339Nano)
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
case nil:
|
||||||
|
switch d := dest.(type) {
|
||||||
|
case *any:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = nil
|
||||||
|
return nil
|
||||||
|
case *[]byte:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = nil
|
||||||
|
return nil
|
||||||
|
case *sql.RawBytes:
|
||||||
|
if d == nil {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
*d = nil
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
var sv reflect.Value
|
||||||
|
|
||||||
|
switch d := dest.(type) {
|
||||||
|
case *string:
|
||||||
|
sv = reflect.ValueOf(src)
|
||||||
|
switch sv.Kind() {
|
||||||
|
case reflect.Bool,
|
||||||
|
reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64,
|
||||||
|
reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64,
|
||||||
|
reflect.Float32, reflect.Float64:
|
||||||
|
*d = asString(src)
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
case *[]byte:
|
||||||
|
sv = reflect.ValueOf(src)
|
||||||
|
if b, ok := asBytes(nil, sv); ok {
|
||||||
|
*d = b
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
case *sql.RawBytes:
|
||||||
|
sv = reflect.ValueOf(src)
|
||||||
|
if b, ok := asBytes([]byte(*d)[:0], sv); ok {
|
||||||
|
*d = sql.RawBytes(b)
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
case *bool:
|
||||||
|
bv, err := driver.Bool.ConvertValue(src)
|
||||||
|
if err == nil {
|
||||||
|
*d = bv.(bool)
|
||||||
|
}
|
||||||
|
return err
|
||||||
|
case *any:
|
||||||
|
*d = src
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
if scanner, ok := dest.(sql.Scanner); ok {
|
||||||
|
return scanner.Scan(src)
|
||||||
|
}
|
||||||
|
|
||||||
|
dpv := reflect.ValueOf(dest)
|
||||||
|
if dpv.Kind() != reflect.Ptr {
|
||||||
|
return errors.New("destination not a pointer")
|
||||||
|
}
|
||||||
|
if dpv.IsNil() {
|
||||||
|
return errNilPtr
|
||||||
|
}
|
||||||
|
|
||||||
|
if !sv.IsValid() {
|
||||||
|
sv = reflect.ValueOf(src)
|
||||||
|
}
|
||||||
|
|
||||||
|
dv := reflect.Indirect(dpv)
|
||||||
|
if sv.IsValid() && sv.Type().AssignableTo(dv.Type()) {
|
||||||
|
switch b := src.(type) {
|
||||||
|
case []byte:
|
||||||
|
dv.Set(reflect.ValueOf(cloneBytes(b)))
|
||||||
|
default:
|
||||||
|
dv.Set(sv)
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
if dv.Kind() == sv.Kind() && sv.Type().ConvertibleTo(dv.Type()) {
|
||||||
|
dv.Set(sv.Convert(dv.Type()))
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// The following conversions use a string value as an intermediate representation
|
||||||
|
// to convert between various numeric types.
|
||||||
|
//
|
||||||
|
// This also allows scanning into user defined types such as "type Int int64".
|
||||||
|
// For symmetry, also check for string destination types.
|
||||||
|
switch dv.Kind() {
|
||||||
|
case reflect.Ptr:
|
||||||
|
if src == nil {
|
||||||
|
dv.Set(reflect.Zero(dv.Type()))
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
dv.Set(reflect.New(dv.Type().Elem()))
|
||||||
|
return convertAssign(dv.Interface(), src)
|
||||||
|
case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
|
||||||
|
s := asString(src)
|
||||||
|
i64, err := strconv.ParseInt(s, 10, dv.Type().Bits())
|
||||||
|
if err != nil {
|
||||||
|
err = strconvErr(err)
|
||||||
|
return fmt.Errorf("converting driver.Value type %T (%q) to a %s: %v", src, s, dv.Kind(), err)
|
||||||
|
}
|
||||||
|
dv.SetInt(i64)
|
||||||
|
return nil
|
||||||
|
case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64:
|
||||||
|
s := asString(src)
|
||||||
|
u64, err := strconv.ParseUint(s, 10, dv.Type().Bits())
|
||||||
|
if err != nil {
|
||||||
|
err = strconvErr(err)
|
||||||
|
return fmt.Errorf("converting driver.Value type %T (%q) to a %s: %v", src, s, dv.Kind(), err)
|
||||||
|
}
|
||||||
|
dv.SetUint(u64)
|
||||||
|
return nil
|
||||||
|
case reflect.Float32, reflect.Float64:
|
||||||
|
s := asString(src)
|
||||||
|
f64, err := strconv.ParseFloat(s, dv.Type().Bits())
|
||||||
|
if err != nil {
|
||||||
|
err = strconvErr(err)
|
||||||
|
return fmt.Errorf("converting driver.Value type %T (%q) to a %s: %v", src, s, dv.Kind(), err)
|
||||||
|
}
|
||||||
|
dv.SetFloat(f64)
|
||||||
|
return nil
|
||||||
|
case reflect.String:
|
||||||
|
switch v := src.(type) {
|
||||||
|
case string:
|
||||||
|
dv.SetString(v)
|
||||||
|
return nil
|
||||||
|
case []byte:
|
||||||
|
dv.SetString(string(v))
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return fmt.Errorf("unsupported Scan, storing driver.Value type %T into type %T", src, dest)
|
||||||
|
}
|
||||||
|
|
||||||
|
func strconvErr(err error) error {
|
||||||
|
if ne, ok := err.(*strconv.NumError); ok {
|
||||||
|
return ne.Err
|
||||||
|
}
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
|
||||||
|
func cloneBytes(b []byte) []byte {
|
||||||
|
if b == nil {
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
c := make([]byte, len(b))
|
||||||
|
copy(c, b)
|
||||||
|
return c
|
||||||
|
}
|
||||||
|
|
||||||
|
func asString(src any) string {
|
||||||
|
switch v := src.(type) {
|
||||||
|
case string:
|
||||||
|
return v
|
||||||
|
case []byte:
|
||||||
|
return string(v)
|
||||||
|
}
|
||||||
|
rv := reflect.ValueOf(src)
|
||||||
|
switch rv.Kind() {
|
||||||
|
case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
|
||||||
|
return strconv.FormatInt(rv.Int(), 10)
|
||||||
|
case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64:
|
||||||
|
return strconv.FormatUint(rv.Uint(), 10)
|
||||||
|
case reflect.Float64:
|
||||||
|
return strconv.FormatFloat(rv.Float(), 'g', -1, 64)
|
||||||
|
case reflect.Float32:
|
||||||
|
return strconv.FormatFloat(rv.Float(), 'g', -1, 32)
|
||||||
|
case reflect.Bool:
|
||||||
|
return strconv.FormatBool(rv.Bool())
|
||||||
|
}
|
||||||
|
return fmt.Sprintf("%v", src)
|
||||||
|
}
|
||||||
|
|
||||||
|
func asBytes(buf []byte, rv reflect.Value) (b []byte, ok bool) {
|
||||||
|
switch rv.Kind() {
|
||||||
|
case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
|
||||||
|
return strconv.AppendInt(buf, rv.Int(), 10), true
|
||||||
|
case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64:
|
||||||
|
return strconv.AppendUint(buf, rv.Uint(), 10), true
|
||||||
|
case reflect.Float32:
|
||||||
|
return strconv.AppendFloat(buf, rv.Float(), 'g', -1, 32), true
|
||||||
|
case reflect.Float64:
|
||||||
|
return strconv.AppendFloat(buf, rv.Float(), 'g', -1, 64), true
|
||||||
|
case reflect.Bool:
|
||||||
|
return strconv.AppendBool(buf, rv.Bool()), true
|
||||||
|
case reflect.String:
|
||||||
|
s := rv.String()
|
||||||
|
return append(buf, s...), true
|
||||||
|
}
|
||||||
|
return
|
||||||
|
}
|
134
v1/vendor/github.com/mattn/go-sqlite3/doc.go
generated
vendored
Normal file
134
v1/vendor/github.com/mattn/go-sqlite3/doc.go
generated
vendored
Normal file
|
@ -0,0 +1,134 @@
|
||||||
|
/*
|
||||||
|
Package sqlite3 provides interface to SQLite3 databases.
|
||||||
|
|
||||||
|
This works as a driver for database/sql.
|
||||||
|
|
||||||
|
Installation
|
||||||
|
|
||||||
|
go get github.com/mattn/go-sqlite3
|
||||||
|
|
||||||
|
# Supported Types
|
||||||
|
|
||||||
|
Currently, go-sqlite3 supports the following data types.
|
||||||
|
|
||||||
|
+------------------------------+
|
||||||
|
|go | sqlite3 |
|
||||||
|
|----------|-------------------|
|
||||||
|
|nil | null |
|
||||||
|
|int | integer |
|
||||||
|
|int64 | integer |
|
||||||
|
|float64 | float |
|
||||||
|
|bool | integer |
|
||||||
|
|[]byte | blob |
|
||||||
|
|string | text |
|
||||||
|
|time.Time | timestamp/datetime|
|
||||||
|
+------------------------------+
|
||||||
|
|
||||||
|
# SQLite3 Extension
|
||||||
|
|
||||||
|
You can write your own extension module for sqlite3. For example, below is an
|
||||||
|
extension for a Regexp matcher operation.
|
||||||
|
|
||||||
|
#include <pcre.h>
|
||||||
|
#include <string.h>
|
||||||
|
#include <stdio.h>
|
||||||
|
#include <sqlite3ext.h>
|
||||||
|
|
||||||
|
SQLITE_EXTENSION_INIT1
|
||||||
|
static void regexp_func(sqlite3_context *context, int argc, sqlite3_value **argv) {
|
||||||
|
if (argc >= 2) {
|
||||||
|
const char *target = (const char *)sqlite3_value_text(argv[1]);
|
||||||
|
const char *pattern = (const char *)sqlite3_value_text(argv[0]);
|
||||||
|
const char* errstr = NULL;
|
||||||
|
int erroff = 0;
|
||||||
|
int vec[500];
|
||||||
|
int n, rc;
|
||||||
|
pcre* re = pcre_compile(pattern, 0, &errstr, &erroff, NULL);
|
||||||
|
rc = pcre_exec(re, NULL, target, strlen(target), 0, 0, vec, 500);
|
||||||
|
if (rc <= 0) {
|
||||||
|
sqlite3_result_error(context, errstr, 0);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
sqlite3_result_int(context, 1);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#ifdef _WIN32
|
||||||
|
__declspec(dllexport)
|
||||||
|
#endif
|
||||||
|
int sqlite3_extension_init(sqlite3 *db, char **errmsg,
|
||||||
|
const sqlite3_api_routines *api) {
|
||||||
|
SQLITE_EXTENSION_INIT2(api);
|
||||||
|
return sqlite3_create_function(db, "regexp", 2, SQLITE_UTF8,
|
||||||
|
(void*)db, regexp_func, NULL, NULL);
|
||||||
|
}
|
||||||
|
|
||||||
|
It needs to be built as a so/dll shared library. And you need to register
|
||||||
|
the extension module like below.
|
||||||
|
|
||||||
|
sql.Register("sqlite3_with_extensions",
|
||||||
|
&sqlite3.SQLiteDriver{
|
||||||
|
Extensions: []string{
|
||||||
|
"sqlite3_mod_regexp",
|
||||||
|
},
|
||||||
|
})
|
||||||
|
|
||||||
|
Then, you can use this extension.
|
||||||
|
|
||||||
|
rows, err := db.Query("select text from mytable where name regexp '^golang'")
|
||||||
|
|
||||||
|
# Connection Hook
|
||||||
|
|
||||||
|
You can hook and inject your code when the connection is established by setting
|
||||||
|
ConnectHook to get the SQLiteConn.
|
||||||
|
|
||||||
|
sql.Register("sqlite3_with_hook_example",
|
||||||
|
&sqlite3.SQLiteDriver{
|
||||||
|
ConnectHook: func(conn *sqlite3.SQLiteConn) error {
|
||||||
|
sqlite3conn = append(sqlite3conn, conn)
|
||||||
|
return nil
|
||||||
|
},
|
||||||
|
})
|
||||||
|
|
||||||
|
You can also use database/sql.Conn.Raw (Go >= 1.13):
|
||||||
|
|
||||||
|
conn, err := db.Conn(context.Background())
|
||||||
|
// if err != nil { ... }
|
||||||
|
defer conn.Close()
|
||||||
|
err = conn.Raw(func (driverConn any) error {
|
||||||
|
sqliteConn := driverConn.(*sqlite3.SQLiteConn)
|
||||||
|
// ... use sqliteConn
|
||||||
|
})
|
||||||
|
// if err != nil { ... }
|
||||||
|
|
||||||
|
# Go SQlite3 Extensions
|
||||||
|
|
||||||
|
If you want to register Go functions as SQLite extension functions
|
||||||
|
you can make a custom driver by calling RegisterFunction from
|
||||||
|
ConnectHook.
|
||||||
|
|
||||||
|
regex = func(re, s string) (bool, error) {
|
||||||
|
return regexp.MatchString(re, s)
|
||||||
|
}
|
||||||
|
sql.Register("sqlite3_extended",
|
||||||
|
&sqlite3.SQLiteDriver{
|
||||||
|
ConnectHook: func(conn *sqlite3.SQLiteConn) error {
|
||||||
|
return conn.RegisterFunc("regexp", regex, true)
|
||||||
|
},
|
||||||
|
})
|
||||||
|
|
||||||
|
You can then use the custom driver by passing its name to sql.Open.
|
||||||
|
|
||||||
|
var i int
|
||||||
|
conn, err := sql.Open("sqlite3_extended", "./foo.db")
|
||||||
|
if err != nil {
|
||||||
|
panic(err)
|
||||||
|
}
|
||||||
|
err = db.QueryRow(`SELECT regexp("foo.*", "seafood")`).Scan(&i)
|
||||||
|
if err != nil {
|
||||||
|
panic(err)
|
||||||
|
}
|
||||||
|
|
||||||
|
See the documentation of RegisterFunc for more details.
|
||||||
|
*/
|
||||||
|
package sqlite3
|
150
v1/vendor/github.com/mattn/go-sqlite3/error.go
generated
vendored
Normal file
150
v1/vendor/github.com/mattn/go-sqlite3/error.go
generated
vendored
Normal file
|
@ -0,0 +1,150 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
import "syscall"
|
||||||
|
|
||||||
|
// ErrNo inherit errno.
|
||||||
|
type ErrNo int
|
||||||
|
|
||||||
|
// ErrNoMask is mask code.
|
||||||
|
const ErrNoMask C.int = 0xff
|
||||||
|
|
||||||
|
// ErrNoExtended is extended errno.
|
||||||
|
type ErrNoExtended int
|
||||||
|
|
||||||
|
// Error implement sqlite error code.
|
||||||
|
type Error struct {
|
||||||
|
Code ErrNo /* The error code returned by SQLite */
|
||||||
|
ExtendedCode ErrNoExtended /* The extended error code returned by SQLite */
|
||||||
|
SystemErrno syscall.Errno /* The system errno returned by the OS through SQLite, if applicable */
|
||||||
|
err string /* The error string returned by sqlite3_errmsg(),
|
||||||
|
this usually contains more specific details. */
|
||||||
|
}
|
||||||
|
|
||||||
|
// result codes from http://www.sqlite.org/c3ref/c_abort.html
|
||||||
|
var (
|
||||||
|
ErrError = ErrNo(1) /* SQL error or missing database */
|
||||||
|
ErrInternal = ErrNo(2) /* Internal logic error in SQLite */
|
||||||
|
ErrPerm = ErrNo(3) /* Access permission denied */
|
||||||
|
ErrAbort = ErrNo(4) /* Callback routine requested an abort */
|
||||||
|
ErrBusy = ErrNo(5) /* The database file is locked */
|
||||||
|
ErrLocked = ErrNo(6) /* A table in the database is locked */
|
||||||
|
ErrNomem = ErrNo(7) /* A malloc() failed */
|
||||||
|
ErrReadonly = ErrNo(8) /* Attempt to write a readonly database */
|
||||||
|
ErrInterrupt = ErrNo(9) /* Operation terminated by sqlite3_interrupt() */
|
||||||
|
ErrIoErr = ErrNo(10) /* Some kind of disk I/O error occurred */
|
||||||
|
ErrCorrupt = ErrNo(11) /* The database disk image is malformed */
|
||||||
|
ErrNotFound = ErrNo(12) /* Unknown opcode in sqlite3_file_control() */
|
||||||
|
ErrFull = ErrNo(13) /* Insertion failed because database is full */
|
||||||
|
ErrCantOpen = ErrNo(14) /* Unable to open the database file */
|
||||||
|
ErrProtocol = ErrNo(15) /* Database lock protocol error */
|
||||||
|
ErrEmpty = ErrNo(16) /* Database is empty */
|
||||||
|
ErrSchema = ErrNo(17) /* The database schema changed */
|
||||||
|
ErrTooBig = ErrNo(18) /* String or BLOB exceeds size limit */
|
||||||
|
ErrConstraint = ErrNo(19) /* Abort due to constraint violation */
|
||||||
|
ErrMismatch = ErrNo(20) /* Data type mismatch */
|
||||||
|
ErrMisuse = ErrNo(21) /* Library used incorrectly */
|
||||||
|
ErrNoLFS = ErrNo(22) /* Uses OS features not supported on host */
|
||||||
|
ErrAuth = ErrNo(23) /* Authorization denied */
|
||||||
|
ErrFormat = ErrNo(24) /* Auxiliary database format error */
|
||||||
|
ErrRange = ErrNo(25) /* 2nd parameter to sqlite3_bind out of range */
|
||||||
|
ErrNotADB = ErrNo(26) /* File opened that is not a database file */
|
||||||
|
ErrNotice = ErrNo(27) /* Notifications from sqlite3_log() */
|
||||||
|
ErrWarning = ErrNo(28) /* Warnings from sqlite3_log() */
|
||||||
|
)
|
||||||
|
|
||||||
|
// Error return error message from errno.
|
||||||
|
func (err ErrNo) Error() string {
|
||||||
|
return Error{Code: err}.Error()
|
||||||
|
}
|
||||||
|
|
||||||
|
// Extend return extended errno.
|
||||||
|
func (err ErrNo) Extend(by int) ErrNoExtended {
|
||||||
|
return ErrNoExtended(int(err) | (by << 8))
|
||||||
|
}
|
||||||
|
|
||||||
|
// Error return error message that is extended code.
|
||||||
|
func (err ErrNoExtended) Error() string {
|
||||||
|
return Error{Code: ErrNo(C.int(err) & ErrNoMask), ExtendedCode: err}.Error()
|
||||||
|
}
|
||||||
|
|
||||||
|
func (err Error) Error() string {
|
||||||
|
var str string
|
||||||
|
if err.err != "" {
|
||||||
|
str = err.err
|
||||||
|
} else {
|
||||||
|
str = C.GoString(C.sqlite3_errstr(C.int(err.Code)))
|
||||||
|
}
|
||||||
|
if err.SystemErrno != 0 {
|
||||||
|
str += ": " + err.SystemErrno.Error()
|
||||||
|
}
|
||||||
|
return str
|
||||||
|
}
|
||||||
|
|
||||||
|
// result codes from http://www.sqlite.org/c3ref/c_abort_rollback.html
|
||||||
|
var (
|
||||||
|
ErrIoErrRead = ErrIoErr.Extend(1)
|
||||||
|
ErrIoErrShortRead = ErrIoErr.Extend(2)
|
||||||
|
ErrIoErrWrite = ErrIoErr.Extend(3)
|
||||||
|
ErrIoErrFsync = ErrIoErr.Extend(4)
|
||||||
|
ErrIoErrDirFsync = ErrIoErr.Extend(5)
|
||||||
|
ErrIoErrTruncate = ErrIoErr.Extend(6)
|
||||||
|
ErrIoErrFstat = ErrIoErr.Extend(7)
|
||||||
|
ErrIoErrUnlock = ErrIoErr.Extend(8)
|
||||||
|
ErrIoErrRDlock = ErrIoErr.Extend(9)
|
||||||
|
ErrIoErrDelete = ErrIoErr.Extend(10)
|
||||||
|
ErrIoErrBlocked = ErrIoErr.Extend(11)
|
||||||
|
ErrIoErrNoMem = ErrIoErr.Extend(12)
|
||||||
|
ErrIoErrAccess = ErrIoErr.Extend(13)
|
||||||
|
ErrIoErrCheckReservedLock = ErrIoErr.Extend(14)
|
||||||
|
ErrIoErrLock = ErrIoErr.Extend(15)
|
||||||
|
ErrIoErrClose = ErrIoErr.Extend(16)
|
||||||
|
ErrIoErrDirClose = ErrIoErr.Extend(17)
|
||||||
|
ErrIoErrSHMOpen = ErrIoErr.Extend(18)
|
||||||
|
ErrIoErrSHMSize = ErrIoErr.Extend(19)
|
||||||
|
ErrIoErrSHMLock = ErrIoErr.Extend(20)
|
||||||
|
ErrIoErrSHMMap = ErrIoErr.Extend(21)
|
||||||
|
ErrIoErrSeek = ErrIoErr.Extend(22)
|
||||||
|
ErrIoErrDeleteNoent = ErrIoErr.Extend(23)
|
||||||
|
ErrIoErrMMap = ErrIoErr.Extend(24)
|
||||||
|
ErrIoErrGetTempPath = ErrIoErr.Extend(25)
|
||||||
|
ErrIoErrConvPath = ErrIoErr.Extend(26)
|
||||||
|
ErrLockedSharedCache = ErrLocked.Extend(1)
|
||||||
|
ErrBusyRecovery = ErrBusy.Extend(1)
|
||||||
|
ErrBusySnapshot = ErrBusy.Extend(2)
|
||||||
|
ErrCantOpenNoTempDir = ErrCantOpen.Extend(1)
|
||||||
|
ErrCantOpenIsDir = ErrCantOpen.Extend(2)
|
||||||
|
ErrCantOpenFullPath = ErrCantOpen.Extend(3)
|
||||||
|
ErrCantOpenConvPath = ErrCantOpen.Extend(4)
|
||||||
|
ErrCorruptVTab = ErrCorrupt.Extend(1)
|
||||||
|
ErrReadonlyRecovery = ErrReadonly.Extend(1)
|
||||||
|
ErrReadonlyCantLock = ErrReadonly.Extend(2)
|
||||||
|
ErrReadonlyRollback = ErrReadonly.Extend(3)
|
||||||
|
ErrReadonlyDbMoved = ErrReadonly.Extend(4)
|
||||||
|
ErrAbortRollback = ErrAbort.Extend(2)
|
||||||
|
ErrConstraintCheck = ErrConstraint.Extend(1)
|
||||||
|
ErrConstraintCommitHook = ErrConstraint.Extend(2)
|
||||||
|
ErrConstraintForeignKey = ErrConstraint.Extend(3)
|
||||||
|
ErrConstraintFunction = ErrConstraint.Extend(4)
|
||||||
|
ErrConstraintNotNull = ErrConstraint.Extend(5)
|
||||||
|
ErrConstraintPrimaryKey = ErrConstraint.Extend(6)
|
||||||
|
ErrConstraintTrigger = ErrConstraint.Extend(7)
|
||||||
|
ErrConstraintUnique = ErrConstraint.Extend(8)
|
||||||
|
ErrConstraintVTab = ErrConstraint.Extend(9)
|
||||||
|
ErrConstraintRowID = ErrConstraint.Extend(10)
|
||||||
|
ErrNoticeRecoverWAL = ErrNotice.Extend(1)
|
||||||
|
ErrNoticeRecoverRollback = ErrNotice.Extend(2)
|
||||||
|
ErrWarningAutoIndex = ErrWarning.Extend(1)
|
||||||
|
)
|
256040
v1/vendor/github.com/mattn/go-sqlite3/sqlite3-binding.c
generated
vendored
Normal file
256040
v1/vendor/github.com/mattn/go-sqlite3/sqlite3-binding.c
generated
vendored
Normal file
File diff suppressed because it is too large
Load diff
13456
v1/vendor/github.com/mattn/go-sqlite3/sqlite3-binding.h
generated
vendored
Normal file
13456
v1/vendor/github.com/mattn/go-sqlite3/sqlite3-binding.h
generated
vendored
Normal file
File diff suppressed because it is too large
Load diff
2281
v1/vendor/github.com/mattn/go-sqlite3/sqlite3.go
generated
vendored
Normal file
2281
v1/vendor/github.com/mattn/go-sqlite3/sqlite3.go
generated
vendored
Normal file
File diff suppressed because it is too large
Load diff
103
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_context.go
generated
vendored
Normal file
103
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_context.go
generated
vendored
Normal file
|
@ -0,0 +1,103 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
#include <stdlib.h>
|
||||||
|
// These wrappers are necessary because SQLITE_TRANSIENT
|
||||||
|
// is a pointer constant, and cgo doesn't translate them correctly.
|
||||||
|
|
||||||
|
static inline void my_result_text(sqlite3_context *ctx, char *p, int np) {
|
||||||
|
sqlite3_result_text(ctx, p, np, SQLITE_TRANSIENT);
|
||||||
|
}
|
||||||
|
|
||||||
|
static inline void my_result_blob(sqlite3_context *ctx, void *p, int np) {
|
||||||
|
sqlite3_result_blob(ctx, p, np, SQLITE_TRANSIENT);
|
||||||
|
}
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
|
||||||
|
import (
|
||||||
|
"math"
|
||||||
|
"reflect"
|
||||||
|
"unsafe"
|
||||||
|
)
|
||||||
|
|
||||||
|
const i64 = unsafe.Sizeof(int(0)) > 4
|
||||||
|
|
||||||
|
// SQLiteContext behave sqlite3_context
|
||||||
|
type SQLiteContext C.sqlite3_context
|
||||||
|
|
||||||
|
// ResultBool sets the result of an SQL function.
|
||||||
|
func (c *SQLiteContext) ResultBool(b bool) {
|
||||||
|
if b {
|
||||||
|
c.ResultInt(1)
|
||||||
|
} else {
|
||||||
|
c.ResultInt(0)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ResultBlob sets the result of an SQL function.
|
||||||
|
// See: sqlite3_result_blob, http://sqlite.org/c3ref/result_blob.html
|
||||||
|
func (c *SQLiteContext) ResultBlob(b []byte) {
|
||||||
|
if i64 && len(b) > math.MaxInt32 {
|
||||||
|
C.sqlite3_result_error_toobig((*C.sqlite3_context)(c))
|
||||||
|
return
|
||||||
|
}
|
||||||
|
var p *byte
|
||||||
|
if len(b) > 0 {
|
||||||
|
p = &b[0]
|
||||||
|
}
|
||||||
|
C.my_result_blob((*C.sqlite3_context)(c), unsafe.Pointer(p), C.int(len(b)))
|
||||||
|
}
|
||||||
|
|
||||||
|
// ResultDouble sets the result of an SQL function.
|
||||||
|
// See: sqlite3_result_double, http://sqlite.org/c3ref/result_blob.html
|
||||||
|
func (c *SQLiteContext) ResultDouble(d float64) {
|
||||||
|
C.sqlite3_result_double((*C.sqlite3_context)(c), C.double(d))
|
||||||
|
}
|
||||||
|
|
||||||
|
// ResultInt sets the result of an SQL function.
|
||||||
|
// See: sqlite3_result_int, http://sqlite.org/c3ref/result_blob.html
|
||||||
|
func (c *SQLiteContext) ResultInt(i int) {
|
||||||
|
if i64 && (i > math.MaxInt32 || i < math.MinInt32) {
|
||||||
|
C.sqlite3_result_int64((*C.sqlite3_context)(c), C.sqlite3_int64(i))
|
||||||
|
} else {
|
||||||
|
C.sqlite3_result_int((*C.sqlite3_context)(c), C.int(i))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ResultInt64 sets the result of an SQL function.
|
||||||
|
// See: sqlite3_result_int64, http://sqlite.org/c3ref/result_blob.html
|
||||||
|
func (c *SQLiteContext) ResultInt64(i int64) {
|
||||||
|
C.sqlite3_result_int64((*C.sqlite3_context)(c), C.sqlite3_int64(i))
|
||||||
|
}
|
||||||
|
|
||||||
|
// ResultNull sets the result of an SQL function.
|
||||||
|
// See: sqlite3_result_null, http://sqlite.org/c3ref/result_blob.html
|
||||||
|
func (c *SQLiteContext) ResultNull() {
|
||||||
|
C.sqlite3_result_null((*C.sqlite3_context)(c))
|
||||||
|
}
|
||||||
|
|
||||||
|
// ResultText sets the result of an SQL function.
|
||||||
|
// See: sqlite3_result_text, http://sqlite.org/c3ref/result_blob.html
|
||||||
|
func (c *SQLiteContext) ResultText(s string) {
|
||||||
|
h := (*reflect.StringHeader)(unsafe.Pointer(&s))
|
||||||
|
cs, l := (*C.char)(unsafe.Pointer(h.Data)), C.int(h.Len)
|
||||||
|
C.my_result_text((*C.sqlite3_context)(c), cs, l)
|
||||||
|
}
|
||||||
|
|
||||||
|
// ResultZeroblob sets the result of an SQL function.
|
||||||
|
// See: sqlite3_result_zeroblob, http://sqlite.org/c3ref/result_blob.html
|
||||||
|
func (c *SQLiteContext) ResultZeroblob(n int) {
|
||||||
|
C.sqlite3_result_zeroblob((*C.sqlite3_context)(c), C.int(n))
|
||||||
|
}
|
120
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_func_crypt.go
generated
vendored
Normal file
120
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_func_crypt.go
generated
vendored
Normal file
|
@ -0,0 +1,120 @@
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
import (
|
||||||
|
"crypto/sha1"
|
||||||
|
"crypto/sha256"
|
||||||
|
"crypto/sha512"
|
||||||
|
)
|
||||||
|
|
||||||
|
// This file provides several different implementations for the
|
||||||
|
// default embedded sqlite_crypt function.
|
||||||
|
// This function is uses a caesar-cypher by default
|
||||||
|
// and is used within the UserAuthentication module to encode
|
||||||
|
// the password.
|
||||||
|
//
|
||||||
|
// The provided functions can be used as an overload to the sqlite_crypt
|
||||||
|
// function through the use of the RegisterFunc on the connection.
|
||||||
|
//
|
||||||
|
// Because the functions can serv a purpose to an end-user
|
||||||
|
// without using the UserAuthentication module
|
||||||
|
// the functions are default compiled in.
|
||||||
|
//
|
||||||
|
// From SQLITE3 - user-auth.txt
|
||||||
|
// The sqlite_user.pw field is encoded by a built-in SQL function
|
||||||
|
// "sqlite_crypt(X,Y)". The two arguments are both BLOBs. The first argument
|
||||||
|
// is the plaintext password supplied to the sqlite3_user_authenticate()
|
||||||
|
// interface. The second argument is the sqlite_user.pw value and is supplied
|
||||||
|
// so that the function can extract the "salt" used by the password encoder.
|
||||||
|
// The result of sqlite_crypt(X,Y) is another blob which is the value that
|
||||||
|
// ends up being stored in sqlite_user.pw. To verify credentials X supplied
|
||||||
|
// by the sqlite3_user_authenticate() routine, SQLite runs:
|
||||||
|
//
|
||||||
|
// sqlite_user.pw == sqlite_crypt(X, sqlite_user.pw)
|
||||||
|
//
|
||||||
|
// To compute an appropriate sqlite_user.pw value from a new or modified
|
||||||
|
// password X, sqlite_crypt(X,NULL) is run. A new random salt is selected
|
||||||
|
// when the second argument is NULL.
|
||||||
|
//
|
||||||
|
// The built-in version of of sqlite_crypt() uses a simple Caesar-cypher
|
||||||
|
// which prevents passwords from being revealed by searching the raw database
|
||||||
|
// for ASCII text, but is otherwise trivally broken. For better password
|
||||||
|
// security, the database should be encrypted using the SQLite Encryption
|
||||||
|
// Extension or similar technology. Or, the application can use the
|
||||||
|
// sqlite3_create_function() interface to provide an alternative
|
||||||
|
// implementation of sqlite_crypt() that computes a stronger password hash,
|
||||||
|
// perhaps using a cryptographic hash function like SHA1.
|
||||||
|
|
||||||
|
// CryptEncoderSHA1 encodes a password with SHA1
|
||||||
|
func CryptEncoderSHA1(pass []byte, hash any) []byte {
|
||||||
|
h := sha1.Sum(pass)
|
||||||
|
return h[:]
|
||||||
|
}
|
||||||
|
|
||||||
|
// CryptEncoderSSHA1 encodes a password with SHA1 with the
|
||||||
|
// configured salt.
|
||||||
|
func CryptEncoderSSHA1(salt string) func(pass []byte, hash any) []byte {
|
||||||
|
return func(pass []byte, hash any) []byte {
|
||||||
|
s := []byte(salt)
|
||||||
|
p := append(pass, s...)
|
||||||
|
h := sha1.Sum(p)
|
||||||
|
return h[:]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// CryptEncoderSHA256 encodes a password with SHA256
|
||||||
|
func CryptEncoderSHA256(pass []byte, hash any) []byte {
|
||||||
|
h := sha256.Sum256(pass)
|
||||||
|
return h[:]
|
||||||
|
}
|
||||||
|
|
||||||
|
// CryptEncoderSSHA256 encodes a password with SHA256
|
||||||
|
// with the configured salt
|
||||||
|
func CryptEncoderSSHA256(salt string) func(pass []byte, hash any) []byte {
|
||||||
|
return func(pass []byte, hash any) []byte {
|
||||||
|
s := []byte(salt)
|
||||||
|
p := append(pass, s...)
|
||||||
|
h := sha256.Sum256(p)
|
||||||
|
return h[:]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// CryptEncoderSHA384 encodes a password with SHA384
|
||||||
|
func CryptEncoderSHA384(pass []byte, hash any) []byte {
|
||||||
|
h := sha512.Sum384(pass)
|
||||||
|
return h[:]
|
||||||
|
}
|
||||||
|
|
||||||
|
// CryptEncoderSSHA384 encodes a password with SHA384
|
||||||
|
// with the configured salt
|
||||||
|
func CryptEncoderSSHA384(salt string) func(pass []byte, hash any) []byte {
|
||||||
|
return func(pass []byte, hash any) []byte {
|
||||||
|
s := []byte(salt)
|
||||||
|
p := append(pass, s...)
|
||||||
|
h := sha512.Sum384(p)
|
||||||
|
return h[:]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// CryptEncoderSHA512 encodes a password with SHA512
|
||||||
|
func CryptEncoderSHA512(pass []byte, hash any) []byte {
|
||||||
|
h := sha512.Sum512(pass)
|
||||||
|
return h[:]
|
||||||
|
}
|
||||||
|
|
||||||
|
// CryptEncoderSSHA512 encodes a password with SHA512
|
||||||
|
// with the configured salt
|
||||||
|
func CryptEncoderSSHA512(salt string) func(pass []byte, hash any) []byte {
|
||||||
|
return func(pass []byte, hash any) []byte {
|
||||||
|
s := []byte(salt)
|
||||||
|
p := append(pass, s...)
|
||||||
|
h := sha512.Sum512(p)
|
||||||
|
return h[:]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// EOF
|
54
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_go18.go
generated
vendored
Normal file
54
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_go18.go
generated
vendored
Normal file
|
@ -0,0 +1,54 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build cgo && go1.8
|
||||||
|
// +build cgo,go1.8
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
import (
|
||||||
|
"database/sql/driver"
|
||||||
|
|
||||||
|
"context"
|
||||||
|
)
|
||||||
|
|
||||||
|
// Ping implement Pinger.
|
||||||
|
func (c *SQLiteConn) Ping(ctx context.Context) error {
|
||||||
|
if c.db == nil {
|
||||||
|
// must be ErrBadConn for sql to close the database
|
||||||
|
return driver.ErrBadConn
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// QueryContext implement QueryerContext.
|
||||||
|
func (c *SQLiteConn) QueryContext(ctx context.Context, query string, args []driver.NamedValue) (driver.Rows, error) {
|
||||||
|
return c.query(ctx, query, args)
|
||||||
|
}
|
||||||
|
|
||||||
|
// ExecContext implement ExecerContext.
|
||||||
|
func (c *SQLiteConn) ExecContext(ctx context.Context, query string, args []driver.NamedValue) (driver.Result, error) {
|
||||||
|
return c.exec(ctx, query, args)
|
||||||
|
}
|
||||||
|
|
||||||
|
// PrepareContext implement ConnPrepareContext.
|
||||||
|
func (c *SQLiteConn) PrepareContext(ctx context.Context, query string) (driver.Stmt, error) {
|
||||||
|
return c.prepare(ctx, query)
|
||||||
|
}
|
||||||
|
|
||||||
|
// BeginTx implement ConnBeginTx.
|
||||||
|
func (c *SQLiteConn) BeginTx(ctx context.Context, opts driver.TxOptions) (driver.Tx, error) {
|
||||||
|
return c.begin(ctx)
|
||||||
|
}
|
||||||
|
|
||||||
|
// QueryContext implement QueryerContext.
|
||||||
|
func (s *SQLiteStmt) QueryContext(ctx context.Context, args []driver.NamedValue) (driver.Rows, error) {
|
||||||
|
return s.query(ctx, args)
|
||||||
|
}
|
||||||
|
|
||||||
|
// ExecContext implement ExecerContext.
|
||||||
|
func (s *SQLiteStmt) ExecContext(ctx context.Context, args []driver.NamedValue) (driver.Result, error) {
|
||||||
|
return s.exec(ctx, args)
|
||||||
|
}
|
22
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_libsqlite3.go
generated
vendored
Normal file
22
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_libsqlite3.go
generated
vendored
Normal file
|
@ -0,0 +1,22 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build libsqlite3
|
||||||
|
// +build libsqlite3
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DUSE_LIBSQLITE3
|
||||||
|
#cgo linux LDFLAGS: -lsqlite3
|
||||||
|
#cgo darwin,amd64 LDFLAGS: -L/usr/local/opt/sqlite/lib -lsqlite3
|
||||||
|
#cgo darwin,amd64 CFLAGS: -I/usr/local/opt/sqlite/include
|
||||||
|
#cgo darwin,arm64 LDFLAGS: -L/opt/homebrew/opt/sqlite/lib -lsqlite3
|
||||||
|
#cgo darwin,arm64 CFLAGS: -I/opt/homebrew/opt/sqlite/include
|
||||||
|
#cgo openbsd LDFLAGS: -lsqlite3
|
||||||
|
#cgo solaris LDFLAGS: -lsqlite3
|
||||||
|
#cgo windows LDFLAGS: -lsqlite3
|
||||||
|
*/
|
||||||
|
import "C"
|
85
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_load_extension.go
generated
vendored
Normal file
85
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_load_extension.go
generated
vendored
Normal file
|
@ -0,0 +1,85 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build !sqlite_omit_load_extension
|
||||||
|
// +build !sqlite_omit_load_extension
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
#include <stdlib.h>
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
import (
|
||||||
|
"errors"
|
||||||
|
"unsafe"
|
||||||
|
)
|
||||||
|
|
||||||
|
func (c *SQLiteConn) loadExtensions(extensions []string) error {
|
||||||
|
rv := C.sqlite3_enable_load_extension(c.db, 1)
|
||||||
|
if rv != C.SQLITE_OK {
|
||||||
|
return errors.New(C.GoString(C.sqlite3_errmsg(c.db)))
|
||||||
|
}
|
||||||
|
|
||||||
|
for _, extension := range extensions {
|
||||||
|
if err := c.loadExtension(extension, nil); err != nil {
|
||||||
|
C.sqlite3_enable_load_extension(c.db, 0)
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
rv = C.sqlite3_enable_load_extension(c.db, 0)
|
||||||
|
if rv != C.SQLITE_OK {
|
||||||
|
return errors.New(C.GoString(C.sqlite3_errmsg(c.db)))
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// LoadExtension load the sqlite3 extension.
|
||||||
|
func (c *SQLiteConn) LoadExtension(lib string, entry string) error {
|
||||||
|
rv := C.sqlite3_enable_load_extension(c.db, 1)
|
||||||
|
if rv != C.SQLITE_OK {
|
||||||
|
return errors.New(C.GoString(C.sqlite3_errmsg(c.db)))
|
||||||
|
}
|
||||||
|
|
||||||
|
if err := c.loadExtension(lib, &entry); err != nil {
|
||||||
|
C.sqlite3_enable_load_extension(c.db, 0)
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
|
||||||
|
rv = C.sqlite3_enable_load_extension(c.db, 0)
|
||||||
|
if rv != C.SQLITE_OK {
|
||||||
|
return errors.New(C.GoString(C.sqlite3_errmsg(c.db)))
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c *SQLiteConn) loadExtension(lib string, entry *string) error {
|
||||||
|
clib := C.CString(lib)
|
||||||
|
defer C.free(unsafe.Pointer(clib))
|
||||||
|
|
||||||
|
var centry *C.char
|
||||||
|
if entry != nil {
|
||||||
|
centry = C.CString(*entry)
|
||||||
|
defer C.free(unsafe.Pointer(centry))
|
||||||
|
}
|
||||||
|
|
||||||
|
var errMsg *C.char
|
||||||
|
defer C.sqlite3_free(unsafe.Pointer(errMsg))
|
||||||
|
|
||||||
|
rv := C.sqlite3_load_extension(c.db, clib, centry, &errMsg)
|
||||||
|
if rv != C.SQLITE_OK {
|
||||||
|
return errors.New(C.GoString(errMsg))
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
25
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_load_extension_omit.go
generated
vendored
Normal file
25
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_load_extension_omit.go
generated
vendored
Normal file
|
@ -0,0 +1,25 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_omit_load_extension
|
||||||
|
// +build sqlite_omit_load_extension
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_OMIT_LOAD_EXTENSION
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
import (
|
||||||
|
"errors"
|
||||||
|
)
|
||||||
|
|
||||||
|
func (c *SQLiteConn) loadExtensions(extensions []string) error {
|
||||||
|
return errors.New("Extensions have been disabled for static builds")
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c *SQLiteConn) LoadExtension(lib string, entry string) error {
|
||||||
|
return errors.New("Extensions have been disabled for static builds")
|
||||||
|
}
|
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_allow_uri_authority.go
generated
vendored
Normal file
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_allow_uri_authority.go
generated
vendored
Normal file
|
@ -0,0 +1,16 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_allow_uri_authority
|
||||||
|
// +build sqlite_allow_uri_authority
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_ALLOW_URI_AUTHORITY
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_app_armor.go
generated
vendored
Normal file
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_app_armor.go
generated
vendored
Normal file
|
@ -0,0 +1,16 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build !windows && sqlite_app_armor
|
||||||
|
// +build !windows,sqlite_app_armor
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_API_ARMOR
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
22
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_column_metadata.go
generated
vendored
Normal file
22
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_column_metadata.go
generated
vendored
Normal file
|
@ -0,0 +1,22 @@
|
||||||
|
//go:build sqlite_column_metadata
|
||||||
|
// +build sqlite_column_metadata
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_COLUMN_METADATA
|
||||||
|
#include <sqlite3-binding.h>
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
|
||||||
|
// ColumnTableName returns the table that is the origin of a particular result
|
||||||
|
// column in a SELECT statement.
|
||||||
|
//
|
||||||
|
// See https://www.sqlite.org/c3ref/column_database_name.html
|
||||||
|
func (s *SQLiteStmt) ColumnTableName(n int) string {
|
||||||
|
return C.GoString(C.sqlite3_column_table_name(s.s, C.int(n)))
|
||||||
|
}
|
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_foreign_keys.go
generated
vendored
Normal file
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_foreign_keys.go
generated
vendored
Normal file
|
@ -0,0 +1,16 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_foreign_keys
|
||||||
|
// +build sqlite_foreign_keys
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_DEFAULT_FOREIGN_KEYS=1
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
15
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_fts5.go
generated
vendored
Normal file
15
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_fts5.go
generated
vendored
Normal file
|
@ -0,0 +1,15 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_fts5 || fts5
|
||||||
|
// +build sqlite_fts5 fts5
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_FTS5
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
20
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_icu.go
generated
vendored
Normal file
20
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_icu.go
generated
vendored
Normal file
|
@ -0,0 +1,20 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_icu || icu
|
||||||
|
// +build sqlite_icu icu
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo LDFLAGS: -licuuc -licui18n
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_ICU
|
||||||
|
#cgo darwin,amd64 CFLAGS: -I/usr/local/opt/icu4c/include
|
||||||
|
#cgo darwin,amd64 LDFLAGS: -L/usr/local/opt/icu4c/lib
|
||||||
|
#cgo darwin,arm64 CFLAGS: -I/opt/homebrew/opt/icu4c/include
|
||||||
|
#cgo darwin,arm64 LDFLAGS: -L/opt/homebrew/opt/icu4c/lib
|
||||||
|
#cgo openbsd LDFLAGS: -lsqlite3
|
||||||
|
*/
|
||||||
|
import "C"
|
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_introspect.go
generated
vendored
Normal file
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_introspect.go
generated
vendored
Normal file
|
@ -0,0 +1,16 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_introspect
|
||||||
|
// +build sqlite_introspect
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_INTROSPECTION_PRAGMAS
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
15
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_math_functions.go
generated
vendored
Normal file
15
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_math_functions.go
generated
vendored
Normal file
|
@ -0,0 +1,15 @@
|
||||||
|
// Copyright (C) 2022 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_math_functions
|
||||||
|
// +build sqlite_math_functions
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_MATH_FUNCTIONS
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
15
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_os_trace.go
generated
vendored
Normal file
15
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_os_trace.go
generated
vendored
Normal file
|
@ -0,0 +1,15 @@
|
||||||
|
// Copyright (C) 2022 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_os_trace
|
||||||
|
// +build sqlite_os_trace
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_FORCE_OS_TRACE=1
|
||||||
|
#cgo CFLAGS: -DSQLITE_DEBUG_OS_TRACE=1
|
||||||
|
*/
|
||||||
|
import "C"
|
21
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_preupdate.go
generated
vendored
Normal file
21
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_preupdate.go
generated
vendored
Normal file
|
@ -0,0 +1,21 @@
|
||||||
|
// Copyright (C) 2019 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
// Copyright (C) 2018 segment.com <friends@segment.com>
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build cgo
|
||||||
|
// +build cgo
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
// SQLitePreUpdateData represents all of the data available during a
|
||||||
|
// pre-update hook call.
|
||||||
|
type SQLitePreUpdateData struct {
|
||||||
|
Conn *SQLiteConn
|
||||||
|
Op int
|
||||||
|
DatabaseName string
|
||||||
|
TableName string
|
||||||
|
OldRowID int64
|
||||||
|
NewRowID int64
|
||||||
|
}
|
113
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_preupdate_hook.go
generated
vendored
Normal file
113
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_preupdate_hook.go
generated
vendored
Normal file
|
@ -0,0 +1,113 @@
|
||||||
|
// Copyright (C) 2019 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
// Copyright (C) 2018 segment.com <friends@segment.com>
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_preupdate_hook
|
||||||
|
// +build sqlite_preupdate_hook
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_PREUPDATE_HOOK
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
#include <stdlib.h>
|
||||||
|
#include <string.h>
|
||||||
|
|
||||||
|
void preUpdateHookTrampoline(void*, sqlite3 *, int, char *, char *, sqlite3_int64, sqlite3_int64);
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
import (
|
||||||
|
"errors"
|
||||||
|
"unsafe"
|
||||||
|
)
|
||||||
|
|
||||||
|
// RegisterPreUpdateHook sets the pre-update hook for a connection.
|
||||||
|
//
|
||||||
|
// The callback is passed a SQLitePreUpdateData struct with the data for
|
||||||
|
// the update, as well as methods for fetching copies of impacted data.
|
||||||
|
//
|
||||||
|
// If there is an existing preupdate hook for this connection, it will be
|
||||||
|
// removed. If callback is nil the existing hook (if any) will be removed
|
||||||
|
// without creating a new one.
|
||||||
|
func (c *SQLiteConn) RegisterPreUpdateHook(callback func(SQLitePreUpdateData)) {
|
||||||
|
if callback == nil {
|
||||||
|
C.sqlite3_preupdate_hook(c.db, nil, nil)
|
||||||
|
} else {
|
||||||
|
C.sqlite3_preupdate_hook(c.db, (*[0]byte)(unsafe.Pointer(C.preUpdateHookTrampoline)), unsafe.Pointer(newHandle(c, callback)))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Depth returns the source path of the write, see sqlite3_preupdate_depth()
|
||||||
|
func (d *SQLitePreUpdateData) Depth() int {
|
||||||
|
return int(C.sqlite3_preupdate_depth(d.Conn.db))
|
||||||
|
}
|
||||||
|
|
||||||
|
// Count returns the number of columns in the row
|
||||||
|
func (d *SQLitePreUpdateData) Count() int {
|
||||||
|
return int(C.sqlite3_preupdate_count(d.Conn.db))
|
||||||
|
}
|
||||||
|
|
||||||
|
func (d *SQLitePreUpdateData) row(dest []any, new bool) error {
|
||||||
|
for i := 0; i < d.Count() && i < len(dest); i++ {
|
||||||
|
var val *C.sqlite3_value
|
||||||
|
var src any
|
||||||
|
|
||||||
|
// Initially I tried making this just a function pointer argument, but
|
||||||
|
// it's absurdly complicated to pass C function pointers.
|
||||||
|
if new {
|
||||||
|
C.sqlite3_preupdate_new(d.Conn.db, C.int(i), &val)
|
||||||
|
} else {
|
||||||
|
C.sqlite3_preupdate_old(d.Conn.db, C.int(i), &val)
|
||||||
|
}
|
||||||
|
|
||||||
|
switch C.sqlite3_value_type(val) {
|
||||||
|
case C.SQLITE_INTEGER:
|
||||||
|
src = int64(C.sqlite3_value_int64(val))
|
||||||
|
case C.SQLITE_FLOAT:
|
||||||
|
src = float64(C.sqlite3_value_double(val))
|
||||||
|
case C.SQLITE_BLOB:
|
||||||
|
len := C.sqlite3_value_bytes(val)
|
||||||
|
blobptr := C.sqlite3_value_blob(val)
|
||||||
|
src = C.GoBytes(blobptr, len)
|
||||||
|
case C.SQLITE_TEXT:
|
||||||
|
len := C.sqlite3_value_bytes(val)
|
||||||
|
cstrptr := unsafe.Pointer(C.sqlite3_value_text(val))
|
||||||
|
src = C.GoBytes(cstrptr, len)
|
||||||
|
case C.SQLITE_NULL:
|
||||||
|
src = nil
|
||||||
|
}
|
||||||
|
|
||||||
|
err := convertAssign(&dest[i], src)
|
||||||
|
if err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// Old populates dest with the row data to be replaced. This works similar to
|
||||||
|
// database/sql's Rows.Scan()
|
||||||
|
func (d *SQLitePreUpdateData) Old(dest ...any) error {
|
||||||
|
if d.Op == SQLITE_INSERT {
|
||||||
|
return errors.New("There is no old row for INSERT operations")
|
||||||
|
}
|
||||||
|
return d.row(dest, false)
|
||||||
|
}
|
||||||
|
|
||||||
|
// New populates dest with the replacement row data. This works similar to
|
||||||
|
// database/sql's Rows.Scan()
|
||||||
|
func (d *SQLitePreUpdateData) New(dest ...any) error {
|
||||||
|
if d.Op == SQLITE_DELETE {
|
||||||
|
return errors.New("There is no new row for DELETE operations")
|
||||||
|
}
|
||||||
|
return d.row(dest, true)
|
||||||
|
}
|
22
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_preupdate_omit.go
generated
vendored
Normal file
22
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_preupdate_omit.go
generated
vendored
Normal file
|
@ -0,0 +1,22 @@
|
||||||
|
// Copyright (C) 2019 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
// Copyright (C) 2018 segment.com <friends@segment.com>
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build !sqlite_preupdate_hook && cgo
|
||||||
|
// +build !sqlite_preupdate_hook,cgo
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
// RegisterPreUpdateHook sets the pre-update hook for a connection.
|
||||||
|
//
|
||||||
|
// The callback is passed a SQLitePreUpdateData struct with the data for
|
||||||
|
// the update, as well as methods for fetching copies of impacted data.
|
||||||
|
//
|
||||||
|
// If there is an existing preupdate hook for this connection, it will be
|
||||||
|
// removed. If callback is nil the existing hook (if any) will be removed
|
||||||
|
// without creating a new one.
|
||||||
|
func (c *SQLiteConn) RegisterPreUpdateHook(callback func(SQLitePreUpdateData)) {
|
||||||
|
// NOOP
|
||||||
|
}
|
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_secure_delete.go
generated
vendored
Normal file
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_secure_delete.go
generated
vendored
Normal file
|
@ -0,0 +1,16 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_secure_delete
|
||||||
|
// +build sqlite_secure_delete
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_SECURE_DELETE=1
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_secure_delete_fast.go
generated
vendored
Normal file
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_secure_delete_fast.go
generated
vendored
Normal file
|
@ -0,0 +1,16 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_secure_delete_fast
|
||||||
|
// +build sqlite_secure_delete_fast
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_SECURE_DELETE=FAST
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
83
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_serialize.go
generated
vendored
Normal file
83
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_serialize.go
generated
vendored
Normal file
|
@ -0,0 +1,83 @@
|
||||||
|
//go:build !libsqlite3 || sqlite_serialize
|
||||||
|
// +build !libsqlite3 sqlite_serialize
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include <sqlite3-binding.h>
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
#include <stdlib.h>
|
||||||
|
#include <stdint.h>
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
|
||||||
|
import (
|
||||||
|
"fmt"
|
||||||
|
"math"
|
||||||
|
"reflect"
|
||||||
|
"unsafe"
|
||||||
|
)
|
||||||
|
|
||||||
|
// Serialize returns a byte slice that is a serialization of the database.
|
||||||
|
//
|
||||||
|
// See https://www.sqlite.org/c3ref/serialize.html
|
||||||
|
func (c *SQLiteConn) Serialize(schema string) ([]byte, error) {
|
||||||
|
if schema == "" {
|
||||||
|
schema = "main"
|
||||||
|
}
|
||||||
|
var zSchema *C.char
|
||||||
|
zSchema = C.CString(schema)
|
||||||
|
defer C.free(unsafe.Pointer(zSchema))
|
||||||
|
|
||||||
|
var sz C.sqlite3_int64
|
||||||
|
ptr := C.sqlite3_serialize(c.db, zSchema, &sz, 0)
|
||||||
|
if ptr == nil {
|
||||||
|
return nil, fmt.Errorf("serialize failed")
|
||||||
|
}
|
||||||
|
defer C.sqlite3_free(unsafe.Pointer(ptr))
|
||||||
|
|
||||||
|
if sz > C.sqlite3_int64(math.MaxInt) {
|
||||||
|
return nil, fmt.Errorf("serialized database is too large (%d bytes)", sz)
|
||||||
|
}
|
||||||
|
|
||||||
|
cBuf := *(*[]byte)(unsafe.Pointer(&reflect.SliceHeader{
|
||||||
|
Data: uintptr(unsafe.Pointer(ptr)),
|
||||||
|
Len: int(sz),
|
||||||
|
Cap: int(sz),
|
||||||
|
}))
|
||||||
|
|
||||||
|
res := make([]byte, int(sz))
|
||||||
|
copy(res, cBuf)
|
||||||
|
return res, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// Deserialize causes the connection to disconnect from the current database and
|
||||||
|
// then re-open as an in-memory database based on the contents of the byte slice.
|
||||||
|
//
|
||||||
|
// See https://www.sqlite.org/c3ref/deserialize.html
|
||||||
|
func (c *SQLiteConn) Deserialize(b []byte, schema string) error {
|
||||||
|
if schema == "" {
|
||||||
|
schema = "main"
|
||||||
|
}
|
||||||
|
var zSchema *C.char
|
||||||
|
zSchema = C.CString(schema)
|
||||||
|
defer C.free(unsafe.Pointer(zSchema))
|
||||||
|
|
||||||
|
tmpBuf := (*C.uchar)(C.sqlite3_malloc64(C.sqlite3_uint64(len(b))))
|
||||||
|
cBuf := *(*[]byte)(unsafe.Pointer(&reflect.SliceHeader{
|
||||||
|
Data: uintptr(unsafe.Pointer(tmpBuf)),
|
||||||
|
Len: len(b),
|
||||||
|
Cap: len(b),
|
||||||
|
}))
|
||||||
|
copy(cBuf, b)
|
||||||
|
|
||||||
|
rc := C.sqlite3_deserialize(c.db, zSchema, tmpBuf, C.sqlite3_int64(len(b)),
|
||||||
|
C.sqlite3_int64(len(b)), C.SQLITE_DESERIALIZE_FREEONCLOSE)
|
||||||
|
if rc != C.SQLITE_OK {
|
||||||
|
return fmt.Errorf("deserialize failed with return %v", rc)
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
21
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_serialize_omit.go
generated
vendored
Normal file
21
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_serialize_omit.go
generated
vendored
Normal file
|
@ -0,0 +1,21 @@
|
||||||
|
//go:build libsqlite3 && !sqlite_serialize
|
||||||
|
// +build libsqlite3,!sqlite_serialize
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
import (
|
||||||
|
"errors"
|
||||||
|
)
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_OMIT_DESERIALIZE
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
|
||||||
|
func (c *SQLiteConn) Serialize(schema string) ([]byte, error) {
|
||||||
|
return nil, errors.New("sqlite3: Serialize requires the sqlite_serialize build tag when using the libsqlite3 build tag")
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c *SQLiteConn) Deserialize(b []byte, schema string) error {
|
||||||
|
return errors.New("sqlite3: Deserialize requires the sqlite_serialize build tag when using the libsqlite3 build tag")
|
||||||
|
}
|
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_stat4.go
generated
vendored
Normal file
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_stat4.go
generated
vendored
Normal file
|
@ -0,0 +1,16 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_stat4
|
||||||
|
// +build sqlite_stat4
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_STAT4
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
85
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_unlock_notify.c
generated
vendored
Normal file
85
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_unlock_notify.c
generated
vendored
Normal file
|
@ -0,0 +1,85 @@
|
||||||
|
// Copyright (C) 2018 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
#ifdef SQLITE_ENABLE_UNLOCK_NOTIFY
|
||||||
|
#include <stdio.h>
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
|
||||||
|
extern int unlock_notify_wait(sqlite3 *db);
|
||||||
|
|
||||||
|
int
|
||||||
|
_sqlite3_step_blocking(sqlite3_stmt *stmt)
|
||||||
|
{
|
||||||
|
int rv;
|
||||||
|
sqlite3* db;
|
||||||
|
|
||||||
|
db = sqlite3_db_handle(stmt);
|
||||||
|
for (;;) {
|
||||||
|
rv = sqlite3_step(stmt);
|
||||||
|
if (rv != SQLITE_LOCKED) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
if (sqlite3_extended_errcode(db) != SQLITE_LOCKED_SHAREDCACHE) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
rv = unlock_notify_wait(db);
|
||||||
|
if (rv != SQLITE_OK) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
sqlite3_reset(stmt);
|
||||||
|
}
|
||||||
|
|
||||||
|
return rv;
|
||||||
|
}
|
||||||
|
|
||||||
|
int
|
||||||
|
_sqlite3_step_row_blocking(sqlite3_stmt* stmt, long long* rowid, long long* changes)
|
||||||
|
{
|
||||||
|
int rv;
|
||||||
|
sqlite3* db;
|
||||||
|
|
||||||
|
db = sqlite3_db_handle(stmt);
|
||||||
|
for (;;) {
|
||||||
|
rv = sqlite3_step(stmt);
|
||||||
|
if (rv!=SQLITE_LOCKED) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
if (sqlite3_extended_errcode(db) != SQLITE_LOCKED_SHAREDCACHE) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
rv = unlock_notify_wait(db);
|
||||||
|
if (rv != SQLITE_OK) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
sqlite3_reset(stmt);
|
||||||
|
}
|
||||||
|
|
||||||
|
*rowid = (long long) sqlite3_last_insert_rowid(db);
|
||||||
|
*changes = (long long) sqlite3_changes(db);
|
||||||
|
return rv;
|
||||||
|
}
|
||||||
|
|
||||||
|
int
|
||||||
|
_sqlite3_prepare_v2_blocking(sqlite3 *db, const char *zSql, int nBytes, sqlite3_stmt **ppStmt, const char **pzTail)
|
||||||
|
{
|
||||||
|
int rv;
|
||||||
|
|
||||||
|
for (;;) {
|
||||||
|
rv = sqlite3_prepare_v2(db, zSql, nBytes, ppStmt, pzTail);
|
||||||
|
if (rv!=SQLITE_LOCKED) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
if (sqlite3_extended_errcode(db) != SQLITE_LOCKED_SHAREDCACHE) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
rv = unlock_notify_wait(db);
|
||||||
|
if (rv != SQLITE_OK) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return rv;
|
||||||
|
}
|
||||||
|
#endif
|
93
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_unlock_notify.go
generated
vendored
Normal file
93
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_unlock_notify.go
generated
vendored
Normal file
|
@ -0,0 +1,93 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build cgo && sqlite_unlock_notify
|
||||||
|
// +build cgo,sqlite_unlock_notify
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_UNLOCK_NOTIFY
|
||||||
|
|
||||||
|
#include <stdlib.h>
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
|
||||||
|
extern void unlock_notify_callback(void *arg, int argc);
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
import (
|
||||||
|
"fmt"
|
||||||
|
"math"
|
||||||
|
"sync"
|
||||||
|
"unsafe"
|
||||||
|
)
|
||||||
|
|
||||||
|
type unlock_notify_table struct {
|
||||||
|
sync.Mutex
|
||||||
|
seqnum uint
|
||||||
|
table map[uint]chan struct{}
|
||||||
|
}
|
||||||
|
|
||||||
|
var unt unlock_notify_table = unlock_notify_table{table: make(map[uint]chan struct{})}
|
||||||
|
|
||||||
|
func (t *unlock_notify_table) add(c chan struct{}) uint {
|
||||||
|
t.Lock()
|
||||||
|
defer t.Unlock()
|
||||||
|
h := t.seqnum
|
||||||
|
t.table[h] = c
|
||||||
|
t.seqnum++
|
||||||
|
return h
|
||||||
|
}
|
||||||
|
|
||||||
|
func (t *unlock_notify_table) remove(h uint) {
|
||||||
|
t.Lock()
|
||||||
|
defer t.Unlock()
|
||||||
|
delete(t.table, h)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (t *unlock_notify_table) get(h uint) chan struct{} {
|
||||||
|
t.Lock()
|
||||||
|
defer t.Unlock()
|
||||||
|
c, ok := t.table[h]
|
||||||
|
if !ok {
|
||||||
|
panic(fmt.Sprintf("Non-existent key for unlcok-notify channel: %d", h))
|
||||||
|
}
|
||||||
|
return c
|
||||||
|
}
|
||||||
|
|
||||||
|
//export unlock_notify_callback
|
||||||
|
func unlock_notify_callback(argv unsafe.Pointer, argc C.int) {
|
||||||
|
for i := 0; i < int(argc); i++ {
|
||||||
|
parg := ((*(*[(math.MaxInt32 - 1) / unsafe.Sizeof((*C.uint)(nil))]*[1]uint)(argv))[i])
|
||||||
|
arg := *parg
|
||||||
|
h := arg[0]
|
||||||
|
c := unt.get(h)
|
||||||
|
c <- struct{}{}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
//export unlock_notify_wait
|
||||||
|
func unlock_notify_wait(db *C.sqlite3) C.int {
|
||||||
|
// It has to be a bufferred channel to not block in sqlite_unlock_notify
|
||||||
|
// as sqlite_unlock_notify could invoke the callback before it returns.
|
||||||
|
c := make(chan struct{}, 1)
|
||||||
|
defer close(c)
|
||||||
|
|
||||||
|
h := unt.add(c)
|
||||||
|
defer unt.remove(h)
|
||||||
|
|
||||||
|
pargv := C.malloc(C.sizeof_uint)
|
||||||
|
defer C.free(pargv)
|
||||||
|
|
||||||
|
argv := (*[1]uint)(pargv)
|
||||||
|
argv[0] = h
|
||||||
|
if rv := C.sqlite3_unlock_notify(db, (*[0]byte)(C.unlock_notify_callback), unsafe.Pointer(pargv)); rv != C.SQLITE_OK {
|
||||||
|
return rv
|
||||||
|
}
|
||||||
|
|
||||||
|
<-c
|
||||||
|
|
||||||
|
return C.SQLITE_OK
|
||||||
|
}
|
295
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_userauth.go
generated
vendored
Normal file
295
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_userauth.go
generated
vendored
Normal file
|
@ -0,0 +1,295 @@
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_userauth
|
||||||
|
// +build sqlite_userauth
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_USER_AUTHENTICATION
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
#include <stdlib.h>
|
||||||
|
|
||||||
|
static int
|
||||||
|
_sqlite3_user_authenticate(sqlite3* db, const char* zUsername, const char* aPW, int nPW)
|
||||||
|
{
|
||||||
|
return sqlite3_user_authenticate(db, zUsername, aPW, nPW);
|
||||||
|
}
|
||||||
|
|
||||||
|
static int
|
||||||
|
_sqlite3_user_add(sqlite3* db, const char* zUsername, const char* aPW, int nPW, int isAdmin)
|
||||||
|
{
|
||||||
|
return sqlite3_user_add(db, zUsername, aPW, nPW, isAdmin);
|
||||||
|
}
|
||||||
|
|
||||||
|
static int
|
||||||
|
_sqlite3_user_change(sqlite3* db, const char* zUsername, const char* aPW, int nPW, int isAdmin)
|
||||||
|
{
|
||||||
|
return sqlite3_user_change(db, zUsername, aPW, nPW, isAdmin);
|
||||||
|
}
|
||||||
|
|
||||||
|
static int
|
||||||
|
_sqlite3_user_delete(sqlite3* db, const char* zUsername)
|
||||||
|
{
|
||||||
|
return sqlite3_user_delete(db, zUsername);
|
||||||
|
}
|
||||||
|
|
||||||
|
static int
|
||||||
|
_sqlite3_auth_enabled(sqlite3* db)
|
||||||
|
{
|
||||||
|
int exists = -1;
|
||||||
|
|
||||||
|
sqlite3_stmt *stmt;
|
||||||
|
sqlite3_prepare_v2(db, "select count(type) from sqlite_master WHERE type='table' and name='sqlite_user';", -1, &stmt, NULL);
|
||||||
|
|
||||||
|
while ( sqlite3_step(stmt) == SQLITE_ROW) {
|
||||||
|
exists = sqlite3_column_int(stmt, 0);
|
||||||
|
}
|
||||||
|
|
||||||
|
sqlite3_finalize(stmt);
|
||||||
|
|
||||||
|
return exists;
|
||||||
|
}
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
import (
|
||||||
|
"errors"
|
||||||
|
"unsafe"
|
||||||
|
)
|
||||||
|
|
||||||
|
const (
|
||||||
|
SQLITE_AUTH = C.SQLITE_AUTH
|
||||||
|
)
|
||||||
|
|
||||||
|
var (
|
||||||
|
ErrUnauthorized = errors.New("SQLITE_AUTH: Unauthorized")
|
||||||
|
ErrAdminRequired = errors.New("SQLITE_AUTH: Unauthorized; Admin Privileges Required")
|
||||||
|
)
|
||||||
|
|
||||||
|
// Authenticate will perform an authentication of the provided username
|
||||||
|
// and password against the database.
|
||||||
|
//
|
||||||
|
// If a database contains the SQLITE_USER table, then the
|
||||||
|
// call to Authenticate must be invoked with an
|
||||||
|
// appropriate username and password prior to enable read and write
|
||||||
|
// access to the database.
|
||||||
|
//
|
||||||
|
// Return SQLITE_OK on success or SQLITE_ERROR if the username/password
|
||||||
|
// combination is incorrect or unknown.
|
||||||
|
//
|
||||||
|
// If the SQLITE_USER table is not present in the database file, then
|
||||||
|
// this interface is a harmless no-op returnning SQLITE_OK.
|
||||||
|
func (c *SQLiteConn) Authenticate(username, password string) error {
|
||||||
|
rv := c.authenticate(username, password)
|
||||||
|
switch rv {
|
||||||
|
case C.SQLITE_ERROR, C.SQLITE_AUTH:
|
||||||
|
return ErrUnauthorized
|
||||||
|
case C.SQLITE_OK:
|
||||||
|
return nil
|
||||||
|
default:
|
||||||
|
return c.lastError()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// authenticate provides the actual authentication to SQLite.
|
||||||
|
// This is not exported for usage in Go.
|
||||||
|
// It is however exported for usage within SQL by the user.
|
||||||
|
//
|
||||||
|
// Returns:
|
||||||
|
//
|
||||||
|
// C.SQLITE_OK (0)
|
||||||
|
// C.SQLITE_ERROR (1)
|
||||||
|
// C.SQLITE_AUTH (23)
|
||||||
|
func (c *SQLiteConn) authenticate(username, password string) int {
|
||||||
|
// Allocate C Variables
|
||||||
|
cuser := C.CString(username)
|
||||||
|
cpass := C.CString(password)
|
||||||
|
|
||||||
|
// Free C Variables
|
||||||
|
defer func() {
|
||||||
|
C.free(unsafe.Pointer(cuser))
|
||||||
|
C.free(unsafe.Pointer(cpass))
|
||||||
|
}()
|
||||||
|
|
||||||
|
return int(C._sqlite3_user_authenticate(c.db, cuser, cpass, C.int(len(password))))
|
||||||
|
}
|
||||||
|
|
||||||
|
// AuthUserAdd can be used (by an admin user only)
|
||||||
|
// to create a new user. When called on a no-authentication-required
|
||||||
|
// database, this routine converts the database into an authentication-
|
||||||
|
// required database, automatically makes the added user an
|
||||||
|
// administrator, and logs in the current connection as that user.
|
||||||
|
// The AuthUserAdd only works for the "main" database, not
|
||||||
|
// for any ATTACH-ed databases. Any call to AuthUserAdd by a
|
||||||
|
// non-admin user results in an error.
|
||||||
|
func (c *SQLiteConn) AuthUserAdd(username, password string, admin bool) error {
|
||||||
|
isAdmin := 0
|
||||||
|
if admin {
|
||||||
|
isAdmin = 1
|
||||||
|
}
|
||||||
|
|
||||||
|
rv := c.authUserAdd(username, password, isAdmin)
|
||||||
|
switch rv {
|
||||||
|
case C.SQLITE_ERROR, C.SQLITE_AUTH:
|
||||||
|
return ErrAdminRequired
|
||||||
|
case C.SQLITE_OK:
|
||||||
|
return nil
|
||||||
|
default:
|
||||||
|
return c.lastError()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// authUserAdd enables the User Authentication if not enabled.
|
||||||
|
// Otherwise it will add a user.
|
||||||
|
//
|
||||||
|
// When user authentication is already enabled then this function
|
||||||
|
// can only be called by an admin.
|
||||||
|
//
|
||||||
|
// This is not exported for usage in Go.
|
||||||
|
// It is however exported for usage within SQL by the user.
|
||||||
|
//
|
||||||
|
// Returns:
|
||||||
|
//
|
||||||
|
// C.SQLITE_OK (0)
|
||||||
|
// C.SQLITE_ERROR (1)
|
||||||
|
// C.SQLITE_AUTH (23)
|
||||||
|
func (c *SQLiteConn) authUserAdd(username, password string, admin int) int {
|
||||||
|
// Allocate C Variables
|
||||||
|
cuser := C.CString(username)
|
||||||
|
cpass := C.CString(password)
|
||||||
|
|
||||||
|
// Free C Variables
|
||||||
|
defer func() {
|
||||||
|
C.free(unsafe.Pointer(cuser))
|
||||||
|
C.free(unsafe.Pointer(cpass))
|
||||||
|
}()
|
||||||
|
|
||||||
|
return int(C._sqlite3_user_add(c.db, cuser, cpass, C.int(len(password)), C.int(admin)))
|
||||||
|
}
|
||||||
|
|
||||||
|
// AuthUserChange can be used to change a users
|
||||||
|
// login credentials or admin privilege. Any user can change their own
|
||||||
|
// login credentials. Only an admin user can change another users login
|
||||||
|
// credentials or admin privilege setting. No user may change their own
|
||||||
|
// admin privilege setting.
|
||||||
|
func (c *SQLiteConn) AuthUserChange(username, password string, admin bool) error {
|
||||||
|
isAdmin := 0
|
||||||
|
if admin {
|
||||||
|
isAdmin = 1
|
||||||
|
}
|
||||||
|
|
||||||
|
rv := c.authUserChange(username, password, isAdmin)
|
||||||
|
switch rv {
|
||||||
|
case C.SQLITE_ERROR, C.SQLITE_AUTH:
|
||||||
|
return ErrAdminRequired
|
||||||
|
case C.SQLITE_OK:
|
||||||
|
return nil
|
||||||
|
default:
|
||||||
|
return c.lastError()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// authUserChange allows to modify a user.
|
||||||
|
// Users can change their own password.
|
||||||
|
//
|
||||||
|
// Only admins can change passwords for other users
|
||||||
|
// and modify the admin flag.
|
||||||
|
//
|
||||||
|
// The admin flag of the current logged in user cannot be changed.
|
||||||
|
// THis ensures that their is always an admin.
|
||||||
|
//
|
||||||
|
// This is not exported for usage in Go.
|
||||||
|
// It is however exported for usage within SQL by the user.
|
||||||
|
//
|
||||||
|
// Returns:
|
||||||
|
//
|
||||||
|
// C.SQLITE_OK (0)
|
||||||
|
// C.SQLITE_ERROR (1)
|
||||||
|
// C.SQLITE_AUTH (23)
|
||||||
|
func (c *SQLiteConn) authUserChange(username, password string, admin int) int {
|
||||||
|
// Allocate C Variables
|
||||||
|
cuser := C.CString(username)
|
||||||
|
cpass := C.CString(password)
|
||||||
|
|
||||||
|
// Free C Variables
|
||||||
|
defer func() {
|
||||||
|
C.free(unsafe.Pointer(cuser))
|
||||||
|
C.free(unsafe.Pointer(cpass))
|
||||||
|
}()
|
||||||
|
|
||||||
|
return int(C._sqlite3_user_change(c.db, cuser, cpass, C.int(len(password)), C.int(admin)))
|
||||||
|
}
|
||||||
|
|
||||||
|
// AuthUserDelete can be used (by an admin user only)
|
||||||
|
// to delete a user. The currently logged-in user cannot be deleted,
|
||||||
|
// which guarantees that there is always an admin user and hence that
|
||||||
|
// the database cannot be converted into a no-authentication-required
|
||||||
|
// database.
|
||||||
|
func (c *SQLiteConn) AuthUserDelete(username string) error {
|
||||||
|
rv := c.authUserDelete(username)
|
||||||
|
switch rv {
|
||||||
|
case C.SQLITE_ERROR, C.SQLITE_AUTH:
|
||||||
|
return ErrAdminRequired
|
||||||
|
case C.SQLITE_OK:
|
||||||
|
return nil
|
||||||
|
default:
|
||||||
|
return c.lastError()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// authUserDelete can be used to delete a user.
|
||||||
|
//
|
||||||
|
// This function can only be executed by an admin.
|
||||||
|
//
|
||||||
|
// This is not exported for usage in Go.
|
||||||
|
// It is however exported for usage within SQL by the user.
|
||||||
|
//
|
||||||
|
// Returns:
|
||||||
|
//
|
||||||
|
// C.SQLITE_OK (0)
|
||||||
|
// C.SQLITE_ERROR (1)
|
||||||
|
// C.SQLITE_AUTH (23)
|
||||||
|
func (c *SQLiteConn) authUserDelete(username string) int {
|
||||||
|
// Allocate C Variables
|
||||||
|
cuser := C.CString(username)
|
||||||
|
|
||||||
|
// Free C Variables
|
||||||
|
defer func() {
|
||||||
|
C.free(unsafe.Pointer(cuser))
|
||||||
|
}()
|
||||||
|
|
||||||
|
return int(C._sqlite3_user_delete(c.db, cuser))
|
||||||
|
}
|
||||||
|
|
||||||
|
// AuthEnabled checks if the database is protected by user authentication
|
||||||
|
func (c *SQLiteConn) AuthEnabled() (exists bool) {
|
||||||
|
rv := c.authEnabled()
|
||||||
|
if rv == 1 {
|
||||||
|
exists = true
|
||||||
|
}
|
||||||
|
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
// authEnabled perform the actual check for user authentication.
|
||||||
|
//
|
||||||
|
// This is not exported for usage in Go.
|
||||||
|
// It is however exported for usage within SQL by the user.
|
||||||
|
//
|
||||||
|
// Returns:
|
||||||
|
//
|
||||||
|
// 0 - Disabled
|
||||||
|
// 1 - Enabled
|
||||||
|
func (c *SQLiteConn) authEnabled() int {
|
||||||
|
return int(C._sqlite3_auth_enabled(c.db))
|
||||||
|
}
|
||||||
|
|
||||||
|
// EOF
|
158
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_userauth_omit.go
generated
vendored
Normal file
158
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_userauth_omit.go
generated
vendored
Normal file
|
@ -0,0 +1,158 @@
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build !sqlite_userauth
|
||||||
|
// +build !sqlite_userauth
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
import (
|
||||||
|
"C"
|
||||||
|
)
|
||||||
|
|
||||||
|
// Authenticate will perform an authentication of the provided username
|
||||||
|
// and password against the database.
|
||||||
|
//
|
||||||
|
// If a database contains the SQLITE_USER table, then the
|
||||||
|
// call to Authenticate must be invoked with an
|
||||||
|
// appropriate username and password prior to enable read and write
|
||||||
|
// access to the database.
|
||||||
|
//
|
||||||
|
// Return SQLITE_OK on success or SQLITE_ERROR if the username/password
|
||||||
|
// combination is incorrect or unknown.
|
||||||
|
//
|
||||||
|
// If the SQLITE_USER table is not present in the database file, then
|
||||||
|
// this interface is a harmless no-op returnning SQLITE_OK.
|
||||||
|
func (c *SQLiteConn) Authenticate(username, password string) error {
|
||||||
|
// NOOP
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// authenticate provides the actual authentication to SQLite.
|
||||||
|
// This is not exported for usage in Go.
|
||||||
|
// It is however exported for usage within SQL by the user.
|
||||||
|
//
|
||||||
|
// Returns:
|
||||||
|
//
|
||||||
|
// C.SQLITE_OK (0)
|
||||||
|
// C.SQLITE_ERROR (1)
|
||||||
|
// C.SQLITE_AUTH (23)
|
||||||
|
func (c *SQLiteConn) authenticate(username, password string) int {
|
||||||
|
// NOOP
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
|
||||||
|
// AuthUserAdd can be used (by an admin user only)
|
||||||
|
// to create a new user. When called on a no-authentication-required
|
||||||
|
// database, this routine converts the database into an authentication-
|
||||||
|
// required database, automatically makes the added user an
|
||||||
|
// administrator, and logs in the current connection as that user.
|
||||||
|
// The AuthUserAdd only works for the "main" database, not
|
||||||
|
// for any ATTACH-ed databases. Any call to AuthUserAdd by a
|
||||||
|
// non-admin user results in an error.
|
||||||
|
func (c *SQLiteConn) AuthUserAdd(username, password string, admin bool) error {
|
||||||
|
// NOOP
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// authUserAdd enables the User Authentication if not enabled.
|
||||||
|
// Otherwise it will add a user.
|
||||||
|
//
|
||||||
|
// When user authentication is already enabled then this function
|
||||||
|
// can only be called by an admin.
|
||||||
|
//
|
||||||
|
// This is not exported for usage in Go.
|
||||||
|
// It is however exported for usage within SQL by the user.
|
||||||
|
//
|
||||||
|
// Returns:
|
||||||
|
//
|
||||||
|
// C.SQLITE_OK (0)
|
||||||
|
// C.SQLITE_ERROR (1)
|
||||||
|
// C.SQLITE_AUTH (23)
|
||||||
|
func (c *SQLiteConn) authUserAdd(username, password string, admin int) int {
|
||||||
|
// NOOP
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
|
||||||
|
// AuthUserChange can be used to change a users
|
||||||
|
// login credentials or admin privilege. Any user can change their own
|
||||||
|
// login credentials. Only an admin user can change another users login
|
||||||
|
// credentials or admin privilege setting. No user may change their own
|
||||||
|
// admin privilege setting.
|
||||||
|
func (c *SQLiteConn) AuthUserChange(username, password string, admin bool) error {
|
||||||
|
// NOOP
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// authUserChange allows to modify a user.
|
||||||
|
// Users can change their own password.
|
||||||
|
//
|
||||||
|
// Only admins can change passwords for other users
|
||||||
|
// and modify the admin flag.
|
||||||
|
//
|
||||||
|
// The admin flag of the current logged in user cannot be changed.
|
||||||
|
// THis ensures that their is always an admin.
|
||||||
|
//
|
||||||
|
// This is not exported for usage in Go.
|
||||||
|
// It is however exported for usage within SQL by the user.
|
||||||
|
//
|
||||||
|
// Returns:
|
||||||
|
//
|
||||||
|
// C.SQLITE_OK (0)
|
||||||
|
// C.SQLITE_ERROR (1)
|
||||||
|
// C.SQLITE_AUTH (23)
|
||||||
|
func (c *SQLiteConn) authUserChange(username, password string, admin int) int {
|
||||||
|
// NOOP
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
|
||||||
|
// AuthUserDelete can be used (by an admin user only)
|
||||||
|
// to delete a user. The currently logged-in user cannot be deleted,
|
||||||
|
// which guarantees that there is always an admin user and hence that
|
||||||
|
// the database cannot be converted into a no-authentication-required
|
||||||
|
// database.
|
||||||
|
func (c *SQLiteConn) AuthUserDelete(username string) error {
|
||||||
|
// NOOP
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// authUserDelete can be used to delete a user.
|
||||||
|
//
|
||||||
|
// This function can only be executed by an admin.
|
||||||
|
//
|
||||||
|
// This is not exported for usage in Go.
|
||||||
|
// It is however exported for usage within SQL by the user.
|
||||||
|
//
|
||||||
|
// Returns:
|
||||||
|
//
|
||||||
|
// C.SQLITE_OK (0)
|
||||||
|
// C.SQLITE_ERROR (1)
|
||||||
|
// C.SQLITE_AUTH (23)
|
||||||
|
func (c *SQLiteConn) authUserDelete(username string) int {
|
||||||
|
// NOOP
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
|
||||||
|
// AuthEnabled checks if the database is protected by user authentication
|
||||||
|
func (c *SQLiteConn) AuthEnabled() (exists bool) {
|
||||||
|
// NOOP
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
|
||||||
|
// authEnabled perform the actual check for user authentication.
|
||||||
|
//
|
||||||
|
// This is not exported for usage in Go.
|
||||||
|
// It is however exported for usage within SQL by the user.
|
||||||
|
//
|
||||||
|
// Returns:
|
||||||
|
//
|
||||||
|
// 0 - Disabled
|
||||||
|
// 1 - Enabled
|
||||||
|
func (c *SQLiteConn) authEnabled() int {
|
||||||
|
// NOOP
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
|
||||||
|
// EOF
|
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vacuum_full.go
generated
vendored
Normal file
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vacuum_full.go
generated
vendored
Normal file
|
@ -0,0 +1,16 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_vacuum_full
|
||||||
|
// +build sqlite_vacuum_full
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_DEFAULT_AUTOVACUUM=1
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vacuum_incr.go
generated
vendored
Normal file
16
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vacuum_incr.go
generated
vendored
Normal file
|
@ -0,0 +1,16 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_vacuum_incr
|
||||||
|
// +build sqlite_vacuum_incr
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -DSQLITE_DEFAULT_AUTOVACUUM=2
|
||||||
|
#cgo LDFLAGS: -lm
|
||||||
|
*/
|
||||||
|
import "C"
|
721
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vtable.go
generated
vendored
Normal file
721
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_opt_vtable.go
generated
vendored
Normal file
|
@ -0,0 +1,721 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_vtable || vtable
|
||||||
|
// +build sqlite_vtable vtable
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -std=gnu99
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_RTREE
|
||||||
|
#cgo CFLAGS: -DSQLITE_THREADSAFE
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_FTS3
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_FTS3_PARENTHESIS
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_FTS4_UNICODE61
|
||||||
|
#cgo CFLAGS: -DSQLITE_TRACE_SIZE_LIMIT=15
|
||||||
|
#cgo CFLAGS: -DSQLITE_ENABLE_COLUMN_METADATA=1
|
||||||
|
#cgo CFLAGS: -Wno-deprecated-declarations
|
||||||
|
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
#include <stdlib.h>
|
||||||
|
#include <stdint.h>
|
||||||
|
#include <memory.h>
|
||||||
|
|
||||||
|
static inline char *_sqlite3_mprintf(char *zFormat, char *arg) {
|
||||||
|
return sqlite3_mprintf(zFormat, arg);
|
||||||
|
}
|
||||||
|
|
||||||
|
typedef struct goVTab goVTab;
|
||||||
|
|
||||||
|
struct goVTab {
|
||||||
|
sqlite3_vtab base;
|
||||||
|
void *vTab;
|
||||||
|
};
|
||||||
|
|
||||||
|
uintptr_t goMInit(void *db, void *pAux, int argc, char **argv, char **pzErr, int isCreate);
|
||||||
|
|
||||||
|
static int cXInit(sqlite3 *db, void *pAux, int argc, const char *const*argv, sqlite3_vtab **ppVTab, char **pzErr, int isCreate) {
|
||||||
|
void *vTab = (void *)goMInit(db, pAux, argc, (char**)argv, pzErr, isCreate);
|
||||||
|
if (!vTab || *pzErr) {
|
||||||
|
return SQLITE_ERROR;
|
||||||
|
}
|
||||||
|
goVTab *pvTab = (goVTab *)sqlite3_malloc(sizeof(goVTab));
|
||||||
|
if (!pvTab) {
|
||||||
|
*pzErr = sqlite3_mprintf("%s", "Out of memory");
|
||||||
|
return SQLITE_NOMEM;
|
||||||
|
}
|
||||||
|
memset(pvTab, 0, sizeof(goVTab));
|
||||||
|
pvTab->vTab = vTab;
|
||||||
|
|
||||||
|
*ppVTab = (sqlite3_vtab *)pvTab;
|
||||||
|
*pzErr = 0;
|
||||||
|
return SQLITE_OK;
|
||||||
|
}
|
||||||
|
|
||||||
|
static inline int cXCreate(sqlite3 *db, void *pAux, int argc, const char *const*argv, sqlite3_vtab **ppVTab, char **pzErr) {
|
||||||
|
return cXInit(db, pAux, argc, argv, ppVTab, pzErr, 1);
|
||||||
|
}
|
||||||
|
static inline int cXConnect(sqlite3 *db, void *pAux, int argc, const char *const*argv, sqlite3_vtab **ppVTab, char **pzErr) {
|
||||||
|
return cXInit(db, pAux, argc, argv, ppVTab, pzErr, 0);
|
||||||
|
}
|
||||||
|
|
||||||
|
char* goVBestIndex(void *pVTab, void *icp);
|
||||||
|
|
||||||
|
static inline int cXBestIndex(sqlite3_vtab *pVTab, sqlite3_index_info *info) {
|
||||||
|
char *pzErr = goVBestIndex(((goVTab*)pVTab)->vTab, info);
|
||||||
|
if (pzErr) {
|
||||||
|
if (pVTab->zErrMsg)
|
||||||
|
sqlite3_free(pVTab->zErrMsg);
|
||||||
|
pVTab->zErrMsg = pzErr;
|
||||||
|
return SQLITE_ERROR;
|
||||||
|
}
|
||||||
|
return SQLITE_OK;
|
||||||
|
}
|
||||||
|
|
||||||
|
char* goVRelease(void *pVTab, int isDestroy);
|
||||||
|
|
||||||
|
static int cXRelease(sqlite3_vtab *pVTab, int isDestroy) {
|
||||||
|
char *pzErr = goVRelease(((goVTab*)pVTab)->vTab, isDestroy);
|
||||||
|
if (pzErr) {
|
||||||
|
if (pVTab->zErrMsg)
|
||||||
|
sqlite3_free(pVTab->zErrMsg);
|
||||||
|
pVTab->zErrMsg = pzErr;
|
||||||
|
return SQLITE_ERROR;
|
||||||
|
}
|
||||||
|
if (pVTab->zErrMsg)
|
||||||
|
sqlite3_free(pVTab->zErrMsg);
|
||||||
|
sqlite3_free(pVTab);
|
||||||
|
return SQLITE_OK;
|
||||||
|
}
|
||||||
|
|
||||||
|
static inline int cXDisconnect(sqlite3_vtab *pVTab) {
|
||||||
|
return cXRelease(pVTab, 0);
|
||||||
|
}
|
||||||
|
static inline int cXDestroy(sqlite3_vtab *pVTab) {
|
||||||
|
return cXRelease(pVTab, 1);
|
||||||
|
}
|
||||||
|
|
||||||
|
typedef struct goVTabCursor goVTabCursor;
|
||||||
|
|
||||||
|
struct goVTabCursor {
|
||||||
|
sqlite3_vtab_cursor base;
|
||||||
|
void *vTabCursor;
|
||||||
|
};
|
||||||
|
|
||||||
|
uintptr_t goVOpen(void *pVTab, char **pzErr);
|
||||||
|
|
||||||
|
static int cXOpen(sqlite3_vtab *pVTab, sqlite3_vtab_cursor **ppCursor) {
|
||||||
|
void *vTabCursor = (void *)goVOpen(((goVTab*)pVTab)->vTab, &(pVTab->zErrMsg));
|
||||||
|
goVTabCursor *pCursor = (goVTabCursor *)sqlite3_malloc(sizeof(goVTabCursor));
|
||||||
|
if (!pCursor) {
|
||||||
|
return SQLITE_NOMEM;
|
||||||
|
}
|
||||||
|
memset(pCursor, 0, sizeof(goVTabCursor));
|
||||||
|
pCursor->vTabCursor = vTabCursor;
|
||||||
|
*ppCursor = (sqlite3_vtab_cursor *)pCursor;
|
||||||
|
return SQLITE_OK;
|
||||||
|
}
|
||||||
|
|
||||||
|
static int setErrMsg(sqlite3_vtab_cursor *pCursor, char *pzErr) {
|
||||||
|
if (pCursor->pVtab->zErrMsg)
|
||||||
|
sqlite3_free(pCursor->pVtab->zErrMsg);
|
||||||
|
pCursor->pVtab->zErrMsg = pzErr;
|
||||||
|
return SQLITE_ERROR;
|
||||||
|
}
|
||||||
|
|
||||||
|
char* goVClose(void *pCursor);
|
||||||
|
|
||||||
|
static int cXClose(sqlite3_vtab_cursor *pCursor) {
|
||||||
|
char *pzErr = goVClose(((goVTabCursor*)pCursor)->vTabCursor);
|
||||||
|
if (pzErr) {
|
||||||
|
return setErrMsg(pCursor, pzErr);
|
||||||
|
}
|
||||||
|
sqlite3_free(pCursor);
|
||||||
|
return SQLITE_OK;
|
||||||
|
}
|
||||||
|
|
||||||
|
char* goVFilter(void *pCursor, int idxNum, char* idxName, int argc, sqlite3_value **argv);
|
||||||
|
|
||||||
|
static int cXFilter(sqlite3_vtab_cursor *pCursor, int idxNum, const char *idxStr, int argc, sqlite3_value **argv) {
|
||||||
|
char *pzErr = goVFilter(((goVTabCursor*)pCursor)->vTabCursor, idxNum, (char*)idxStr, argc, argv);
|
||||||
|
if (pzErr) {
|
||||||
|
return setErrMsg(pCursor, pzErr);
|
||||||
|
}
|
||||||
|
return SQLITE_OK;
|
||||||
|
}
|
||||||
|
|
||||||
|
char* goVNext(void *pCursor);
|
||||||
|
|
||||||
|
static int cXNext(sqlite3_vtab_cursor *pCursor) {
|
||||||
|
char *pzErr = goVNext(((goVTabCursor*)pCursor)->vTabCursor);
|
||||||
|
if (pzErr) {
|
||||||
|
return setErrMsg(pCursor, pzErr);
|
||||||
|
}
|
||||||
|
return SQLITE_OK;
|
||||||
|
}
|
||||||
|
|
||||||
|
int goVEof(void *pCursor);
|
||||||
|
|
||||||
|
static inline int cXEof(sqlite3_vtab_cursor *pCursor) {
|
||||||
|
return goVEof(((goVTabCursor*)pCursor)->vTabCursor);
|
||||||
|
}
|
||||||
|
|
||||||
|
char* goVColumn(void *pCursor, void *cp, int col);
|
||||||
|
|
||||||
|
static int cXColumn(sqlite3_vtab_cursor *pCursor, sqlite3_context *ctx, int i) {
|
||||||
|
char *pzErr = goVColumn(((goVTabCursor*)pCursor)->vTabCursor, ctx, i);
|
||||||
|
if (pzErr) {
|
||||||
|
return setErrMsg(pCursor, pzErr);
|
||||||
|
}
|
||||||
|
return SQLITE_OK;
|
||||||
|
}
|
||||||
|
|
||||||
|
char* goVRowid(void *pCursor, sqlite3_int64 *pRowid);
|
||||||
|
|
||||||
|
static int cXRowid(sqlite3_vtab_cursor *pCursor, sqlite3_int64 *pRowid) {
|
||||||
|
char *pzErr = goVRowid(((goVTabCursor*)pCursor)->vTabCursor, pRowid);
|
||||||
|
if (pzErr) {
|
||||||
|
return setErrMsg(pCursor, pzErr);
|
||||||
|
}
|
||||||
|
return SQLITE_OK;
|
||||||
|
}
|
||||||
|
|
||||||
|
char* goVUpdate(void *pVTab, int argc, sqlite3_value **argv, sqlite3_int64 *pRowid);
|
||||||
|
|
||||||
|
static int cXUpdate(sqlite3_vtab *pVTab, int argc, sqlite3_value **argv, sqlite3_int64 *pRowid) {
|
||||||
|
char *pzErr = goVUpdate(((goVTab*)pVTab)->vTab, argc, argv, pRowid);
|
||||||
|
if (pzErr) {
|
||||||
|
if (pVTab->zErrMsg)
|
||||||
|
sqlite3_free(pVTab->zErrMsg);
|
||||||
|
pVTab->zErrMsg = pzErr;
|
||||||
|
return SQLITE_ERROR;
|
||||||
|
}
|
||||||
|
return SQLITE_OK;
|
||||||
|
}
|
||||||
|
|
||||||
|
static sqlite3_module goModule = {
|
||||||
|
0, // iVersion
|
||||||
|
cXCreate, // xCreate - create a table
|
||||||
|
cXConnect, // xConnect - connect to an existing table
|
||||||
|
cXBestIndex, // xBestIndex - Determine search strategy
|
||||||
|
cXDisconnect, // xDisconnect - Disconnect from a table
|
||||||
|
cXDestroy, // xDestroy - Drop a table
|
||||||
|
cXOpen, // xOpen - open a cursor
|
||||||
|
cXClose, // xClose - close a cursor
|
||||||
|
cXFilter, // xFilter - configure scan constraints
|
||||||
|
cXNext, // xNext - advance a cursor
|
||||||
|
cXEof, // xEof
|
||||||
|
cXColumn, // xColumn - read data
|
||||||
|
cXRowid, // xRowid - read data
|
||||||
|
cXUpdate, // xUpdate - write data
|
||||||
|
// Not implemented
|
||||||
|
0, // xBegin - begin transaction
|
||||||
|
0, // xSync - sync transaction
|
||||||
|
0, // xCommit - commit transaction
|
||||||
|
0, // xRollback - rollback transaction
|
||||||
|
0, // xFindFunction - function overloading
|
||||||
|
0, // xRename - rename the table
|
||||||
|
0, // xSavepoint
|
||||||
|
0, // xRelease
|
||||||
|
0 // xRollbackTo
|
||||||
|
};
|
||||||
|
|
||||||
|
// See https://sqlite.org/vtab.html#eponymous_only_virtual_tables
|
||||||
|
static sqlite3_module goModuleEponymousOnly = {
|
||||||
|
0, // iVersion
|
||||||
|
0, // xCreate - create a table, which here is null
|
||||||
|
cXConnect, // xConnect - connect to an existing table
|
||||||
|
cXBestIndex, // xBestIndex - Determine search strategy
|
||||||
|
cXDisconnect, // xDisconnect - Disconnect from a table
|
||||||
|
cXDestroy, // xDestroy - Drop a table
|
||||||
|
cXOpen, // xOpen - open a cursor
|
||||||
|
cXClose, // xClose - close a cursor
|
||||||
|
cXFilter, // xFilter - configure scan constraints
|
||||||
|
cXNext, // xNext - advance a cursor
|
||||||
|
cXEof, // xEof
|
||||||
|
cXColumn, // xColumn - read data
|
||||||
|
cXRowid, // xRowid - read data
|
||||||
|
cXUpdate, // xUpdate - write data
|
||||||
|
// Not implemented
|
||||||
|
0, // xBegin - begin transaction
|
||||||
|
0, // xSync - sync transaction
|
||||||
|
0, // xCommit - commit transaction
|
||||||
|
0, // xRollback - rollback transaction
|
||||||
|
0, // xFindFunction - function overloading
|
||||||
|
0, // xRename - rename the table
|
||||||
|
0, // xSavepoint
|
||||||
|
0, // xRelease
|
||||||
|
0 // xRollbackTo
|
||||||
|
};
|
||||||
|
|
||||||
|
void goMDestroy(void*);
|
||||||
|
|
||||||
|
static int _sqlite3_create_module(sqlite3 *db, const char *zName, uintptr_t pClientData) {
|
||||||
|
return sqlite3_create_module_v2(db, zName, &goModule, (void*) pClientData, goMDestroy);
|
||||||
|
}
|
||||||
|
|
||||||
|
static int _sqlite3_create_module_eponymous_only(sqlite3 *db, const char *zName, uintptr_t pClientData) {
|
||||||
|
return sqlite3_create_module_v2(db, zName, &goModuleEponymousOnly, (void*) pClientData, goMDestroy);
|
||||||
|
}
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
|
||||||
|
import (
|
||||||
|
"fmt"
|
||||||
|
"math"
|
||||||
|
"reflect"
|
||||||
|
"unsafe"
|
||||||
|
)
|
||||||
|
|
||||||
|
type sqliteModule struct {
|
||||||
|
c *SQLiteConn
|
||||||
|
name string
|
||||||
|
module Module
|
||||||
|
}
|
||||||
|
|
||||||
|
type sqliteVTab struct {
|
||||||
|
module *sqliteModule
|
||||||
|
vTab VTab
|
||||||
|
}
|
||||||
|
|
||||||
|
type sqliteVTabCursor struct {
|
||||||
|
vTab *sqliteVTab
|
||||||
|
vTabCursor VTabCursor
|
||||||
|
}
|
||||||
|
|
||||||
|
// Op is type of operations.
|
||||||
|
type Op uint8
|
||||||
|
|
||||||
|
// Op mean identity of operations.
|
||||||
|
const (
|
||||||
|
OpEQ Op = 2
|
||||||
|
OpGT = 4
|
||||||
|
OpLE = 8
|
||||||
|
OpLT = 16
|
||||||
|
OpGE = 32
|
||||||
|
OpMATCH = 64
|
||||||
|
OpLIKE = 65 /* 3.10.0 and later only */
|
||||||
|
OpGLOB = 66 /* 3.10.0 and later only */
|
||||||
|
OpREGEXP = 67 /* 3.10.0 and later only */
|
||||||
|
OpScanUnique = 1 /* Scan visits at most 1 row */
|
||||||
|
)
|
||||||
|
|
||||||
|
// InfoConstraint give information of constraint.
|
||||||
|
type InfoConstraint struct {
|
||||||
|
Column int
|
||||||
|
Op Op
|
||||||
|
Usable bool
|
||||||
|
}
|
||||||
|
|
||||||
|
// InfoOrderBy give information of order-by.
|
||||||
|
type InfoOrderBy struct {
|
||||||
|
Column int
|
||||||
|
Desc bool
|
||||||
|
}
|
||||||
|
|
||||||
|
func constraints(info *C.sqlite3_index_info) []InfoConstraint {
|
||||||
|
slice := *(*[]C.struct_sqlite3_index_constraint)(unsafe.Pointer(&reflect.SliceHeader{
|
||||||
|
Data: uintptr(unsafe.Pointer(info.aConstraint)),
|
||||||
|
Len: int(info.nConstraint),
|
||||||
|
Cap: int(info.nConstraint),
|
||||||
|
}))
|
||||||
|
|
||||||
|
cst := make([]InfoConstraint, 0, len(slice))
|
||||||
|
for _, c := range slice {
|
||||||
|
var usable bool
|
||||||
|
if c.usable > 0 {
|
||||||
|
usable = true
|
||||||
|
}
|
||||||
|
cst = append(cst, InfoConstraint{
|
||||||
|
Column: int(c.iColumn),
|
||||||
|
Op: Op(c.op),
|
||||||
|
Usable: usable,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
return cst
|
||||||
|
}
|
||||||
|
|
||||||
|
func orderBys(info *C.sqlite3_index_info) []InfoOrderBy {
|
||||||
|
slice := *(*[]C.struct_sqlite3_index_orderby)(unsafe.Pointer(&reflect.SliceHeader{
|
||||||
|
Data: uintptr(unsafe.Pointer(info.aOrderBy)),
|
||||||
|
Len: int(info.nOrderBy),
|
||||||
|
Cap: int(info.nOrderBy),
|
||||||
|
}))
|
||||||
|
|
||||||
|
ob := make([]InfoOrderBy, 0, len(slice))
|
||||||
|
for _, c := range slice {
|
||||||
|
var desc bool
|
||||||
|
if c.desc > 0 {
|
||||||
|
desc = true
|
||||||
|
}
|
||||||
|
ob = append(ob, InfoOrderBy{
|
||||||
|
Column: int(c.iColumn),
|
||||||
|
Desc: desc,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
return ob
|
||||||
|
}
|
||||||
|
|
||||||
|
// IndexResult is a Go struct representation of what eventually ends up in the
|
||||||
|
// output fields for `sqlite3_index_info`
|
||||||
|
// See: https://www.sqlite.org/c3ref/index_info.html
|
||||||
|
type IndexResult struct {
|
||||||
|
Used []bool // aConstraintUsage
|
||||||
|
IdxNum int
|
||||||
|
IdxStr string
|
||||||
|
AlreadyOrdered bool // orderByConsumed
|
||||||
|
EstimatedCost float64
|
||||||
|
EstimatedRows float64
|
||||||
|
}
|
||||||
|
|
||||||
|
// mPrintf is a utility wrapper around sqlite3_mprintf
|
||||||
|
func mPrintf(format, arg string) *C.char {
|
||||||
|
cf := C.CString(format)
|
||||||
|
defer C.free(unsafe.Pointer(cf))
|
||||||
|
ca := C.CString(arg)
|
||||||
|
defer C.free(unsafe.Pointer(ca))
|
||||||
|
return C._sqlite3_mprintf(cf, ca)
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goMInit
|
||||||
|
func goMInit(db, pClientData unsafe.Pointer, argc C.int, argv **C.char, pzErr **C.char, isCreate C.int) C.uintptr_t {
|
||||||
|
m := lookupHandle(pClientData).(*sqliteModule)
|
||||||
|
if m.c.db != (*C.sqlite3)(db) {
|
||||||
|
*pzErr = mPrintf("%s", "Inconsistent db handles")
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
args := make([]string, argc)
|
||||||
|
var A []*C.char
|
||||||
|
slice := reflect.SliceHeader{Data: uintptr(unsafe.Pointer(argv)), Len: int(argc), Cap: int(argc)}
|
||||||
|
a := reflect.NewAt(reflect.TypeOf(A), unsafe.Pointer(&slice)).Elem().Interface()
|
||||||
|
for i, s := range a.([]*C.char) {
|
||||||
|
args[i] = C.GoString(s)
|
||||||
|
}
|
||||||
|
var vTab VTab
|
||||||
|
var err error
|
||||||
|
if isCreate == 1 {
|
||||||
|
vTab, err = m.module.Create(m.c, args)
|
||||||
|
} else {
|
||||||
|
vTab, err = m.module.Connect(m.c, args)
|
||||||
|
}
|
||||||
|
|
||||||
|
if err != nil {
|
||||||
|
*pzErr = mPrintf("%s", err.Error())
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
vt := sqliteVTab{m, vTab}
|
||||||
|
*pzErr = nil
|
||||||
|
return C.uintptr_t(uintptr(newHandle(m.c, &vt)))
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goVRelease
|
||||||
|
func goVRelease(pVTab unsafe.Pointer, isDestroy C.int) *C.char {
|
||||||
|
vt := lookupHandle(pVTab).(*sqliteVTab)
|
||||||
|
var err error
|
||||||
|
if isDestroy == 1 {
|
||||||
|
err = vt.vTab.Destroy()
|
||||||
|
} else {
|
||||||
|
err = vt.vTab.Disconnect()
|
||||||
|
}
|
||||||
|
if err != nil {
|
||||||
|
return mPrintf("%s", err.Error())
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goVOpen
|
||||||
|
func goVOpen(pVTab unsafe.Pointer, pzErr **C.char) C.uintptr_t {
|
||||||
|
vt := lookupHandle(pVTab).(*sqliteVTab)
|
||||||
|
vTabCursor, err := vt.vTab.Open()
|
||||||
|
if err != nil {
|
||||||
|
*pzErr = mPrintf("%s", err.Error())
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
vtc := sqliteVTabCursor{vt, vTabCursor}
|
||||||
|
*pzErr = nil
|
||||||
|
return C.uintptr_t(uintptr(newHandle(vt.module.c, &vtc)))
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goVBestIndex
|
||||||
|
func goVBestIndex(pVTab unsafe.Pointer, icp unsafe.Pointer) *C.char {
|
||||||
|
vt := lookupHandle(pVTab).(*sqliteVTab)
|
||||||
|
info := (*C.sqlite3_index_info)(icp)
|
||||||
|
csts := constraints(info)
|
||||||
|
res, err := vt.vTab.BestIndex(csts, orderBys(info))
|
||||||
|
if err != nil {
|
||||||
|
return mPrintf("%s", err.Error())
|
||||||
|
}
|
||||||
|
if len(res.Used) != len(csts) {
|
||||||
|
return mPrintf("Result.Used != expected value", "")
|
||||||
|
}
|
||||||
|
|
||||||
|
// Get a pointer to constraint_usage struct so we can update in place.
|
||||||
|
|
||||||
|
slice := *(*[]C.struct_sqlite3_index_constraint_usage)(unsafe.Pointer(&reflect.SliceHeader{
|
||||||
|
Data: uintptr(unsafe.Pointer(info.aConstraintUsage)),
|
||||||
|
Len: int(info.nConstraint),
|
||||||
|
Cap: int(info.nConstraint),
|
||||||
|
}))
|
||||||
|
index := 1
|
||||||
|
for i := range slice {
|
||||||
|
if res.Used[i] {
|
||||||
|
slice[i].argvIndex = C.int(index)
|
||||||
|
slice[i].omit = C.uchar(1)
|
||||||
|
index++
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
info.idxNum = C.int(res.IdxNum)
|
||||||
|
info.idxStr = (*C.char)(C.sqlite3_malloc(C.int(len(res.IdxStr) + 1)))
|
||||||
|
if info.idxStr == nil {
|
||||||
|
// C.malloc and C.CString ordinarily do this for you. See https://golang.org/cmd/cgo/
|
||||||
|
panic("out of memory")
|
||||||
|
}
|
||||||
|
info.needToFreeIdxStr = C.int(1)
|
||||||
|
|
||||||
|
idxStr := *(*[]byte)(unsafe.Pointer(&reflect.SliceHeader{
|
||||||
|
Data: uintptr(unsafe.Pointer(info.idxStr)),
|
||||||
|
Len: len(res.IdxStr) + 1,
|
||||||
|
Cap: len(res.IdxStr) + 1,
|
||||||
|
}))
|
||||||
|
copy(idxStr, res.IdxStr)
|
||||||
|
idxStr[len(idxStr)-1] = 0 // null-terminated string
|
||||||
|
|
||||||
|
if res.AlreadyOrdered {
|
||||||
|
info.orderByConsumed = C.int(1)
|
||||||
|
}
|
||||||
|
info.estimatedCost = C.double(res.EstimatedCost)
|
||||||
|
info.estimatedRows = C.sqlite3_int64(res.EstimatedRows)
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goVClose
|
||||||
|
func goVClose(pCursor unsafe.Pointer) *C.char {
|
||||||
|
vtc := lookupHandle(pCursor).(*sqliteVTabCursor)
|
||||||
|
err := vtc.vTabCursor.Close()
|
||||||
|
if err != nil {
|
||||||
|
return mPrintf("%s", err.Error())
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goMDestroy
|
||||||
|
func goMDestroy(pClientData unsafe.Pointer) {
|
||||||
|
m := lookupHandle(pClientData).(*sqliteModule)
|
||||||
|
m.module.DestroyModule()
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goVFilter
|
||||||
|
func goVFilter(pCursor unsafe.Pointer, idxNum C.int, idxName *C.char, argc C.int, argv **C.sqlite3_value) *C.char {
|
||||||
|
vtc := lookupHandle(pCursor).(*sqliteVTabCursor)
|
||||||
|
args := (*[(math.MaxInt32 - 1) / unsafe.Sizeof((*C.sqlite3_value)(nil))]*C.sqlite3_value)(unsafe.Pointer(argv))[:argc:argc]
|
||||||
|
vals := make([]any, 0, argc)
|
||||||
|
for _, v := range args {
|
||||||
|
conv, err := callbackArgGeneric(v)
|
||||||
|
if err != nil {
|
||||||
|
return mPrintf("%s", err.Error())
|
||||||
|
}
|
||||||
|
vals = append(vals, conv.Interface())
|
||||||
|
}
|
||||||
|
err := vtc.vTabCursor.Filter(int(idxNum), C.GoString(idxName), vals)
|
||||||
|
if err != nil {
|
||||||
|
return mPrintf("%s", err.Error())
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goVNext
|
||||||
|
func goVNext(pCursor unsafe.Pointer) *C.char {
|
||||||
|
vtc := lookupHandle(pCursor).(*sqliteVTabCursor)
|
||||||
|
err := vtc.vTabCursor.Next()
|
||||||
|
if err != nil {
|
||||||
|
return mPrintf("%s", err.Error())
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goVEof
|
||||||
|
func goVEof(pCursor unsafe.Pointer) C.int {
|
||||||
|
vtc := lookupHandle(pCursor).(*sqliteVTabCursor)
|
||||||
|
err := vtc.vTabCursor.EOF()
|
||||||
|
if err {
|
||||||
|
return 1
|
||||||
|
}
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goVColumn
|
||||||
|
func goVColumn(pCursor, cp unsafe.Pointer, col C.int) *C.char {
|
||||||
|
vtc := lookupHandle(pCursor).(*sqliteVTabCursor)
|
||||||
|
c := (*SQLiteContext)(cp)
|
||||||
|
err := vtc.vTabCursor.Column(c, int(col))
|
||||||
|
if err != nil {
|
||||||
|
return mPrintf("%s", err.Error())
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goVRowid
|
||||||
|
func goVRowid(pCursor unsafe.Pointer, pRowid *C.sqlite3_int64) *C.char {
|
||||||
|
vtc := lookupHandle(pCursor).(*sqliteVTabCursor)
|
||||||
|
rowid, err := vtc.vTabCursor.Rowid()
|
||||||
|
if err != nil {
|
||||||
|
return mPrintf("%s", err.Error())
|
||||||
|
}
|
||||||
|
*pRowid = C.sqlite3_int64(rowid)
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
//export goVUpdate
|
||||||
|
func goVUpdate(pVTab unsafe.Pointer, argc C.int, argv **C.sqlite3_value, pRowid *C.sqlite3_int64) *C.char {
|
||||||
|
vt := lookupHandle(pVTab).(*sqliteVTab)
|
||||||
|
|
||||||
|
var tname string
|
||||||
|
if n, ok := vt.vTab.(interface {
|
||||||
|
TableName() string
|
||||||
|
}); ok {
|
||||||
|
tname = n.TableName() + " "
|
||||||
|
}
|
||||||
|
|
||||||
|
err := fmt.Errorf("virtual %s table %sis read-only", vt.module.name, tname)
|
||||||
|
if v, ok := vt.vTab.(VTabUpdater); ok {
|
||||||
|
// convert argv
|
||||||
|
args := (*[(math.MaxInt32 - 1) / unsafe.Sizeof((*C.sqlite3_value)(nil))]*C.sqlite3_value)(unsafe.Pointer(argv))[:argc:argc]
|
||||||
|
vals := make([]any, 0, argc)
|
||||||
|
for _, v := range args {
|
||||||
|
conv, err := callbackArgGeneric(v)
|
||||||
|
if err != nil {
|
||||||
|
return mPrintf("%s", err.Error())
|
||||||
|
}
|
||||||
|
|
||||||
|
// work around for SQLITE_NULL
|
||||||
|
x := conv.Interface()
|
||||||
|
if z, ok := x.([]byte); ok && z == nil {
|
||||||
|
x = nil
|
||||||
|
}
|
||||||
|
|
||||||
|
vals = append(vals, x)
|
||||||
|
}
|
||||||
|
|
||||||
|
switch {
|
||||||
|
case argc == 1:
|
||||||
|
err = v.Delete(vals[0])
|
||||||
|
|
||||||
|
case argc > 1 && vals[0] == nil:
|
||||||
|
var id int64
|
||||||
|
id, err = v.Insert(vals[1], vals[2:])
|
||||||
|
if err == nil {
|
||||||
|
*pRowid = C.sqlite3_int64(id)
|
||||||
|
}
|
||||||
|
|
||||||
|
case argc > 1:
|
||||||
|
err = v.Update(vals[1], vals[2:])
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if err != nil {
|
||||||
|
return mPrintf("%s", err.Error())
|
||||||
|
}
|
||||||
|
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// Module is a "virtual table module", it defines the implementation of a
|
||||||
|
// virtual tables. See: http://sqlite.org/c3ref/module.html
|
||||||
|
type Module interface {
|
||||||
|
// http://sqlite.org/vtab.html#xcreate
|
||||||
|
Create(c *SQLiteConn, args []string) (VTab, error)
|
||||||
|
// http://sqlite.org/vtab.html#xconnect
|
||||||
|
Connect(c *SQLiteConn, args []string) (VTab, error)
|
||||||
|
// http://sqlite.org/c3ref/create_module.html
|
||||||
|
DestroyModule()
|
||||||
|
}
|
||||||
|
|
||||||
|
// EponymousOnlyModule is a "virtual table module" (as above), but
|
||||||
|
// for defining "eponymous only" virtual tables See: https://sqlite.org/vtab.html#eponymous_only_virtual_tables
|
||||||
|
type EponymousOnlyModule interface {
|
||||||
|
Module
|
||||||
|
EponymousOnlyModule()
|
||||||
|
}
|
||||||
|
|
||||||
|
// VTab describes a particular instance of the virtual table.
|
||||||
|
// See: http://sqlite.org/c3ref/vtab.html
|
||||||
|
type VTab interface {
|
||||||
|
// http://sqlite.org/vtab.html#xbestindex
|
||||||
|
BestIndex([]InfoConstraint, []InfoOrderBy) (*IndexResult, error)
|
||||||
|
// http://sqlite.org/vtab.html#xdisconnect
|
||||||
|
Disconnect() error
|
||||||
|
// http://sqlite.org/vtab.html#sqlite3_module.xDestroy
|
||||||
|
Destroy() error
|
||||||
|
// http://sqlite.org/vtab.html#xopen
|
||||||
|
Open() (VTabCursor, error)
|
||||||
|
}
|
||||||
|
|
||||||
|
// VTabUpdater is a type that allows a VTab to be inserted, updated, or
|
||||||
|
// deleted.
|
||||||
|
// See: https://sqlite.org/vtab.html#xupdate
|
||||||
|
type VTabUpdater interface {
|
||||||
|
Delete(any) error
|
||||||
|
Insert(any, []any) (int64, error)
|
||||||
|
Update(any, []any) error
|
||||||
|
}
|
||||||
|
|
||||||
|
// VTabCursor describes cursors that point into the virtual table and are used
|
||||||
|
// to loop through the virtual table. See: http://sqlite.org/c3ref/vtab_cursor.html
|
||||||
|
type VTabCursor interface {
|
||||||
|
// http://sqlite.org/vtab.html#xclose
|
||||||
|
Close() error
|
||||||
|
// http://sqlite.org/vtab.html#xfilter
|
||||||
|
Filter(idxNum int, idxStr string, vals []any) error
|
||||||
|
// http://sqlite.org/vtab.html#xnext
|
||||||
|
Next() error
|
||||||
|
// http://sqlite.org/vtab.html#xeof
|
||||||
|
EOF() bool
|
||||||
|
// http://sqlite.org/vtab.html#xcolumn
|
||||||
|
Column(c *SQLiteContext, col int) error
|
||||||
|
// http://sqlite.org/vtab.html#xrowid
|
||||||
|
Rowid() (int64, error)
|
||||||
|
}
|
||||||
|
|
||||||
|
// DeclareVTab declares the Schema of a virtual table.
|
||||||
|
// See: http://sqlite.org/c3ref/declare_vtab.html
|
||||||
|
func (c *SQLiteConn) DeclareVTab(sql string) error {
|
||||||
|
zSQL := C.CString(sql)
|
||||||
|
defer C.free(unsafe.Pointer(zSQL))
|
||||||
|
rv := C.sqlite3_declare_vtab(c.db, zSQL)
|
||||||
|
if rv != C.SQLITE_OK {
|
||||||
|
return c.lastError()
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// CreateModule registers a virtual table implementation.
|
||||||
|
// See: http://sqlite.org/c3ref/create_module.html
|
||||||
|
func (c *SQLiteConn) CreateModule(moduleName string, module Module) error {
|
||||||
|
mname := C.CString(moduleName)
|
||||||
|
defer C.free(unsafe.Pointer(mname))
|
||||||
|
udm := sqliteModule{c, moduleName, module}
|
||||||
|
switch module.(type) {
|
||||||
|
case EponymousOnlyModule:
|
||||||
|
rv := C._sqlite3_create_module_eponymous_only(c.db, mname, C.uintptr_t(uintptr(newHandle(c, &udm))))
|
||||||
|
if rv != C.SQLITE_OK {
|
||||||
|
return c.lastError()
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
case Module:
|
||||||
|
rv := C._sqlite3_create_module(c.db, mname, C.uintptr_t(uintptr(newHandle(c, &udm))))
|
||||||
|
if rv != C.SQLITE_OK {
|
||||||
|
return c.lastError()
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
18
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_other.go
generated
vendored
Normal file
18
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_other.go
generated
vendored
Normal file
|
@ -0,0 +1,18 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build !windows
|
||||||
|
// +build !windows
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -I.
|
||||||
|
#cgo linux LDFLAGS: -ldl
|
||||||
|
#cgo linux,ppc LDFLAGS: -lpthread
|
||||||
|
#cgo linux,ppc64 LDFLAGS: -lpthread
|
||||||
|
#cgo linux,ppc64le LDFLAGS: -lpthread
|
||||||
|
*/
|
||||||
|
import "C"
|
15
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_solaris.go
generated
vendored
Normal file
15
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_solaris.go
generated
vendored
Normal file
|
@ -0,0 +1,15 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build solaris
|
||||||
|
// +build solaris
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -D__EXTENSIONS__=1
|
||||||
|
#cgo LDFLAGS: -lc
|
||||||
|
*/
|
||||||
|
import "C"
|
288
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_trace.go
generated
vendored
Normal file
288
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_trace.go
generated
vendored
Normal file
|
@ -0,0 +1,288 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build sqlite_trace || trace
|
||||||
|
// +build sqlite_trace trace
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
#include <stdlib.h>
|
||||||
|
|
||||||
|
int traceCallbackTrampoline(unsigned int traceEventCode, void *ctx, void *p, void *x);
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
|
||||||
|
import (
|
||||||
|
"fmt"
|
||||||
|
"strings"
|
||||||
|
"sync"
|
||||||
|
"unsafe"
|
||||||
|
)
|
||||||
|
|
||||||
|
// Trace... constants identify the possible events causing callback invocation.
|
||||||
|
// Values are same as the corresponding SQLite Trace Event Codes.
|
||||||
|
const (
|
||||||
|
TraceStmt = uint32(C.SQLITE_TRACE_STMT)
|
||||||
|
TraceProfile = uint32(C.SQLITE_TRACE_PROFILE)
|
||||||
|
TraceRow = uint32(C.SQLITE_TRACE_ROW)
|
||||||
|
TraceClose = uint32(C.SQLITE_TRACE_CLOSE)
|
||||||
|
)
|
||||||
|
|
||||||
|
type TraceInfo struct {
|
||||||
|
// Pack together the shorter fields, to keep the struct smaller.
|
||||||
|
// On a 64-bit machine there would be padding
|
||||||
|
// between EventCode and ConnHandle; having AutoCommit here is "free":
|
||||||
|
EventCode uint32
|
||||||
|
AutoCommit bool
|
||||||
|
ConnHandle uintptr
|
||||||
|
|
||||||
|
// Usually filled, unless EventCode = TraceClose = SQLITE_TRACE_CLOSE:
|
||||||
|
// identifier for a prepared statement:
|
||||||
|
StmtHandle uintptr
|
||||||
|
|
||||||
|
// Two strings filled when EventCode = TraceStmt = SQLITE_TRACE_STMT:
|
||||||
|
// (1) either the unexpanded SQL text of the prepared statement, or
|
||||||
|
// an SQL comment that indicates the invocation of a trigger;
|
||||||
|
// (2) expanded SQL, if requested and if (1) is not an SQL comment.
|
||||||
|
StmtOrTrigger string
|
||||||
|
ExpandedSQL string // only if requested (TraceConfig.WantExpandedSQL = true)
|
||||||
|
|
||||||
|
// filled when EventCode = TraceProfile = SQLITE_TRACE_PROFILE:
|
||||||
|
// estimated number of nanoseconds that the prepared statement took to run:
|
||||||
|
RunTimeNanosec int64
|
||||||
|
|
||||||
|
DBError Error
|
||||||
|
}
|
||||||
|
|
||||||
|
// TraceUserCallback gives the signature for a trace function
|
||||||
|
// provided by the user (Go application programmer).
|
||||||
|
// SQLite 3.14 documentation (as of September 2, 2016)
|
||||||
|
// for SQL Trace Hook = sqlite3_trace_v2():
|
||||||
|
// The integer return value from the callback is currently ignored,
|
||||||
|
// though this may change in future releases. Callback implementations
|
||||||
|
// should return zero to ensure future compatibility.
|
||||||
|
type TraceUserCallback func(TraceInfo) int
|
||||||
|
|
||||||
|
type TraceConfig struct {
|
||||||
|
Callback TraceUserCallback
|
||||||
|
EventMask uint32
|
||||||
|
WantExpandedSQL bool
|
||||||
|
}
|
||||||
|
|
||||||
|
func fillDBError(dbErr *Error, db *C.sqlite3) {
|
||||||
|
// See SQLiteConn.lastError(), in file 'sqlite3.go' at the time of writing (Sept 5, 2016)
|
||||||
|
dbErr.Code = ErrNo(C.sqlite3_errcode(db))
|
||||||
|
dbErr.ExtendedCode = ErrNoExtended(C.sqlite3_extended_errcode(db))
|
||||||
|
dbErr.err = C.GoString(C.sqlite3_errmsg(db))
|
||||||
|
}
|
||||||
|
|
||||||
|
func fillExpandedSQL(info *TraceInfo, db *C.sqlite3, pStmt unsafe.Pointer) {
|
||||||
|
if pStmt == nil {
|
||||||
|
panic("No SQLite statement pointer in P arg of trace_v2 callback")
|
||||||
|
}
|
||||||
|
|
||||||
|
expSQLiteCStr := C.sqlite3_expanded_sql((*C.sqlite3_stmt)(pStmt))
|
||||||
|
defer C.sqlite3_free(unsafe.Pointer(expSQLiteCStr))
|
||||||
|
if expSQLiteCStr == nil {
|
||||||
|
fillDBError(&info.DBError, db)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
info.ExpandedSQL = C.GoString(expSQLiteCStr)
|
||||||
|
}
|
||||||
|
|
||||||
|
//export traceCallbackTrampoline
|
||||||
|
func traceCallbackTrampoline(
|
||||||
|
traceEventCode C.uint,
|
||||||
|
// Parameter named 'C' in SQLite docs = Context given at registration:
|
||||||
|
ctx unsafe.Pointer,
|
||||||
|
// Parameter named 'P' in SQLite docs (Primary event data?):
|
||||||
|
p unsafe.Pointer,
|
||||||
|
// Parameter named 'X' in SQLite docs (eXtra event data?):
|
||||||
|
xValue unsafe.Pointer) C.int {
|
||||||
|
|
||||||
|
eventCode := uint32(traceEventCode)
|
||||||
|
|
||||||
|
if ctx == nil {
|
||||||
|
panic(fmt.Sprintf("No context (ev 0x%x)", traceEventCode))
|
||||||
|
}
|
||||||
|
|
||||||
|
contextDB := (*C.sqlite3)(ctx)
|
||||||
|
connHandle := uintptr(ctx)
|
||||||
|
|
||||||
|
var traceConf TraceConfig
|
||||||
|
var found bool
|
||||||
|
if eventCode == TraceClose {
|
||||||
|
// clean up traceMap: 'pop' means get and delete
|
||||||
|
traceConf, found = popTraceMapping(connHandle)
|
||||||
|
} else {
|
||||||
|
traceConf, found = lookupTraceMapping(connHandle)
|
||||||
|
}
|
||||||
|
|
||||||
|
if !found {
|
||||||
|
panic(fmt.Sprintf("Mapping not found for handle 0x%x (ev 0x%x)",
|
||||||
|
connHandle, eventCode))
|
||||||
|
}
|
||||||
|
|
||||||
|
var info TraceInfo
|
||||||
|
|
||||||
|
info.EventCode = eventCode
|
||||||
|
info.AutoCommit = (int(C.sqlite3_get_autocommit(contextDB)) != 0)
|
||||||
|
info.ConnHandle = connHandle
|
||||||
|
|
||||||
|
switch eventCode {
|
||||||
|
case TraceStmt:
|
||||||
|
info.StmtHandle = uintptr(p)
|
||||||
|
|
||||||
|
var xStr string
|
||||||
|
if xValue != nil {
|
||||||
|
xStr = C.GoString((*C.char)(xValue))
|
||||||
|
}
|
||||||
|
info.StmtOrTrigger = xStr
|
||||||
|
if !strings.HasPrefix(xStr, "--") {
|
||||||
|
// Not SQL comment, therefore the current event
|
||||||
|
// is not related to a trigger.
|
||||||
|
// The user might want to receive the expanded SQL;
|
||||||
|
// let's check:
|
||||||
|
if traceConf.WantExpandedSQL {
|
||||||
|
fillExpandedSQL(&info, contextDB, p)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
case TraceProfile:
|
||||||
|
info.StmtHandle = uintptr(p)
|
||||||
|
|
||||||
|
if xValue == nil {
|
||||||
|
panic("NULL pointer in X arg of trace_v2 callback for SQLITE_TRACE_PROFILE event")
|
||||||
|
}
|
||||||
|
|
||||||
|
info.RunTimeNanosec = *(*int64)(xValue)
|
||||||
|
|
||||||
|
// sample the error //TODO: is it safe? is it useful?
|
||||||
|
fillDBError(&info.DBError, contextDB)
|
||||||
|
|
||||||
|
case TraceRow:
|
||||||
|
info.StmtHandle = uintptr(p)
|
||||||
|
|
||||||
|
case TraceClose:
|
||||||
|
handle := uintptr(p)
|
||||||
|
if handle != info.ConnHandle {
|
||||||
|
panic(fmt.Sprintf("Different conn handle 0x%x (expected 0x%x) in SQLITE_TRACE_CLOSE event.",
|
||||||
|
handle, info.ConnHandle))
|
||||||
|
}
|
||||||
|
|
||||||
|
default:
|
||||||
|
// Pass unsupported events to the user callback (if configured);
|
||||||
|
// let the user callback decide whether to panic or ignore them.
|
||||||
|
}
|
||||||
|
|
||||||
|
// Do not execute user callback when the event was not requested by user!
|
||||||
|
// Remember that the Close event is always selected when
|
||||||
|
// registering this callback trampoline with SQLite --- for cleanup.
|
||||||
|
// In the future there may be more events forced to "selected" in SQLite
|
||||||
|
// for the driver's needs.
|
||||||
|
if traceConf.EventMask&eventCode == 0 {
|
||||||
|
return 0
|
||||||
|
}
|
||||||
|
|
||||||
|
r := 0
|
||||||
|
if traceConf.Callback != nil {
|
||||||
|
r = traceConf.Callback(info)
|
||||||
|
}
|
||||||
|
return C.int(r)
|
||||||
|
}
|
||||||
|
|
||||||
|
type traceMapEntry struct {
|
||||||
|
config TraceConfig
|
||||||
|
}
|
||||||
|
|
||||||
|
var traceMapLock sync.Mutex
|
||||||
|
var traceMap = make(map[uintptr]traceMapEntry)
|
||||||
|
|
||||||
|
func addTraceMapping(connHandle uintptr, traceConf TraceConfig) {
|
||||||
|
traceMapLock.Lock()
|
||||||
|
defer traceMapLock.Unlock()
|
||||||
|
|
||||||
|
oldEntryCopy, found := traceMap[connHandle]
|
||||||
|
if found {
|
||||||
|
panic(fmt.Sprintf("Adding trace config %v: handle 0x%x already registered (%v).",
|
||||||
|
traceConf, connHandle, oldEntryCopy.config))
|
||||||
|
}
|
||||||
|
traceMap[connHandle] = traceMapEntry{config: traceConf}
|
||||||
|
}
|
||||||
|
|
||||||
|
func lookupTraceMapping(connHandle uintptr) (TraceConfig, bool) {
|
||||||
|
traceMapLock.Lock()
|
||||||
|
defer traceMapLock.Unlock()
|
||||||
|
|
||||||
|
entryCopy, found := traceMap[connHandle]
|
||||||
|
return entryCopy.config, found
|
||||||
|
}
|
||||||
|
|
||||||
|
// 'pop' = get and delete from map before returning the value to the caller
|
||||||
|
func popTraceMapping(connHandle uintptr) (TraceConfig, bool) {
|
||||||
|
traceMapLock.Lock()
|
||||||
|
defer traceMapLock.Unlock()
|
||||||
|
|
||||||
|
entryCopy, found := traceMap[connHandle]
|
||||||
|
if found {
|
||||||
|
delete(traceMap, connHandle)
|
||||||
|
}
|
||||||
|
return entryCopy.config, found
|
||||||
|
}
|
||||||
|
|
||||||
|
// SetTrace installs or removes the trace callback for the given database connection.
|
||||||
|
// It's not named 'RegisterTrace' because only one callback can be kept and called.
|
||||||
|
// Calling SetTrace a second time on same database connection
|
||||||
|
// overrides (cancels) any prior callback and all its settings:
|
||||||
|
// event mask, etc.
|
||||||
|
func (c *SQLiteConn) SetTrace(requested *TraceConfig) error {
|
||||||
|
connHandle := uintptr(unsafe.Pointer(c.db))
|
||||||
|
|
||||||
|
_, _ = popTraceMapping(connHandle)
|
||||||
|
|
||||||
|
if requested == nil {
|
||||||
|
// The traceMap entry was deleted already by popTraceMapping():
|
||||||
|
// can disable all events now, no need to watch for TraceClose.
|
||||||
|
err := c.setSQLiteTrace(0)
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
|
||||||
|
reqCopy := *requested
|
||||||
|
|
||||||
|
// Disable potentially expensive operations
|
||||||
|
// if their result will not be used. We are doing this
|
||||||
|
// just in case the caller provided nonsensical input.
|
||||||
|
if reqCopy.EventMask&TraceStmt == 0 {
|
||||||
|
reqCopy.WantExpandedSQL = false
|
||||||
|
}
|
||||||
|
|
||||||
|
addTraceMapping(connHandle, reqCopy)
|
||||||
|
|
||||||
|
// The callback trampoline function does cleanup on Close event,
|
||||||
|
// regardless of the presence or absence of the user callback.
|
||||||
|
// Therefore it needs the Close event to be selected:
|
||||||
|
actualEventMask := uint(reqCopy.EventMask | TraceClose)
|
||||||
|
err := c.setSQLiteTrace(actualEventMask)
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c *SQLiteConn) setSQLiteTrace(sqliteEventMask uint) error {
|
||||||
|
rv := C.sqlite3_trace_v2(c.db,
|
||||||
|
C.uint(sqliteEventMask),
|
||||||
|
(*[0]byte)(unsafe.Pointer(C.traceCallbackTrampoline)),
|
||||||
|
unsafe.Pointer(c.db)) // Fourth arg is same as first: we are
|
||||||
|
// passing the database connection handle as callback context.
|
||||||
|
|
||||||
|
if rv != C.SQLITE_OK {
|
||||||
|
return c.lastError()
|
||||||
|
}
|
||||||
|
return nil
|
||||||
|
}
|
108
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_type.go
generated
vendored
Normal file
108
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_type.go
generated
vendored
Normal file
|
@ -0,0 +1,108 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#else
|
||||||
|
#include <sqlite3.h>
|
||||||
|
#endif
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
import (
|
||||||
|
"database/sql"
|
||||||
|
"reflect"
|
||||||
|
"strings"
|
||||||
|
)
|
||||||
|
|
||||||
|
// ColumnTypeDatabaseTypeName implement RowsColumnTypeDatabaseTypeName.
|
||||||
|
func (rc *SQLiteRows) ColumnTypeDatabaseTypeName(i int) string {
|
||||||
|
return C.GoString(C.sqlite3_column_decltype(rc.s.s, C.int(i)))
|
||||||
|
}
|
||||||
|
|
||||||
|
/*
|
||||||
|
func (rc *SQLiteRows) ColumnTypeLength(index int) (length int64, ok bool) {
|
||||||
|
return 0, false
|
||||||
|
}
|
||||||
|
|
||||||
|
func (rc *SQLiteRows) ColumnTypePrecisionScale(index int) (precision, scale int64, ok bool) {
|
||||||
|
return 0, 0, false
|
||||||
|
}
|
||||||
|
*/
|
||||||
|
|
||||||
|
// ColumnTypeNullable implement RowsColumnTypeNullable.
|
||||||
|
func (rc *SQLiteRows) ColumnTypeNullable(i int) (nullable, ok bool) {
|
||||||
|
return true, true
|
||||||
|
}
|
||||||
|
|
||||||
|
// ColumnTypeScanType implement RowsColumnTypeScanType.
|
||||||
|
func (rc *SQLiteRows) ColumnTypeScanType(i int) reflect.Type {
|
||||||
|
//ct := C.sqlite3_column_type(rc.s.s, C.int(i)) // Always returns 5
|
||||||
|
return scanType(C.GoString(C.sqlite3_column_decltype(rc.s.s, C.int(i))))
|
||||||
|
}
|
||||||
|
|
||||||
|
const (
|
||||||
|
SQLITE_INTEGER = iota
|
||||||
|
SQLITE_TEXT
|
||||||
|
SQLITE_BLOB
|
||||||
|
SQLITE_REAL
|
||||||
|
SQLITE_NUMERIC
|
||||||
|
SQLITE_TIME
|
||||||
|
SQLITE_BOOL
|
||||||
|
SQLITE_NULL
|
||||||
|
)
|
||||||
|
|
||||||
|
func scanType(cdt string) reflect.Type {
|
||||||
|
t := strings.ToUpper(cdt)
|
||||||
|
i := databaseTypeConvSqlite(t)
|
||||||
|
switch i {
|
||||||
|
case SQLITE_INTEGER:
|
||||||
|
return reflect.TypeOf(sql.NullInt64{})
|
||||||
|
case SQLITE_TEXT:
|
||||||
|
return reflect.TypeOf(sql.NullString{})
|
||||||
|
case SQLITE_BLOB:
|
||||||
|
return reflect.TypeOf(sql.RawBytes{})
|
||||||
|
case SQLITE_REAL:
|
||||||
|
return reflect.TypeOf(sql.NullFloat64{})
|
||||||
|
case SQLITE_NUMERIC:
|
||||||
|
return reflect.TypeOf(sql.NullFloat64{})
|
||||||
|
case SQLITE_BOOL:
|
||||||
|
return reflect.TypeOf(sql.NullBool{})
|
||||||
|
case SQLITE_TIME:
|
||||||
|
return reflect.TypeOf(sql.NullTime{})
|
||||||
|
}
|
||||||
|
return reflect.TypeOf(new(any))
|
||||||
|
}
|
||||||
|
|
||||||
|
func databaseTypeConvSqlite(t string) int {
|
||||||
|
if strings.Contains(t, "INT") {
|
||||||
|
return SQLITE_INTEGER
|
||||||
|
}
|
||||||
|
if t == "CLOB" || t == "TEXT" ||
|
||||||
|
strings.Contains(t, "CHAR") {
|
||||||
|
return SQLITE_TEXT
|
||||||
|
}
|
||||||
|
if t == "BLOB" {
|
||||||
|
return SQLITE_BLOB
|
||||||
|
}
|
||||||
|
if t == "REAL" || t == "FLOAT" ||
|
||||||
|
strings.Contains(t, "DOUBLE") {
|
||||||
|
return SQLITE_REAL
|
||||||
|
}
|
||||||
|
if t == "DATE" || t == "DATETIME" ||
|
||||||
|
t == "TIMESTAMP" {
|
||||||
|
return SQLITE_TIME
|
||||||
|
}
|
||||||
|
if t == "NUMERIC" ||
|
||||||
|
strings.Contains(t, "DECIMAL") {
|
||||||
|
return SQLITE_NUMERIC
|
||||||
|
}
|
||||||
|
if t == "BOOLEAN" {
|
||||||
|
return SQLITE_BOOL
|
||||||
|
}
|
||||||
|
|
||||||
|
return SQLITE_NULL
|
||||||
|
}
|
42
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_usleep_windows.go
generated
vendored
Normal file
42
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_usleep_windows.go
generated
vendored
Normal file
|
@ -0,0 +1,42 @@
|
||||||
|
// Copyright (C) 2018 G.J.R. Timmer <gjr.timmer@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build cgo
|
||||||
|
// +build cgo
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
// usleep is a function available on *nix based systems.
|
||||||
|
// This function is not present in Windows.
|
||||||
|
// Windows has a sleep function but this works with seconds
|
||||||
|
// and not with microseconds as usleep.
|
||||||
|
//
|
||||||
|
// This code should improve performance on windows because
|
||||||
|
// without the presence of usleep SQLite waits 1 second.
|
||||||
|
//
|
||||||
|
// Source: https://github.com/php/php-src/blob/PHP-5.0/win32/time.c
|
||||||
|
// License: https://github.com/php/php-src/blob/PHP-5.0/LICENSE
|
||||||
|
// Details: https://stackoverflow.com/questions/5801813/c-usleep-is-obsolete-workarounds-for-windows-mingw?utm_medium=organic&utm_source=google_rich_qa&utm_campaign=google_rich_qa
|
||||||
|
|
||||||
|
/*
|
||||||
|
#include <windows.h>
|
||||||
|
|
||||||
|
void usleep(__int64 usec)
|
||||||
|
{
|
||||||
|
HANDLE timer;
|
||||||
|
LARGE_INTEGER ft;
|
||||||
|
|
||||||
|
// Convert to 100 nanosecond interval, negative value indicates relative time
|
||||||
|
ft.QuadPart = -(10*usec);
|
||||||
|
|
||||||
|
timer = CreateWaitableTimer(NULL, TRUE, NULL);
|
||||||
|
SetWaitableTimer(timer, &ft, 0, NULL, NULL, 0);
|
||||||
|
WaitForSingleObject(timer, INFINITE);
|
||||||
|
CloseHandle(timer);
|
||||||
|
}
|
||||||
|
*/
|
||||||
|
import "C"
|
||||||
|
|
||||||
|
// EOF
|
18
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_windows.go
generated
vendored
Normal file
18
v1/vendor/github.com/mattn/go-sqlite3/sqlite3_windows.go
generated
vendored
Normal file
|
@ -0,0 +1,18 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build windows
|
||||||
|
// +build windows
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
/*
|
||||||
|
#cgo CFLAGS: -I.
|
||||||
|
#cgo CFLAGS: -fno-stack-check
|
||||||
|
#cgo CFLAGS: -fno-stack-protector
|
||||||
|
#cgo CFLAGS: -mno-stack-arg-probe
|
||||||
|
#cgo windows,386 CFLAGS: -D_USE_32BIT_TIME_T
|
||||||
|
*/
|
||||||
|
import "C"
|
728
v1/vendor/github.com/mattn/go-sqlite3/sqlite3ext.h
generated
vendored
Normal file
728
v1/vendor/github.com/mattn/go-sqlite3/sqlite3ext.h
generated
vendored
Normal file
|
@ -0,0 +1,728 @@
|
||||||
|
#ifndef USE_LIBSQLITE3
|
||||||
|
/*
|
||||||
|
** 2006 June 7
|
||||||
|
**
|
||||||
|
** The author disclaims copyright to this source code. In place of
|
||||||
|
** a legal notice, here is a blessing:
|
||||||
|
**
|
||||||
|
** May you do good and not evil.
|
||||||
|
** May you find forgiveness for yourself and forgive others.
|
||||||
|
** May you share freely, never taking more than you give.
|
||||||
|
**
|
||||||
|
*************************************************************************
|
||||||
|
** This header file defines the SQLite interface for use by
|
||||||
|
** shared libraries that want to be imported as extensions into
|
||||||
|
** an SQLite instance. Shared libraries that intend to be loaded
|
||||||
|
** as extensions by SQLite should #include this file instead of
|
||||||
|
** sqlite3.h.
|
||||||
|
*/
|
||||||
|
#ifndef SQLITE3EXT_H
|
||||||
|
#define SQLITE3EXT_H
|
||||||
|
#include "sqlite3-binding.h"
|
||||||
|
#ifdef __clang__
|
||||||
|
#define assert(condition) ((void)0)
|
||||||
|
#endif
|
||||||
|
|
||||||
|
|
||||||
|
/*
|
||||||
|
** The following structure holds pointers to all of the SQLite API
|
||||||
|
** routines.
|
||||||
|
**
|
||||||
|
** WARNING: In order to maintain backwards compatibility, add new
|
||||||
|
** interfaces to the end of this structure only. If you insert new
|
||||||
|
** interfaces in the middle of this structure, then older different
|
||||||
|
** versions of SQLite will not be able to load each other's shared
|
||||||
|
** libraries!
|
||||||
|
*/
|
||||||
|
struct sqlite3_api_routines {
|
||||||
|
void * (*aggregate_context)(sqlite3_context*,int nBytes);
|
||||||
|
int (*aggregate_count)(sqlite3_context*);
|
||||||
|
int (*bind_blob)(sqlite3_stmt*,int,const void*,int n,void(*)(void*));
|
||||||
|
int (*bind_double)(sqlite3_stmt*,int,double);
|
||||||
|
int (*bind_int)(sqlite3_stmt*,int,int);
|
||||||
|
int (*bind_int64)(sqlite3_stmt*,int,sqlite_int64);
|
||||||
|
int (*bind_null)(sqlite3_stmt*,int);
|
||||||
|
int (*bind_parameter_count)(sqlite3_stmt*);
|
||||||
|
int (*bind_parameter_index)(sqlite3_stmt*,const char*zName);
|
||||||
|
const char * (*bind_parameter_name)(sqlite3_stmt*,int);
|
||||||
|
int (*bind_text)(sqlite3_stmt*,int,const char*,int n,void(*)(void*));
|
||||||
|
int (*bind_text16)(sqlite3_stmt*,int,const void*,int,void(*)(void*));
|
||||||
|
int (*bind_value)(sqlite3_stmt*,int,const sqlite3_value*);
|
||||||
|
int (*busy_handler)(sqlite3*,int(*)(void*,int),void*);
|
||||||
|
int (*busy_timeout)(sqlite3*,int ms);
|
||||||
|
int (*changes)(sqlite3*);
|
||||||
|
int (*close)(sqlite3*);
|
||||||
|
int (*collation_needed)(sqlite3*,void*,void(*)(void*,sqlite3*,
|
||||||
|
int eTextRep,const char*));
|
||||||
|
int (*collation_needed16)(sqlite3*,void*,void(*)(void*,sqlite3*,
|
||||||
|
int eTextRep,const void*));
|
||||||
|
const void * (*column_blob)(sqlite3_stmt*,int iCol);
|
||||||
|
int (*column_bytes)(sqlite3_stmt*,int iCol);
|
||||||
|
int (*column_bytes16)(sqlite3_stmt*,int iCol);
|
||||||
|
int (*column_count)(sqlite3_stmt*pStmt);
|
||||||
|
const char * (*column_database_name)(sqlite3_stmt*,int);
|
||||||
|
const void * (*column_database_name16)(sqlite3_stmt*,int);
|
||||||
|
const char * (*column_decltype)(sqlite3_stmt*,int i);
|
||||||
|
const void * (*column_decltype16)(sqlite3_stmt*,int);
|
||||||
|
double (*column_double)(sqlite3_stmt*,int iCol);
|
||||||
|
int (*column_int)(sqlite3_stmt*,int iCol);
|
||||||
|
sqlite_int64 (*column_int64)(sqlite3_stmt*,int iCol);
|
||||||
|
const char * (*column_name)(sqlite3_stmt*,int);
|
||||||
|
const void * (*column_name16)(sqlite3_stmt*,int);
|
||||||
|
const char * (*column_origin_name)(sqlite3_stmt*,int);
|
||||||
|
const void * (*column_origin_name16)(sqlite3_stmt*,int);
|
||||||
|
const char * (*column_table_name)(sqlite3_stmt*,int);
|
||||||
|
const void * (*column_table_name16)(sqlite3_stmt*,int);
|
||||||
|
const unsigned char * (*column_text)(sqlite3_stmt*,int iCol);
|
||||||
|
const void * (*column_text16)(sqlite3_stmt*,int iCol);
|
||||||
|
int (*column_type)(sqlite3_stmt*,int iCol);
|
||||||
|
sqlite3_value* (*column_value)(sqlite3_stmt*,int iCol);
|
||||||
|
void * (*commit_hook)(sqlite3*,int(*)(void*),void*);
|
||||||
|
int (*complete)(const char*sql);
|
||||||
|
int (*complete16)(const void*sql);
|
||||||
|
int (*create_collation)(sqlite3*,const char*,int,void*,
|
||||||
|
int(*)(void*,int,const void*,int,const void*));
|
||||||
|
int (*create_collation16)(sqlite3*,const void*,int,void*,
|
||||||
|
int(*)(void*,int,const void*,int,const void*));
|
||||||
|
int (*create_function)(sqlite3*,const char*,int,int,void*,
|
||||||
|
void (*xFunc)(sqlite3_context*,int,sqlite3_value**),
|
||||||
|
void (*xStep)(sqlite3_context*,int,sqlite3_value**),
|
||||||
|
void (*xFinal)(sqlite3_context*));
|
||||||
|
int (*create_function16)(sqlite3*,const void*,int,int,void*,
|
||||||
|
void (*xFunc)(sqlite3_context*,int,sqlite3_value**),
|
||||||
|
void (*xStep)(sqlite3_context*,int,sqlite3_value**),
|
||||||
|
void (*xFinal)(sqlite3_context*));
|
||||||
|
int (*create_module)(sqlite3*,const char*,const sqlite3_module*,void*);
|
||||||
|
int (*data_count)(sqlite3_stmt*pStmt);
|
||||||
|
sqlite3 * (*db_handle)(sqlite3_stmt*);
|
||||||
|
int (*declare_vtab)(sqlite3*,const char*);
|
||||||
|
int (*enable_shared_cache)(int);
|
||||||
|
int (*errcode)(sqlite3*db);
|
||||||
|
const char * (*errmsg)(sqlite3*);
|
||||||
|
const void * (*errmsg16)(sqlite3*);
|
||||||
|
int (*exec)(sqlite3*,const char*,sqlite3_callback,void*,char**);
|
||||||
|
int (*expired)(sqlite3_stmt*);
|
||||||
|
int (*finalize)(sqlite3_stmt*pStmt);
|
||||||
|
void (*free)(void*);
|
||||||
|
void (*free_table)(char**result);
|
||||||
|
int (*get_autocommit)(sqlite3*);
|
||||||
|
void * (*get_auxdata)(sqlite3_context*,int);
|
||||||
|
int (*get_table)(sqlite3*,const char*,char***,int*,int*,char**);
|
||||||
|
int (*global_recover)(void);
|
||||||
|
void (*interruptx)(sqlite3*);
|
||||||
|
sqlite_int64 (*last_insert_rowid)(sqlite3*);
|
||||||
|
const char * (*libversion)(void);
|
||||||
|
int (*libversion_number)(void);
|
||||||
|
void *(*malloc)(int);
|
||||||
|
char * (*mprintf)(const char*,...);
|
||||||
|
int (*open)(const char*,sqlite3**);
|
||||||
|
int (*open16)(const void*,sqlite3**);
|
||||||
|
int (*prepare)(sqlite3*,const char*,int,sqlite3_stmt**,const char**);
|
||||||
|
int (*prepare16)(sqlite3*,const void*,int,sqlite3_stmt**,const void**);
|
||||||
|
void * (*profile)(sqlite3*,void(*)(void*,const char*,sqlite_uint64),void*);
|
||||||
|
void (*progress_handler)(sqlite3*,int,int(*)(void*),void*);
|
||||||
|
void *(*realloc)(void*,int);
|
||||||
|
int (*reset)(sqlite3_stmt*pStmt);
|
||||||
|
void (*result_blob)(sqlite3_context*,const void*,int,void(*)(void*));
|
||||||
|
void (*result_double)(sqlite3_context*,double);
|
||||||
|
void (*result_error)(sqlite3_context*,const char*,int);
|
||||||
|
void (*result_error16)(sqlite3_context*,const void*,int);
|
||||||
|
void (*result_int)(sqlite3_context*,int);
|
||||||
|
void (*result_int64)(sqlite3_context*,sqlite_int64);
|
||||||
|
void (*result_null)(sqlite3_context*);
|
||||||
|
void (*result_text)(sqlite3_context*,const char*,int,void(*)(void*));
|
||||||
|
void (*result_text16)(sqlite3_context*,const void*,int,void(*)(void*));
|
||||||
|
void (*result_text16be)(sqlite3_context*,const void*,int,void(*)(void*));
|
||||||
|
void (*result_text16le)(sqlite3_context*,const void*,int,void(*)(void*));
|
||||||
|
void (*result_value)(sqlite3_context*,sqlite3_value*);
|
||||||
|
void * (*rollback_hook)(sqlite3*,void(*)(void*),void*);
|
||||||
|
int (*set_authorizer)(sqlite3*,int(*)(void*,int,const char*,const char*,
|
||||||
|
const char*,const char*),void*);
|
||||||
|
void (*set_auxdata)(sqlite3_context*,int,void*,void (*)(void*));
|
||||||
|
char * (*xsnprintf)(int,char*,const char*,...);
|
||||||
|
int (*step)(sqlite3_stmt*);
|
||||||
|
int (*table_column_metadata)(sqlite3*,const char*,const char*,const char*,
|
||||||
|
char const**,char const**,int*,int*,int*);
|
||||||
|
void (*thread_cleanup)(void);
|
||||||
|
int (*total_changes)(sqlite3*);
|
||||||
|
void * (*trace)(sqlite3*,void(*xTrace)(void*,const char*),void*);
|
||||||
|
int (*transfer_bindings)(sqlite3_stmt*,sqlite3_stmt*);
|
||||||
|
void * (*update_hook)(sqlite3*,void(*)(void*,int ,char const*,char const*,
|
||||||
|
sqlite_int64),void*);
|
||||||
|
void * (*user_data)(sqlite3_context*);
|
||||||
|
const void * (*value_blob)(sqlite3_value*);
|
||||||
|
int (*value_bytes)(sqlite3_value*);
|
||||||
|
int (*value_bytes16)(sqlite3_value*);
|
||||||
|
double (*value_double)(sqlite3_value*);
|
||||||
|
int (*value_int)(sqlite3_value*);
|
||||||
|
sqlite_int64 (*value_int64)(sqlite3_value*);
|
||||||
|
int (*value_numeric_type)(sqlite3_value*);
|
||||||
|
const unsigned char * (*value_text)(sqlite3_value*);
|
||||||
|
const void * (*value_text16)(sqlite3_value*);
|
||||||
|
const void * (*value_text16be)(sqlite3_value*);
|
||||||
|
const void * (*value_text16le)(sqlite3_value*);
|
||||||
|
int (*value_type)(sqlite3_value*);
|
||||||
|
char *(*vmprintf)(const char*,va_list);
|
||||||
|
/* Added ??? */
|
||||||
|
int (*overload_function)(sqlite3*, const char *zFuncName, int nArg);
|
||||||
|
/* Added by 3.3.13 */
|
||||||
|
int (*prepare_v2)(sqlite3*,const char*,int,sqlite3_stmt**,const char**);
|
||||||
|
int (*prepare16_v2)(sqlite3*,const void*,int,sqlite3_stmt**,const void**);
|
||||||
|
int (*clear_bindings)(sqlite3_stmt*);
|
||||||
|
/* Added by 3.4.1 */
|
||||||
|
int (*create_module_v2)(sqlite3*,const char*,const sqlite3_module*,void*,
|
||||||
|
void (*xDestroy)(void *));
|
||||||
|
/* Added by 3.5.0 */
|
||||||
|
int (*bind_zeroblob)(sqlite3_stmt*,int,int);
|
||||||
|
int (*blob_bytes)(sqlite3_blob*);
|
||||||
|
int (*blob_close)(sqlite3_blob*);
|
||||||
|
int (*blob_open)(sqlite3*,const char*,const char*,const char*,sqlite3_int64,
|
||||||
|
int,sqlite3_blob**);
|
||||||
|
int (*blob_read)(sqlite3_blob*,void*,int,int);
|
||||||
|
int (*blob_write)(sqlite3_blob*,const void*,int,int);
|
||||||
|
int (*create_collation_v2)(sqlite3*,const char*,int,void*,
|
||||||
|
int(*)(void*,int,const void*,int,const void*),
|
||||||
|
void(*)(void*));
|
||||||
|
int (*file_control)(sqlite3*,const char*,int,void*);
|
||||||
|
sqlite3_int64 (*memory_highwater)(int);
|
||||||
|
sqlite3_int64 (*memory_used)(void);
|
||||||
|
sqlite3_mutex *(*mutex_alloc)(int);
|
||||||
|
void (*mutex_enter)(sqlite3_mutex*);
|
||||||
|
void (*mutex_free)(sqlite3_mutex*);
|
||||||
|
void (*mutex_leave)(sqlite3_mutex*);
|
||||||
|
int (*mutex_try)(sqlite3_mutex*);
|
||||||
|
int (*open_v2)(const char*,sqlite3**,int,const char*);
|
||||||
|
int (*release_memory)(int);
|
||||||
|
void (*result_error_nomem)(sqlite3_context*);
|
||||||
|
void (*result_error_toobig)(sqlite3_context*);
|
||||||
|
int (*sleep)(int);
|
||||||
|
void (*soft_heap_limit)(int);
|
||||||
|
sqlite3_vfs *(*vfs_find)(const char*);
|
||||||
|
int (*vfs_register)(sqlite3_vfs*,int);
|
||||||
|
int (*vfs_unregister)(sqlite3_vfs*);
|
||||||
|
int (*xthreadsafe)(void);
|
||||||
|
void (*result_zeroblob)(sqlite3_context*,int);
|
||||||
|
void (*result_error_code)(sqlite3_context*,int);
|
||||||
|
int (*test_control)(int, ...);
|
||||||
|
void (*randomness)(int,void*);
|
||||||
|
sqlite3 *(*context_db_handle)(sqlite3_context*);
|
||||||
|
int (*extended_result_codes)(sqlite3*,int);
|
||||||
|
int (*limit)(sqlite3*,int,int);
|
||||||
|
sqlite3_stmt *(*next_stmt)(sqlite3*,sqlite3_stmt*);
|
||||||
|
const char *(*sql)(sqlite3_stmt*);
|
||||||
|
int (*status)(int,int*,int*,int);
|
||||||
|
int (*backup_finish)(sqlite3_backup*);
|
||||||
|
sqlite3_backup *(*backup_init)(sqlite3*,const char*,sqlite3*,const char*);
|
||||||
|
int (*backup_pagecount)(sqlite3_backup*);
|
||||||
|
int (*backup_remaining)(sqlite3_backup*);
|
||||||
|
int (*backup_step)(sqlite3_backup*,int);
|
||||||
|
const char *(*compileoption_get)(int);
|
||||||
|
int (*compileoption_used)(const char*);
|
||||||
|
int (*create_function_v2)(sqlite3*,const char*,int,int,void*,
|
||||||
|
void (*xFunc)(sqlite3_context*,int,sqlite3_value**),
|
||||||
|
void (*xStep)(sqlite3_context*,int,sqlite3_value**),
|
||||||
|
void (*xFinal)(sqlite3_context*),
|
||||||
|
void(*xDestroy)(void*));
|
||||||
|
int (*db_config)(sqlite3*,int,...);
|
||||||
|
sqlite3_mutex *(*db_mutex)(sqlite3*);
|
||||||
|
int (*db_status)(sqlite3*,int,int*,int*,int);
|
||||||
|
int (*extended_errcode)(sqlite3*);
|
||||||
|
void (*log)(int,const char*,...);
|
||||||
|
sqlite3_int64 (*soft_heap_limit64)(sqlite3_int64);
|
||||||
|
const char *(*sourceid)(void);
|
||||||
|
int (*stmt_status)(sqlite3_stmt*,int,int);
|
||||||
|
int (*strnicmp)(const char*,const char*,int);
|
||||||
|
int (*unlock_notify)(sqlite3*,void(*)(void**,int),void*);
|
||||||
|
int (*wal_autocheckpoint)(sqlite3*,int);
|
||||||
|
int (*wal_checkpoint)(sqlite3*,const char*);
|
||||||
|
void *(*wal_hook)(sqlite3*,int(*)(void*,sqlite3*,const char*,int),void*);
|
||||||
|
int (*blob_reopen)(sqlite3_blob*,sqlite3_int64);
|
||||||
|
int (*vtab_config)(sqlite3*,int op,...);
|
||||||
|
int (*vtab_on_conflict)(sqlite3*);
|
||||||
|
/* Version 3.7.16 and later */
|
||||||
|
int (*close_v2)(sqlite3*);
|
||||||
|
const char *(*db_filename)(sqlite3*,const char*);
|
||||||
|
int (*db_readonly)(sqlite3*,const char*);
|
||||||
|
int (*db_release_memory)(sqlite3*);
|
||||||
|
const char *(*errstr)(int);
|
||||||
|
int (*stmt_busy)(sqlite3_stmt*);
|
||||||
|
int (*stmt_readonly)(sqlite3_stmt*);
|
||||||
|
int (*stricmp)(const char*,const char*);
|
||||||
|
int (*uri_boolean)(const char*,const char*,int);
|
||||||
|
sqlite3_int64 (*uri_int64)(const char*,const char*,sqlite3_int64);
|
||||||
|
const char *(*uri_parameter)(const char*,const char*);
|
||||||
|
char *(*xvsnprintf)(int,char*,const char*,va_list);
|
||||||
|
int (*wal_checkpoint_v2)(sqlite3*,const char*,int,int*,int*);
|
||||||
|
/* Version 3.8.7 and later */
|
||||||
|
int (*auto_extension)(void(*)(void));
|
||||||
|
int (*bind_blob64)(sqlite3_stmt*,int,const void*,sqlite3_uint64,
|
||||||
|
void(*)(void*));
|
||||||
|
int (*bind_text64)(sqlite3_stmt*,int,const char*,sqlite3_uint64,
|
||||||
|
void(*)(void*),unsigned char);
|
||||||
|
int (*cancel_auto_extension)(void(*)(void));
|
||||||
|
int (*load_extension)(sqlite3*,const char*,const char*,char**);
|
||||||
|
void *(*malloc64)(sqlite3_uint64);
|
||||||
|
sqlite3_uint64 (*msize)(void*);
|
||||||
|
void *(*realloc64)(void*,sqlite3_uint64);
|
||||||
|
void (*reset_auto_extension)(void);
|
||||||
|
void (*result_blob64)(sqlite3_context*,const void*,sqlite3_uint64,
|
||||||
|
void(*)(void*));
|
||||||
|
void (*result_text64)(sqlite3_context*,const char*,sqlite3_uint64,
|
||||||
|
void(*)(void*), unsigned char);
|
||||||
|
int (*strglob)(const char*,const char*);
|
||||||
|
/* Version 3.8.11 and later */
|
||||||
|
sqlite3_value *(*value_dup)(const sqlite3_value*);
|
||||||
|
void (*value_free)(sqlite3_value*);
|
||||||
|
int (*result_zeroblob64)(sqlite3_context*,sqlite3_uint64);
|
||||||
|
int (*bind_zeroblob64)(sqlite3_stmt*, int, sqlite3_uint64);
|
||||||
|
/* Version 3.9.0 and later */
|
||||||
|
unsigned int (*value_subtype)(sqlite3_value*);
|
||||||
|
void (*result_subtype)(sqlite3_context*,unsigned int);
|
||||||
|
/* Version 3.10.0 and later */
|
||||||
|
int (*status64)(int,sqlite3_int64*,sqlite3_int64*,int);
|
||||||
|
int (*strlike)(const char*,const char*,unsigned int);
|
||||||
|
int (*db_cacheflush)(sqlite3*);
|
||||||
|
/* Version 3.12.0 and later */
|
||||||
|
int (*system_errno)(sqlite3*);
|
||||||
|
/* Version 3.14.0 and later */
|
||||||
|
int (*trace_v2)(sqlite3*,unsigned,int(*)(unsigned,void*,void*,void*),void*);
|
||||||
|
char *(*expanded_sql)(sqlite3_stmt*);
|
||||||
|
/* Version 3.18.0 and later */
|
||||||
|
void (*set_last_insert_rowid)(sqlite3*,sqlite3_int64);
|
||||||
|
/* Version 3.20.0 and later */
|
||||||
|
int (*prepare_v3)(sqlite3*,const char*,int,unsigned int,
|
||||||
|
sqlite3_stmt**,const char**);
|
||||||
|
int (*prepare16_v3)(sqlite3*,const void*,int,unsigned int,
|
||||||
|
sqlite3_stmt**,const void**);
|
||||||
|
int (*bind_pointer)(sqlite3_stmt*,int,void*,const char*,void(*)(void*));
|
||||||
|
void (*result_pointer)(sqlite3_context*,void*,const char*,void(*)(void*));
|
||||||
|
void *(*value_pointer)(sqlite3_value*,const char*);
|
||||||
|
int (*vtab_nochange)(sqlite3_context*);
|
||||||
|
int (*value_nochange)(sqlite3_value*);
|
||||||
|
const char *(*vtab_collation)(sqlite3_index_info*,int);
|
||||||
|
/* Version 3.24.0 and later */
|
||||||
|
int (*keyword_count)(void);
|
||||||
|
int (*keyword_name)(int,const char**,int*);
|
||||||
|
int (*keyword_check)(const char*,int);
|
||||||
|
sqlite3_str *(*str_new)(sqlite3*);
|
||||||
|
char *(*str_finish)(sqlite3_str*);
|
||||||
|
void (*str_appendf)(sqlite3_str*, const char *zFormat, ...);
|
||||||
|
void (*str_vappendf)(sqlite3_str*, const char *zFormat, va_list);
|
||||||
|
void (*str_append)(sqlite3_str*, const char *zIn, int N);
|
||||||
|
void (*str_appendall)(sqlite3_str*, const char *zIn);
|
||||||
|
void (*str_appendchar)(sqlite3_str*, int N, char C);
|
||||||
|
void (*str_reset)(sqlite3_str*);
|
||||||
|
int (*str_errcode)(sqlite3_str*);
|
||||||
|
int (*str_length)(sqlite3_str*);
|
||||||
|
char *(*str_value)(sqlite3_str*);
|
||||||
|
/* Version 3.25.0 and later */
|
||||||
|
int (*create_window_function)(sqlite3*,const char*,int,int,void*,
|
||||||
|
void (*xStep)(sqlite3_context*,int,sqlite3_value**),
|
||||||
|
void (*xFinal)(sqlite3_context*),
|
||||||
|
void (*xValue)(sqlite3_context*),
|
||||||
|
void (*xInv)(sqlite3_context*,int,sqlite3_value**),
|
||||||
|
void(*xDestroy)(void*));
|
||||||
|
/* Version 3.26.0 and later */
|
||||||
|
const char *(*normalized_sql)(sqlite3_stmt*);
|
||||||
|
/* Version 3.28.0 and later */
|
||||||
|
int (*stmt_isexplain)(sqlite3_stmt*);
|
||||||
|
int (*value_frombind)(sqlite3_value*);
|
||||||
|
/* Version 3.30.0 and later */
|
||||||
|
int (*drop_modules)(sqlite3*,const char**);
|
||||||
|
/* Version 3.31.0 and later */
|
||||||
|
sqlite3_int64 (*hard_heap_limit64)(sqlite3_int64);
|
||||||
|
const char *(*uri_key)(const char*,int);
|
||||||
|
const char *(*filename_database)(const char*);
|
||||||
|
const char *(*filename_journal)(const char*);
|
||||||
|
const char *(*filename_wal)(const char*);
|
||||||
|
/* Version 3.32.0 and later */
|
||||||
|
const char *(*create_filename)(const char*,const char*,const char*,
|
||||||
|
int,const char**);
|
||||||
|
void (*free_filename)(const char*);
|
||||||
|
sqlite3_file *(*database_file_object)(const char*);
|
||||||
|
/* Version 3.34.0 and later */
|
||||||
|
int (*txn_state)(sqlite3*,const char*);
|
||||||
|
/* Version 3.36.1 and later */
|
||||||
|
sqlite3_int64 (*changes64)(sqlite3*);
|
||||||
|
sqlite3_int64 (*total_changes64)(sqlite3*);
|
||||||
|
/* Version 3.37.0 and later */
|
||||||
|
int (*autovacuum_pages)(sqlite3*,
|
||||||
|
unsigned int(*)(void*,const char*,unsigned int,unsigned int,unsigned int),
|
||||||
|
void*, void(*)(void*));
|
||||||
|
/* Version 3.38.0 and later */
|
||||||
|
int (*error_offset)(sqlite3*);
|
||||||
|
int (*vtab_rhs_value)(sqlite3_index_info*,int,sqlite3_value**);
|
||||||
|
int (*vtab_distinct)(sqlite3_index_info*);
|
||||||
|
int (*vtab_in)(sqlite3_index_info*,int,int);
|
||||||
|
int (*vtab_in_first)(sqlite3_value*,sqlite3_value**);
|
||||||
|
int (*vtab_in_next)(sqlite3_value*,sqlite3_value**);
|
||||||
|
/* Version 3.39.0 and later */
|
||||||
|
int (*deserialize)(sqlite3*,const char*,unsigned char*,
|
||||||
|
sqlite3_int64,sqlite3_int64,unsigned);
|
||||||
|
unsigned char *(*serialize)(sqlite3*,const char *,sqlite3_int64*,
|
||||||
|
unsigned int);
|
||||||
|
const char *(*db_name)(sqlite3*,int);
|
||||||
|
/* Version 3.40.0 and later */
|
||||||
|
int (*value_encoding)(sqlite3_value*);
|
||||||
|
/* Version 3.41.0 and later */
|
||||||
|
int (*is_interrupted)(sqlite3*);
|
||||||
|
/* Version 3.43.0 and later */
|
||||||
|
int (*stmt_explain)(sqlite3_stmt*,int);
|
||||||
|
/* Version 3.44.0 and later */
|
||||||
|
void *(*get_clientdata)(sqlite3*,const char*);
|
||||||
|
int (*set_clientdata)(sqlite3*, const char*, void*, void(*)(void*));
|
||||||
|
};
|
||||||
|
|
||||||
|
/*
|
||||||
|
** This is the function signature used for all extension entry points. It
|
||||||
|
** is also defined in the file "loadext.c".
|
||||||
|
*/
|
||||||
|
typedef int (*sqlite3_loadext_entry)(
|
||||||
|
sqlite3 *db, /* Handle to the database. */
|
||||||
|
char **pzErrMsg, /* Used to set error string on failure. */
|
||||||
|
const sqlite3_api_routines *pThunk /* Extension API function pointers. */
|
||||||
|
);
|
||||||
|
|
||||||
|
/*
|
||||||
|
** The following macros redefine the API routines so that they are
|
||||||
|
** redirected through the global sqlite3_api structure.
|
||||||
|
**
|
||||||
|
** This header file is also used by the loadext.c source file
|
||||||
|
** (part of the main SQLite library - not an extension) so that
|
||||||
|
** it can get access to the sqlite3_api_routines structure
|
||||||
|
** definition. But the main library does not want to redefine
|
||||||
|
** the API. So the redefinition macros are only valid if the
|
||||||
|
** SQLITE_CORE macros is undefined.
|
||||||
|
*/
|
||||||
|
#if !defined(SQLITE_CORE) && !defined(SQLITE_OMIT_LOAD_EXTENSION)
|
||||||
|
#define sqlite3_aggregate_context sqlite3_api->aggregate_context
|
||||||
|
#ifndef SQLITE_OMIT_DEPRECATED
|
||||||
|
#define sqlite3_aggregate_count sqlite3_api->aggregate_count
|
||||||
|
#endif
|
||||||
|
#define sqlite3_bind_blob sqlite3_api->bind_blob
|
||||||
|
#define sqlite3_bind_double sqlite3_api->bind_double
|
||||||
|
#define sqlite3_bind_int sqlite3_api->bind_int
|
||||||
|
#define sqlite3_bind_int64 sqlite3_api->bind_int64
|
||||||
|
#define sqlite3_bind_null sqlite3_api->bind_null
|
||||||
|
#define sqlite3_bind_parameter_count sqlite3_api->bind_parameter_count
|
||||||
|
#define sqlite3_bind_parameter_index sqlite3_api->bind_parameter_index
|
||||||
|
#define sqlite3_bind_parameter_name sqlite3_api->bind_parameter_name
|
||||||
|
#define sqlite3_bind_text sqlite3_api->bind_text
|
||||||
|
#define sqlite3_bind_text16 sqlite3_api->bind_text16
|
||||||
|
#define sqlite3_bind_value sqlite3_api->bind_value
|
||||||
|
#define sqlite3_busy_handler sqlite3_api->busy_handler
|
||||||
|
#define sqlite3_busy_timeout sqlite3_api->busy_timeout
|
||||||
|
#define sqlite3_changes sqlite3_api->changes
|
||||||
|
#define sqlite3_close sqlite3_api->close
|
||||||
|
#define sqlite3_collation_needed sqlite3_api->collation_needed
|
||||||
|
#define sqlite3_collation_needed16 sqlite3_api->collation_needed16
|
||||||
|
#define sqlite3_column_blob sqlite3_api->column_blob
|
||||||
|
#define sqlite3_column_bytes sqlite3_api->column_bytes
|
||||||
|
#define sqlite3_column_bytes16 sqlite3_api->column_bytes16
|
||||||
|
#define sqlite3_column_count sqlite3_api->column_count
|
||||||
|
#define sqlite3_column_database_name sqlite3_api->column_database_name
|
||||||
|
#define sqlite3_column_database_name16 sqlite3_api->column_database_name16
|
||||||
|
#define sqlite3_column_decltype sqlite3_api->column_decltype
|
||||||
|
#define sqlite3_column_decltype16 sqlite3_api->column_decltype16
|
||||||
|
#define sqlite3_column_double sqlite3_api->column_double
|
||||||
|
#define sqlite3_column_int sqlite3_api->column_int
|
||||||
|
#define sqlite3_column_int64 sqlite3_api->column_int64
|
||||||
|
#define sqlite3_column_name sqlite3_api->column_name
|
||||||
|
#define sqlite3_column_name16 sqlite3_api->column_name16
|
||||||
|
#define sqlite3_column_origin_name sqlite3_api->column_origin_name
|
||||||
|
#define sqlite3_column_origin_name16 sqlite3_api->column_origin_name16
|
||||||
|
#define sqlite3_column_table_name sqlite3_api->column_table_name
|
||||||
|
#define sqlite3_column_table_name16 sqlite3_api->column_table_name16
|
||||||
|
#define sqlite3_column_text sqlite3_api->column_text
|
||||||
|
#define sqlite3_column_text16 sqlite3_api->column_text16
|
||||||
|
#define sqlite3_column_type sqlite3_api->column_type
|
||||||
|
#define sqlite3_column_value sqlite3_api->column_value
|
||||||
|
#define sqlite3_commit_hook sqlite3_api->commit_hook
|
||||||
|
#define sqlite3_complete sqlite3_api->complete
|
||||||
|
#define sqlite3_complete16 sqlite3_api->complete16
|
||||||
|
#define sqlite3_create_collation sqlite3_api->create_collation
|
||||||
|
#define sqlite3_create_collation16 sqlite3_api->create_collation16
|
||||||
|
#define sqlite3_create_function sqlite3_api->create_function
|
||||||
|
#define sqlite3_create_function16 sqlite3_api->create_function16
|
||||||
|
#define sqlite3_create_module sqlite3_api->create_module
|
||||||
|
#define sqlite3_create_module_v2 sqlite3_api->create_module_v2
|
||||||
|
#define sqlite3_data_count sqlite3_api->data_count
|
||||||
|
#define sqlite3_db_handle sqlite3_api->db_handle
|
||||||
|
#define sqlite3_declare_vtab sqlite3_api->declare_vtab
|
||||||
|
#define sqlite3_enable_shared_cache sqlite3_api->enable_shared_cache
|
||||||
|
#define sqlite3_errcode sqlite3_api->errcode
|
||||||
|
#define sqlite3_errmsg sqlite3_api->errmsg
|
||||||
|
#define sqlite3_errmsg16 sqlite3_api->errmsg16
|
||||||
|
#define sqlite3_exec sqlite3_api->exec
|
||||||
|
#ifndef SQLITE_OMIT_DEPRECATED
|
||||||
|
#define sqlite3_expired sqlite3_api->expired
|
||||||
|
#endif
|
||||||
|
#define sqlite3_finalize sqlite3_api->finalize
|
||||||
|
#define sqlite3_free sqlite3_api->free
|
||||||
|
#define sqlite3_free_table sqlite3_api->free_table
|
||||||
|
#define sqlite3_get_autocommit sqlite3_api->get_autocommit
|
||||||
|
#define sqlite3_get_auxdata sqlite3_api->get_auxdata
|
||||||
|
#define sqlite3_get_table sqlite3_api->get_table
|
||||||
|
#ifndef SQLITE_OMIT_DEPRECATED
|
||||||
|
#define sqlite3_global_recover sqlite3_api->global_recover
|
||||||
|
#endif
|
||||||
|
#define sqlite3_interrupt sqlite3_api->interruptx
|
||||||
|
#define sqlite3_last_insert_rowid sqlite3_api->last_insert_rowid
|
||||||
|
#define sqlite3_libversion sqlite3_api->libversion
|
||||||
|
#define sqlite3_libversion_number sqlite3_api->libversion_number
|
||||||
|
#define sqlite3_malloc sqlite3_api->malloc
|
||||||
|
#define sqlite3_mprintf sqlite3_api->mprintf
|
||||||
|
#define sqlite3_open sqlite3_api->open
|
||||||
|
#define sqlite3_open16 sqlite3_api->open16
|
||||||
|
#define sqlite3_prepare sqlite3_api->prepare
|
||||||
|
#define sqlite3_prepare16 sqlite3_api->prepare16
|
||||||
|
#define sqlite3_prepare_v2 sqlite3_api->prepare_v2
|
||||||
|
#define sqlite3_prepare16_v2 sqlite3_api->prepare16_v2
|
||||||
|
#define sqlite3_profile sqlite3_api->profile
|
||||||
|
#define sqlite3_progress_handler sqlite3_api->progress_handler
|
||||||
|
#define sqlite3_realloc sqlite3_api->realloc
|
||||||
|
#define sqlite3_reset sqlite3_api->reset
|
||||||
|
#define sqlite3_result_blob sqlite3_api->result_blob
|
||||||
|
#define sqlite3_result_double sqlite3_api->result_double
|
||||||
|
#define sqlite3_result_error sqlite3_api->result_error
|
||||||
|
#define sqlite3_result_error16 sqlite3_api->result_error16
|
||||||
|
#define sqlite3_result_int sqlite3_api->result_int
|
||||||
|
#define sqlite3_result_int64 sqlite3_api->result_int64
|
||||||
|
#define sqlite3_result_null sqlite3_api->result_null
|
||||||
|
#define sqlite3_result_text sqlite3_api->result_text
|
||||||
|
#define sqlite3_result_text16 sqlite3_api->result_text16
|
||||||
|
#define sqlite3_result_text16be sqlite3_api->result_text16be
|
||||||
|
#define sqlite3_result_text16le sqlite3_api->result_text16le
|
||||||
|
#define sqlite3_result_value sqlite3_api->result_value
|
||||||
|
#define sqlite3_rollback_hook sqlite3_api->rollback_hook
|
||||||
|
#define sqlite3_set_authorizer sqlite3_api->set_authorizer
|
||||||
|
#define sqlite3_set_auxdata sqlite3_api->set_auxdata
|
||||||
|
#define sqlite3_snprintf sqlite3_api->xsnprintf
|
||||||
|
#define sqlite3_step sqlite3_api->step
|
||||||
|
#define sqlite3_table_column_metadata sqlite3_api->table_column_metadata
|
||||||
|
#define sqlite3_thread_cleanup sqlite3_api->thread_cleanup
|
||||||
|
#define sqlite3_total_changes sqlite3_api->total_changes
|
||||||
|
#define sqlite3_trace sqlite3_api->trace
|
||||||
|
#ifndef SQLITE_OMIT_DEPRECATED
|
||||||
|
#define sqlite3_transfer_bindings sqlite3_api->transfer_bindings
|
||||||
|
#endif
|
||||||
|
#define sqlite3_update_hook sqlite3_api->update_hook
|
||||||
|
#define sqlite3_user_data sqlite3_api->user_data
|
||||||
|
#define sqlite3_value_blob sqlite3_api->value_blob
|
||||||
|
#define sqlite3_value_bytes sqlite3_api->value_bytes
|
||||||
|
#define sqlite3_value_bytes16 sqlite3_api->value_bytes16
|
||||||
|
#define sqlite3_value_double sqlite3_api->value_double
|
||||||
|
#define sqlite3_value_int sqlite3_api->value_int
|
||||||
|
#define sqlite3_value_int64 sqlite3_api->value_int64
|
||||||
|
#define sqlite3_value_numeric_type sqlite3_api->value_numeric_type
|
||||||
|
#define sqlite3_value_text sqlite3_api->value_text
|
||||||
|
#define sqlite3_value_text16 sqlite3_api->value_text16
|
||||||
|
#define sqlite3_value_text16be sqlite3_api->value_text16be
|
||||||
|
#define sqlite3_value_text16le sqlite3_api->value_text16le
|
||||||
|
#define sqlite3_value_type sqlite3_api->value_type
|
||||||
|
#define sqlite3_vmprintf sqlite3_api->vmprintf
|
||||||
|
#define sqlite3_vsnprintf sqlite3_api->xvsnprintf
|
||||||
|
#define sqlite3_overload_function sqlite3_api->overload_function
|
||||||
|
#define sqlite3_prepare_v2 sqlite3_api->prepare_v2
|
||||||
|
#define sqlite3_prepare16_v2 sqlite3_api->prepare16_v2
|
||||||
|
#define sqlite3_clear_bindings sqlite3_api->clear_bindings
|
||||||
|
#define sqlite3_bind_zeroblob sqlite3_api->bind_zeroblob
|
||||||
|
#define sqlite3_blob_bytes sqlite3_api->blob_bytes
|
||||||
|
#define sqlite3_blob_close sqlite3_api->blob_close
|
||||||
|
#define sqlite3_blob_open sqlite3_api->blob_open
|
||||||
|
#define sqlite3_blob_read sqlite3_api->blob_read
|
||||||
|
#define sqlite3_blob_write sqlite3_api->blob_write
|
||||||
|
#define sqlite3_create_collation_v2 sqlite3_api->create_collation_v2
|
||||||
|
#define sqlite3_file_control sqlite3_api->file_control
|
||||||
|
#define sqlite3_memory_highwater sqlite3_api->memory_highwater
|
||||||
|
#define sqlite3_memory_used sqlite3_api->memory_used
|
||||||
|
#define sqlite3_mutex_alloc sqlite3_api->mutex_alloc
|
||||||
|
#define sqlite3_mutex_enter sqlite3_api->mutex_enter
|
||||||
|
#define sqlite3_mutex_free sqlite3_api->mutex_free
|
||||||
|
#define sqlite3_mutex_leave sqlite3_api->mutex_leave
|
||||||
|
#define sqlite3_mutex_try sqlite3_api->mutex_try
|
||||||
|
#define sqlite3_open_v2 sqlite3_api->open_v2
|
||||||
|
#define sqlite3_release_memory sqlite3_api->release_memory
|
||||||
|
#define sqlite3_result_error_nomem sqlite3_api->result_error_nomem
|
||||||
|
#define sqlite3_result_error_toobig sqlite3_api->result_error_toobig
|
||||||
|
#define sqlite3_sleep sqlite3_api->sleep
|
||||||
|
#define sqlite3_soft_heap_limit sqlite3_api->soft_heap_limit
|
||||||
|
#define sqlite3_vfs_find sqlite3_api->vfs_find
|
||||||
|
#define sqlite3_vfs_register sqlite3_api->vfs_register
|
||||||
|
#define sqlite3_vfs_unregister sqlite3_api->vfs_unregister
|
||||||
|
#define sqlite3_threadsafe sqlite3_api->xthreadsafe
|
||||||
|
#define sqlite3_result_zeroblob sqlite3_api->result_zeroblob
|
||||||
|
#define sqlite3_result_error_code sqlite3_api->result_error_code
|
||||||
|
#define sqlite3_test_control sqlite3_api->test_control
|
||||||
|
#define sqlite3_randomness sqlite3_api->randomness
|
||||||
|
#define sqlite3_context_db_handle sqlite3_api->context_db_handle
|
||||||
|
#define sqlite3_extended_result_codes sqlite3_api->extended_result_codes
|
||||||
|
#define sqlite3_limit sqlite3_api->limit
|
||||||
|
#define sqlite3_next_stmt sqlite3_api->next_stmt
|
||||||
|
#define sqlite3_sql sqlite3_api->sql
|
||||||
|
#define sqlite3_status sqlite3_api->status
|
||||||
|
#define sqlite3_backup_finish sqlite3_api->backup_finish
|
||||||
|
#define sqlite3_backup_init sqlite3_api->backup_init
|
||||||
|
#define sqlite3_backup_pagecount sqlite3_api->backup_pagecount
|
||||||
|
#define sqlite3_backup_remaining sqlite3_api->backup_remaining
|
||||||
|
#define sqlite3_backup_step sqlite3_api->backup_step
|
||||||
|
#define sqlite3_compileoption_get sqlite3_api->compileoption_get
|
||||||
|
#define sqlite3_compileoption_used sqlite3_api->compileoption_used
|
||||||
|
#define sqlite3_create_function_v2 sqlite3_api->create_function_v2
|
||||||
|
#define sqlite3_db_config sqlite3_api->db_config
|
||||||
|
#define sqlite3_db_mutex sqlite3_api->db_mutex
|
||||||
|
#define sqlite3_db_status sqlite3_api->db_status
|
||||||
|
#define sqlite3_extended_errcode sqlite3_api->extended_errcode
|
||||||
|
#define sqlite3_log sqlite3_api->log
|
||||||
|
#define sqlite3_soft_heap_limit64 sqlite3_api->soft_heap_limit64
|
||||||
|
#define sqlite3_sourceid sqlite3_api->sourceid
|
||||||
|
#define sqlite3_stmt_status sqlite3_api->stmt_status
|
||||||
|
#define sqlite3_strnicmp sqlite3_api->strnicmp
|
||||||
|
#define sqlite3_unlock_notify sqlite3_api->unlock_notify
|
||||||
|
#define sqlite3_wal_autocheckpoint sqlite3_api->wal_autocheckpoint
|
||||||
|
#define sqlite3_wal_checkpoint sqlite3_api->wal_checkpoint
|
||||||
|
#define sqlite3_wal_hook sqlite3_api->wal_hook
|
||||||
|
#define sqlite3_blob_reopen sqlite3_api->blob_reopen
|
||||||
|
#define sqlite3_vtab_config sqlite3_api->vtab_config
|
||||||
|
#define sqlite3_vtab_on_conflict sqlite3_api->vtab_on_conflict
|
||||||
|
/* Version 3.7.16 and later */
|
||||||
|
#define sqlite3_close_v2 sqlite3_api->close_v2
|
||||||
|
#define sqlite3_db_filename sqlite3_api->db_filename
|
||||||
|
#define sqlite3_db_readonly sqlite3_api->db_readonly
|
||||||
|
#define sqlite3_db_release_memory sqlite3_api->db_release_memory
|
||||||
|
#define sqlite3_errstr sqlite3_api->errstr
|
||||||
|
#define sqlite3_stmt_busy sqlite3_api->stmt_busy
|
||||||
|
#define sqlite3_stmt_readonly sqlite3_api->stmt_readonly
|
||||||
|
#define sqlite3_stricmp sqlite3_api->stricmp
|
||||||
|
#define sqlite3_uri_boolean sqlite3_api->uri_boolean
|
||||||
|
#define sqlite3_uri_int64 sqlite3_api->uri_int64
|
||||||
|
#define sqlite3_uri_parameter sqlite3_api->uri_parameter
|
||||||
|
#define sqlite3_uri_vsnprintf sqlite3_api->xvsnprintf
|
||||||
|
#define sqlite3_wal_checkpoint_v2 sqlite3_api->wal_checkpoint_v2
|
||||||
|
/* Version 3.8.7 and later */
|
||||||
|
#define sqlite3_auto_extension sqlite3_api->auto_extension
|
||||||
|
#define sqlite3_bind_blob64 sqlite3_api->bind_blob64
|
||||||
|
#define sqlite3_bind_text64 sqlite3_api->bind_text64
|
||||||
|
#define sqlite3_cancel_auto_extension sqlite3_api->cancel_auto_extension
|
||||||
|
#define sqlite3_load_extension sqlite3_api->load_extension
|
||||||
|
#define sqlite3_malloc64 sqlite3_api->malloc64
|
||||||
|
#define sqlite3_msize sqlite3_api->msize
|
||||||
|
#define sqlite3_realloc64 sqlite3_api->realloc64
|
||||||
|
#define sqlite3_reset_auto_extension sqlite3_api->reset_auto_extension
|
||||||
|
#define sqlite3_result_blob64 sqlite3_api->result_blob64
|
||||||
|
#define sqlite3_result_text64 sqlite3_api->result_text64
|
||||||
|
#define sqlite3_strglob sqlite3_api->strglob
|
||||||
|
/* Version 3.8.11 and later */
|
||||||
|
#define sqlite3_value_dup sqlite3_api->value_dup
|
||||||
|
#define sqlite3_value_free sqlite3_api->value_free
|
||||||
|
#define sqlite3_result_zeroblob64 sqlite3_api->result_zeroblob64
|
||||||
|
#define sqlite3_bind_zeroblob64 sqlite3_api->bind_zeroblob64
|
||||||
|
/* Version 3.9.0 and later */
|
||||||
|
#define sqlite3_value_subtype sqlite3_api->value_subtype
|
||||||
|
#define sqlite3_result_subtype sqlite3_api->result_subtype
|
||||||
|
/* Version 3.10.0 and later */
|
||||||
|
#define sqlite3_status64 sqlite3_api->status64
|
||||||
|
#define sqlite3_strlike sqlite3_api->strlike
|
||||||
|
#define sqlite3_db_cacheflush sqlite3_api->db_cacheflush
|
||||||
|
/* Version 3.12.0 and later */
|
||||||
|
#define sqlite3_system_errno sqlite3_api->system_errno
|
||||||
|
/* Version 3.14.0 and later */
|
||||||
|
#define sqlite3_trace_v2 sqlite3_api->trace_v2
|
||||||
|
#define sqlite3_expanded_sql sqlite3_api->expanded_sql
|
||||||
|
/* Version 3.18.0 and later */
|
||||||
|
#define sqlite3_set_last_insert_rowid sqlite3_api->set_last_insert_rowid
|
||||||
|
/* Version 3.20.0 and later */
|
||||||
|
#define sqlite3_prepare_v3 sqlite3_api->prepare_v3
|
||||||
|
#define sqlite3_prepare16_v3 sqlite3_api->prepare16_v3
|
||||||
|
#define sqlite3_bind_pointer sqlite3_api->bind_pointer
|
||||||
|
#define sqlite3_result_pointer sqlite3_api->result_pointer
|
||||||
|
#define sqlite3_value_pointer sqlite3_api->value_pointer
|
||||||
|
/* Version 3.22.0 and later */
|
||||||
|
#define sqlite3_vtab_nochange sqlite3_api->vtab_nochange
|
||||||
|
#define sqlite3_value_nochange sqlite3_api->value_nochange
|
||||||
|
#define sqlite3_vtab_collation sqlite3_api->vtab_collation
|
||||||
|
/* Version 3.24.0 and later */
|
||||||
|
#define sqlite3_keyword_count sqlite3_api->keyword_count
|
||||||
|
#define sqlite3_keyword_name sqlite3_api->keyword_name
|
||||||
|
#define sqlite3_keyword_check sqlite3_api->keyword_check
|
||||||
|
#define sqlite3_str_new sqlite3_api->str_new
|
||||||
|
#define sqlite3_str_finish sqlite3_api->str_finish
|
||||||
|
#define sqlite3_str_appendf sqlite3_api->str_appendf
|
||||||
|
#define sqlite3_str_vappendf sqlite3_api->str_vappendf
|
||||||
|
#define sqlite3_str_append sqlite3_api->str_append
|
||||||
|
#define sqlite3_str_appendall sqlite3_api->str_appendall
|
||||||
|
#define sqlite3_str_appendchar sqlite3_api->str_appendchar
|
||||||
|
#define sqlite3_str_reset sqlite3_api->str_reset
|
||||||
|
#define sqlite3_str_errcode sqlite3_api->str_errcode
|
||||||
|
#define sqlite3_str_length sqlite3_api->str_length
|
||||||
|
#define sqlite3_str_value sqlite3_api->str_value
|
||||||
|
/* Version 3.25.0 and later */
|
||||||
|
#define sqlite3_create_window_function sqlite3_api->create_window_function
|
||||||
|
/* Version 3.26.0 and later */
|
||||||
|
#define sqlite3_normalized_sql sqlite3_api->normalized_sql
|
||||||
|
/* Version 3.28.0 and later */
|
||||||
|
#define sqlite3_stmt_isexplain sqlite3_api->stmt_isexplain
|
||||||
|
#define sqlite3_value_frombind sqlite3_api->value_frombind
|
||||||
|
/* Version 3.30.0 and later */
|
||||||
|
#define sqlite3_drop_modules sqlite3_api->drop_modules
|
||||||
|
/* Version 3.31.0 and later */
|
||||||
|
#define sqlite3_hard_heap_limit64 sqlite3_api->hard_heap_limit64
|
||||||
|
#define sqlite3_uri_key sqlite3_api->uri_key
|
||||||
|
#define sqlite3_filename_database sqlite3_api->filename_database
|
||||||
|
#define sqlite3_filename_journal sqlite3_api->filename_journal
|
||||||
|
#define sqlite3_filename_wal sqlite3_api->filename_wal
|
||||||
|
/* Version 3.32.0 and later */
|
||||||
|
#define sqlite3_create_filename sqlite3_api->create_filename
|
||||||
|
#define sqlite3_free_filename sqlite3_api->free_filename
|
||||||
|
#define sqlite3_database_file_object sqlite3_api->database_file_object
|
||||||
|
/* Version 3.34.0 and later */
|
||||||
|
#define sqlite3_txn_state sqlite3_api->txn_state
|
||||||
|
/* Version 3.36.1 and later */
|
||||||
|
#define sqlite3_changes64 sqlite3_api->changes64
|
||||||
|
#define sqlite3_total_changes64 sqlite3_api->total_changes64
|
||||||
|
/* Version 3.37.0 and later */
|
||||||
|
#define sqlite3_autovacuum_pages sqlite3_api->autovacuum_pages
|
||||||
|
/* Version 3.38.0 and later */
|
||||||
|
#define sqlite3_error_offset sqlite3_api->error_offset
|
||||||
|
#define sqlite3_vtab_rhs_value sqlite3_api->vtab_rhs_value
|
||||||
|
#define sqlite3_vtab_distinct sqlite3_api->vtab_distinct
|
||||||
|
#define sqlite3_vtab_in sqlite3_api->vtab_in
|
||||||
|
#define sqlite3_vtab_in_first sqlite3_api->vtab_in_first
|
||||||
|
#define sqlite3_vtab_in_next sqlite3_api->vtab_in_next
|
||||||
|
/* Version 3.39.0 and later */
|
||||||
|
#ifndef SQLITE_OMIT_DESERIALIZE
|
||||||
|
#define sqlite3_deserialize sqlite3_api->deserialize
|
||||||
|
#define sqlite3_serialize sqlite3_api->serialize
|
||||||
|
#endif
|
||||||
|
#define sqlite3_db_name sqlite3_api->db_name
|
||||||
|
/* Version 3.40.0 and later */
|
||||||
|
#define sqlite3_value_encoding sqlite3_api->value_encoding
|
||||||
|
/* Version 3.41.0 and later */
|
||||||
|
#define sqlite3_is_interrupted sqlite3_api->is_interrupted
|
||||||
|
/* Version 3.43.0 and later */
|
||||||
|
#define sqlite3_stmt_explain sqlite3_api->stmt_explain
|
||||||
|
/* Version 3.44.0 and later */
|
||||||
|
#define sqlite3_get_clientdata sqlite3_api->get_clientdata
|
||||||
|
#define sqlite3_set_clientdata sqlite3_api->set_clientdata
|
||||||
|
#endif /* !defined(SQLITE_CORE) && !defined(SQLITE_OMIT_LOAD_EXTENSION) */
|
||||||
|
|
||||||
|
#if !defined(SQLITE_CORE) && !defined(SQLITE_OMIT_LOAD_EXTENSION)
|
||||||
|
/* This case when the file really is being compiled as a loadable
|
||||||
|
** extension */
|
||||||
|
# define SQLITE_EXTENSION_INIT1 const sqlite3_api_routines *sqlite3_api=0;
|
||||||
|
# define SQLITE_EXTENSION_INIT2(v) sqlite3_api=v;
|
||||||
|
# define SQLITE_EXTENSION_INIT3 \
|
||||||
|
extern const sqlite3_api_routines *sqlite3_api;
|
||||||
|
#else
|
||||||
|
/* This case when the file is being statically linked into the
|
||||||
|
** application */
|
||||||
|
# define SQLITE_EXTENSION_INIT1 /*no-op*/
|
||||||
|
# define SQLITE_EXTENSION_INIT2(v) (void)v; /* unused parameter */
|
||||||
|
# define SQLITE_EXTENSION_INIT3 /*no-op*/
|
||||||
|
#endif
|
||||||
|
|
||||||
|
#endif /* SQLITE3EXT_H */
|
||||||
|
#else // USE_LIBSQLITE3
|
||||||
|
// If users really want to link against the system sqlite3 we
|
||||||
|
// need to make this file a noop.
|
||||||
|
#endif
|
38
v1/vendor/github.com/mattn/go-sqlite3/static_mock.go
generated
vendored
Normal file
38
v1/vendor/github.com/mattn/go-sqlite3/static_mock.go
generated
vendored
Normal file
|
@ -0,0 +1,38 @@
|
||||||
|
// Copyright (C) 2019 Yasuhiro Matsumoto <mattn.jp@gmail.com>.
|
||||||
|
//
|
||||||
|
// Use of this source code is governed by an MIT-style
|
||||||
|
// license that can be found in the LICENSE file.
|
||||||
|
|
||||||
|
//go:build !cgo
|
||||||
|
// +build !cgo
|
||||||
|
|
||||||
|
package sqlite3
|
||||||
|
|
||||||
|
import (
|
||||||
|
"database/sql"
|
||||||
|
"database/sql/driver"
|
||||||
|
"errors"
|
||||||
|
)
|
||||||
|
|
||||||
|
var errorMsg = errors.New("Binary was compiled with 'CGO_ENABLED=0', go-sqlite3 requires cgo to work. This is a stub")
|
||||||
|
|
||||||
|
func init() {
|
||||||
|
sql.Register("sqlite3", &SQLiteDriver{})
|
||||||
|
}
|
||||||
|
|
||||||
|
type (
|
||||||
|
SQLiteDriver struct {
|
||||||
|
Extensions []string
|
||||||
|
ConnectHook func(*SQLiteConn) error
|
||||||
|
}
|
||||||
|
SQLiteConn struct{}
|
||||||
|
)
|
||||||
|
|
||||||
|
func (SQLiteDriver) Open(s string) (driver.Conn, error) { return nil, errorMsg }
|
||||||
|
func (c *SQLiteConn) RegisterAggregator(string, any, bool) error { return errorMsg }
|
||||||
|
func (c *SQLiteConn) RegisterAuthorizer(func(int, string, string, string) int) {}
|
||||||
|
func (c *SQLiteConn) RegisterCollation(string, func(string, string) int) error { return errorMsg }
|
||||||
|
func (c *SQLiteConn) RegisterCommitHook(func() int) {}
|
||||||
|
func (c *SQLiteConn) RegisterFunc(string, any, bool) error { return errorMsg }
|
||||||
|
func (c *SQLiteConn) RegisterRollbackHook(func()) {}
|
||||||
|
func (c *SQLiteConn) RegisterUpdateHook(func(int, string, string, int64)) {}
|
2
v1/vendor/github.com/r3labs/sse/v2/.gitignore
generated
vendored
Normal file
2
v1/vendor/github.com/r3labs/sse/v2/.gitignore
generated
vendored
Normal file
|
@ -0,0 +1,2 @@
|
||||||
|
.idea
|
||||||
|
.vscode
|
15
v1/vendor/github.com/r3labs/sse/v2/.golangci.yml
generated
vendored
Normal file
15
v1/vendor/github.com/r3labs/sse/v2/.golangci.yml
generated
vendored
Normal file
|
@ -0,0 +1,15 @@
|
||||||
|
linters:
|
||||||
|
enable-all: true
|
||||||
|
disable:
|
||||||
|
- gofmt
|
||||||
|
- gofumpt
|
||||||
|
- goimports
|
||||||
|
- golint # deprecated
|
||||||
|
- interfacer # deprecated
|
||||||
|
- maligned # deprecated
|
||||||
|
- scopelint # deprecated
|
||||||
|
- varnamelen
|
||||||
|
|
||||||
|
linters-settings:
|
||||||
|
govet:
|
||||||
|
enable-all: true
|
80
v1/vendor/github.com/r3labs/sse/v2/CONTRIBUTING.md
generated
vendored
Normal file
80
v1/vendor/github.com/r3labs/sse/v2/CONTRIBUTING.md
generated
vendored
Normal file
|
@ -0,0 +1,80 @@
|
||||||
|
# Contributing guidelines
|
||||||
|
|
||||||
|
Looking to contribute something to this project? Here's how you can help:
|
||||||
|
|
||||||
|
Please take a moment to review this document in order to make the contribution process easy and effective for everyone involved.
|
||||||
|
|
||||||
|
Following these guidelines helps to communicate that you respect the time of the developers managing and developing this open source project. In return, they should reciprocate that respect in addressing your issue or assessing patches and features.
|
||||||
|
|
||||||
|
We also have a [code of conduct](https://ernest.io/conduct).
|
||||||
|
|
||||||
|
## Using the issue tracker
|
||||||
|
|
||||||
|
The issue tracker is the preferred channel for [bug reports](#bug-reports), [features requests](#feature-requests) and [submitting pull requests](#pull-requests), but please respect the following restrictions:
|
||||||
|
|
||||||
|
* Please **do not** use the issue tracker for personal support requests.
|
||||||
|
|
||||||
|
* Please **do not** derail issues. Keep the discussion on topic and
|
||||||
|
respect the opinions of others.
|
||||||
|
|
||||||
|
<a name="bugs"></a>
|
||||||
|
## Bug reports
|
||||||
|
|
||||||
|
A bug is a _demonstrable problem_ that is caused by the code in the repository.
|
||||||
|
Good bug reports are extremely helpful - thank you!
|
||||||
|
|
||||||
|
Guidelines for bug reports:
|
||||||
|
|
||||||
|
1. **Use the GitHub issue search** — check if the issue has already been
|
||||||
|
reported.
|
||||||
|
|
||||||
|
2. **Check if the issue has been fixed** — try to reproduce it using the
|
||||||
|
latest `master` or `develop` branch in the repository.
|
||||||
|
|
||||||
|
3. **Isolate the problem** — create a reduced test case and a live example.
|
||||||
|
|
||||||
|
A good bug report shouldn't leave others needing to chase you up for more
|
||||||
|
information. Please try to be as detailed as possible in your report. What is
|
||||||
|
your environment? What steps will reproduce the issue? Which environment experience the problem? What would you expect to be the outcome? All these
|
||||||
|
details will help people to fix any potential bugs.
|
||||||
|
|
||||||
|
Example:
|
||||||
|
|
||||||
|
> Short and descriptive example bug report title
|
||||||
|
>
|
||||||
|
> A summary of the issue and the environment in which it occurs. If
|
||||||
|
> suitable, include the steps required to reproduce the bug.
|
||||||
|
>
|
||||||
|
> 1. This is the first step
|
||||||
|
> 2. This is the second step
|
||||||
|
> 3. Further steps, etc.
|
||||||
|
>
|
||||||
|
> `<url>` - a link to the reduced test case
|
||||||
|
>
|
||||||
|
> Any other information you want to share that is relevant to the issue being
|
||||||
|
> reported. This might include the lines of code that you have identified as
|
||||||
|
> causing the bug, and potential solutions (and your opinions on their
|
||||||
|
> merits).
|
||||||
|
|
||||||
|
<a name="features"></a>
|
||||||
|
## Feature requests
|
||||||
|
|
||||||
|
Feature requests are welcome. But take a moment to find out whether your idea
|
||||||
|
fits with the scope and aims of the project. It's up to *you* to make a strong
|
||||||
|
case to convince the project's developers of the merits of this feature. Please
|
||||||
|
provide as much detail and context as possible.
|
||||||
|
|
||||||
|
<a name="pull-requests"></a>
|
||||||
|
## Pull requests
|
||||||
|
|
||||||
|
Good pull requests - patches, improvements, new features - are a fantastic
|
||||||
|
help. They should remain focused in scope and avoid containing unrelated
|
||||||
|
commits.
|
||||||
|
|
||||||
|
[**Please ask first**](https://ernest.io/community) before embarking on any significant pull request (e.g.
|
||||||
|
implementing features, refactoring code, porting to a different language),
|
||||||
|
otherwise you risk spending a lot of time working on something that the
|
||||||
|
project's developers might not want to merge into the project.
|
||||||
|
|
||||||
|
Please adhere to the coding conventions used throughout a project (indentation,
|
||||||
|
accurate comments, etc.) and any other requirements (such as test coverage).
|
373
v1/vendor/github.com/r3labs/sse/v2/LICENSE
generated
vendored
Normal file
373
v1/vendor/github.com/r3labs/sse/v2/LICENSE
generated
vendored
Normal file
|
@ -0,0 +1,373 @@
|
||||||
|
Mozilla Public License Version 2.0
|
||||||
|
==================================
|
||||||
|
|
||||||
|
1. Definitions
|
||||||
|
--------------
|
||||||
|
|
||||||
|
1.1. "Contributor"
|
||||||
|
means each individual or legal entity that creates, contributes to
|
||||||
|
the creation of, or owns Covered Software.
|
||||||
|
|
||||||
|
1.2. "Contributor Version"
|
||||||
|
means the combination of the Contributions of others (if any) used
|
||||||
|
by a Contributor and that particular Contributor's Contribution.
|
||||||
|
|
||||||
|
1.3. "Contribution"
|
||||||
|
means Covered Software of a particular Contributor.
|
||||||
|
|
||||||
|
1.4. "Covered Software"
|
||||||
|
means Source Code Form to which the initial Contributor has attached
|
||||||
|
the notice in Exhibit A, the Executable Form of such Source Code
|
||||||
|
Form, and Modifications of such Source Code Form, in each case
|
||||||
|
including portions thereof.
|
||||||
|
|
||||||
|
1.5. "Incompatible With Secondary Licenses"
|
||||||
|
means
|
||||||
|
|
||||||
|
(a) that the initial Contributor has attached the notice described
|
||||||
|
in Exhibit B to the Covered Software; or
|
||||||
|
|
||||||
|
(b) that the Covered Software was made available under the terms of
|
||||||
|
version 1.1 or earlier of the License, but not also under the
|
||||||
|
terms of a Secondary License.
|
||||||
|
|
||||||
|
1.6. "Executable Form"
|
||||||
|
means any form of the work other than Source Code Form.
|
||||||
|
|
||||||
|
1.7. "Larger Work"
|
||||||
|
means a work that combines Covered Software with other material, in
|
||||||
|
a separate file or files, that is not Covered Software.
|
||||||
|
|
||||||
|
1.8. "License"
|
||||||
|
means this document.
|
||||||
|
|
||||||
|
1.9. "Licensable"
|
||||||
|
means having the right to grant, to the maximum extent possible,
|
||||||
|
whether at the time of the initial grant or subsequently, any and
|
||||||
|
all of the rights conveyed by this License.
|
||||||
|
|
||||||
|
1.10. "Modifications"
|
||||||
|
means any of the following:
|
||||||
|
|
||||||
|
(a) any file in Source Code Form that results from an addition to,
|
||||||
|
deletion from, or modification of the contents of Covered
|
||||||
|
Software; or
|
||||||
|
|
||||||
|
(b) any new file in Source Code Form that contains any Covered
|
||||||
|
Software.
|
||||||
|
|
||||||
|
1.11. "Patent Claims" of a Contributor
|
||||||
|
means any patent claim(s), including without limitation, method,
|
||||||
|
process, and apparatus claims, in any patent Licensable by such
|
||||||
|
Contributor that would be infringed, but for the grant of the
|
||||||
|
License, by the making, using, selling, offering for sale, having
|
||||||
|
made, import, or transfer of either its Contributions or its
|
||||||
|
Contributor Version.
|
||||||
|
|
||||||
|
1.12. "Secondary License"
|
||||||
|
means either the GNU General Public License, Version 2.0, the GNU
|
||||||
|
Lesser General Public License, Version 2.1, the GNU Affero General
|
||||||
|
Public License, Version 3.0, or any later versions of those
|
||||||
|
licenses.
|
||||||
|
|
||||||
|
1.13. "Source Code Form"
|
||||||
|
means the form of the work preferred for making modifications.
|
||||||
|
|
||||||
|
1.14. "You" (or "Your")
|
||||||
|
means an individual or a legal entity exercising rights under this
|
||||||
|
License. For legal entities, "You" includes any entity that
|
||||||
|
controls, is controlled by, or is under common control with You. For
|
||||||
|
purposes of this definition, "control" means (a) the power, direct
|
||||||
|
or indirect, to cause the direction or management of such entity,
|
||||||
|
whether by contract or otherwise, or (b) ownership of more than
|
||||||
|
fifty percent (50%) of the outstanding shares or beneficial
|
||||||
|
ownership of such entity.
|
||||||
|
|
||||||
|
2. License Grants and Conditions
|
||||||
|
--------------------------------
|
||||||
|
|
||||||
|
2.1. Grants
|
||||||
|
|
||||||
|
Each Contributor hereby grants You a world-wide, royalty-free,
|
||||||
|
non-exclusive license:
|
||||||
|
|
||||||
|
(a) under intellectual property rights (other than patent or trademark)
|
||||||
|
Licensable by such Contributor to use, reproduce, make available,
|
||||||
|
modify, display, perform, distribute, and otherwise exploit its
|
||||||
|
Contributions, either on an unmodified basis, with Modifications, or
|
||||||
|
as part of a Larger Work; and
|
||||||
|
|
||||||
|
(b) under Patent Claims of such Contributor to make, use, sell, offer
|
||||||
|
for sale, have made, import, and otherwise transfer either its
|
||||||
|
Contributions or its Contributor Version.
|
||||||
|
|
||||||
|
2.2. Effective Date
|
||||||
|
|
||||||
|
The licenses granted in Section 2.1 with respect to any Contribution
|
||||||
|
become effective for each Contribution on the date the Contributor first
|
||||||
|
distributes such Contribution.
|
||||||
|
|
||||||
|
2.3. Limitations on Grant Scope
|
||||||
|
|
||||||
|
The licenses granted in this Section 2 are the only rights granted under
|
||||||
|
this License. No additional rights or licenses will be implied from the
|
||||||
|
distribution or licensing of Covered Software under this License.
|
||||||
|
Notwithstanding Section 2.1(b) above, no patent license is granted by a
|
||||||
|
Contributor:
|
||||||
|
|
||||||
|
(a) for any code that a Contributor has removed from Covered Software;
|
||||||
|
or
|
||||||
|
|
||||||
|
(b) for infringements caused by: (i) Your and any other third party's
|
||||||
|
modifications of Covered Software, or (ii) the combination of its
|
||||||
|
Contributions with other software (except as part of its Contributor
|
||||||
|
Version); or
|
||||||
|
|
||||||
|
(c) under Patent Claims infringed by Covered Software in the absence of
|
||||||
|
its Contributions.
|
||||||
|
|
||||||
|
This License does not grant any rights in the trademarks, service marks,
|
||||||
|
or logos of any Contributor (except as may be necessary to comply with
|
||||||
|
the notice requirements in Section 3.4).
|
||||||
|
|
||||||
|
2.4. Subsequent Licenses
|
||||||
|
|
||||||
|
No Contributor makes additional grants as a result of Your choice to
|
||||||
|
distribute the Covered Software under a subsequent version of this
|
||||||
|
License (see Section 10.2) or under the terms of a Secondary License (if
|
||||||
|
permitted under the terms of Section 3.3).
|
||||||
|
|
||||||
|
2.5. Representation
|
||||||
|
|
||||||
|
Each Contributor represents that the Contributor believes its
|
||||||
|
Contributions are its original creation(s) or it has sufficient rights
|
||||||
|
to grant the rights to its Contributions conveyed by this License.
|
||||||
|
|
||||||
|
2.6. Fair Use
|
||||||
|
|
||||||
|
This License is not intended to limit any rights You have under
|
||||||
|
applicable copyright doctrines of fair use, fair dealing, or other
|
||||||
|
equivalents.
|
||||||
|
|
||||||
|
2.7. Conditions
|
||||||
|
|
||||||
|
Sections 3.1, 3.2, 3.3, and 3.4 are conditions of the licenses granted
|
||||||
|
in Section 2.1.
|
||||||
|
|
||||||
|
3. Responsibilities
|
||||||
|
-------------------
|
||||||
|
|
||||||
|
3.1. Distribution of Source Form
|
||||||
|
|
||||||
|
All distribution of Covered Software in Source Code Form, including any
|
||||||
|
Modifications that You create or to which You contribute, must be under
|
||||||
|
the terms of this License. You must inform recipients that the Source
|
||||||
|
Code Form of the Covered Software is governed by the terms of this
|
||||||
|
License, and how they can obtain a copy of this License. You may not
|
||||||
|
attempt to alter or restrict the recipients' rights in the Source Code
|
||||||
|
Form.
|
||||||
|
|
||||||
|
3.2. Distribution of Executable Form
|
||||||
|
|
||||||
|
If You distribute Covered Software in Executable Form then:
|
||||||
|
|
||||||
|
(a) such Covered Software must also be made available in Source Code
|
||||||
|
Form, as described in Section 3.1, and You must inform recipients of
|
||||||
|
the Executable Form how they can obtain a copy of such Source Code
|
||||||
|
Form by reasonable means in a timely manner, at a charge no more
|
||||||
|
than the cost of distribution to the recipient; and
|
||||||
|
|
||||||
|
(b) You may distribute such Executable Form under the terms of this
|
||||||
|
License, or sublicense it under different terms, provided that the
|
||||||
|
license for the Executable Form does not attempt to limit or alter
|
||||||
|
the recipients' rights in the Source Code Form under this License.
|
||||||
|
|
||||||
|
3.3. Distribution of a Larger Work
|
||||||
|
|
||||||
|
You may create and distribute a Larger Work under terms of Your choice,
|
||||||
|
provided that You also comply with the requirements of this License for
|
||||||
|
the Covered Software. If the Larger Work is a combination of Covered
|
||||||
|
Software with a work governed by one or more Secondary Licenses, and the
|
||||||
|
Covered Software is not Incompatible With Secondary Licenses, this
|
||||||
|
License permits You to additionally distribute such Covered Software
|
||||||
|
under the terms of such Secondary License(s), so that the recipient of
|
||||||
|
the Larger Work may, at their option, further distribute the Covered
|
||||||
|
Software under the terms of either this License or such Secondary
|
||||||
|
License(s).
|
||||||
|
|
||||||
|
3.4. Notices
|
||||||
|
|
||||||
|
You may not remove or alter the substance of any license notices
|
||||||
|
(including copyright notices, patent notices, disclaimers of warranty,
|
||||||
|
or limitations of liability) contained within the Source Code Form of
|
||||||
|
the Covered Software, except that You may alter any license notices to
|
||||||
|
the extent required to remedy known factual inaccuracies.
|
||||||
|
|
||||||
|
3.5. Application of Additional Terms
|
||||||
|
|
||||||
|
You may choose to offer, and to charge a fee for, warranty, support,
|
||||||
|
indemnity or liability obligations to one or more recipients of Covered
|
||||||
|
Software. However, You may do so only on Your own behalf, and not on
|
||||||
|
behalf of any Contributor. You must make it absolutely clear that any
|
||||||
|
such warranty, support, indemnity, or liability obligation is offered by
|
||||||
|
You alone, and You hereby agree to indemnify every Contributor for any
|
||||||
|
liability incurred by such Contributor as a result of warranty, support,
|
||||||
|
indemnity or liability terms You offer. You may include additional
|
||||||
|
disclaimers of warranty and limitations of liability specific to any
|
||||||
|
jurisdiction.
|
||||||
|
|
||||||
|
4. Inability to Comply Due to Statute or Regulation
|
||||||
|
---------------------------------------------------
|
||||||
|
|
||||||
|
If it is impossible for You to comply with any of the terms of this
|
||||||
|
License with respect to some or all of the Covered Software due to
|
||||||
|
statute, judicial order, or regulation then You must: (a) comply with
|
||||||
|
the terms of this License to the maximum extent possible; and (b)
|
||||||
|
describe the limitations and the code they affect. Such description must
|
||||||
|
be placed in a text file included with all distributions of the Covered
|
||||||
|
Software under this License. Except to the extent prohibited by statute
|
||||||
|
or regulation, such description must be sufficiently detailed for a
|
||||||
|
recipient of ordinary skill to be able to understand it.
|
||||||
|
|
||||||
|
5. Termination
|
||||||
|
--------------
|
||||||
|
|
||||||
|
5.1. The rights granted under this License will terminate automatically
|
||||||
|
if You fail to comply with any of its terms. However, if You become
|
||||||
|
compliant, then the rights granted under this License from a particular
|
||||||
|
Contributor are reinstated (a) provisionally, unless and until such
|
||||||
|
Contributor explicitly and finally terminates Your grants, and (b) on an
|
||||||
|
ongoing basis, if such Contributor fails to notify You of the
|
||||||
|
non-compliance by some reasonable means prior to 60 days after You have
|
||||||
|
come back into compliance. Moreover, Your grants from a particular
|
||||||
|
Contributor are reinstated on an ongoing basis if such Contributor
|
||||||
|
notifies You of the non-compliance by some reasonable means, this is the
|
||||||
|
first time You have received notice of non-compliance with this License
|
||||||
|
from such Contributor, and You become compliant prior to 30 days after
|
||||||
|
Your receipt of the notice.
|
||||||
|
|
||||||
|
5.2. If You initiate litigation against any entity by asserting a patent
|
||||||
|
infringement claim (excluding declaratory judgment actions,
|
||||||
|
counter-claims, and cross-claims) alleging that a Contributor Version
|
||||||
|
directly or indirectly infringes any patent, then the rights granted to
|
||||||
|
You by any and all Contributors for the Covered Software under Section
|
||||||
|
2.1 of this License shall terminate.
|
||||||
|
|
||||||
|
5.3. In the event of termination under Sections 5.1 or 5.2 above, all
|
||||||
|
end user license agreements (excluding distributors and resellers) which
|
||||||
|
have been validly granted by You or Your distributors under this License
|
||||||
|
prior to termination shall survive termination.
|
||||||
|
|
||||||
|
************************************************************************
|
||||||
|
* *
|
||||||
|
* 6. Disclaimer of Warranty *
|
||||||
|
* ------------------------- *
|
||||||
|
* *
|
||||||
|
* Covered Software is provided under this License on an "as is" *
|
||||||
|
* basis, without warranty of any kind, either expressed, implied, or *
|
||||||
|
* statutory, including, without limitation, warranties that the *
|
||||||
|
* Covered Software is free of defects, merchantable, fit for a *
|
||||||
|
* particular purpose or non-infringing. The entire risk as to the *
|
||||||
|
* quality and performance of the Covered Software is with You. *
|
||||||
|
* Should any Covered Software prove defective in any respect, You *
|
||||||
|
* (not any Contributor) assume the cost of any necessary servicing, *
|
||||||
|
* repair, or correction. This disclaimer of warranty constitutes an *
|
||||||
|
* essential part of this License. No use of any Covered Software is *
|
||||||
|
* authorized under this License except under this disclaimer. *
|
||||||
|
* *
|
||||||
|
************************************************************************
|
||||||
|
|
||||||
|
************************************************************************
|
||||||
|
* *
|
||||||
|
* 7. Limitation of Liability *
|
||||||
|
* -------------------------- *
|
||||||
|
* *
|
||||||
|
* Under no circumstances and under no legal theory, whether tort *
|
||||||
|
* (including negligence), contract, or otherwise, shall any *
|
||||||
|
* Contributor, or anyone who distributes Covered Software as *
|
||||||
|
* permitted above, be liable to You for any direct, indirect, *
|
||||||
|
* special, incidental, or consequential damages of any character *
|
||||||
|
* including, without limitation, damages for lost profits, loss of *
|
||||||
|
* goodwill, work stoppage, computer failure or malfunction, or any *
|
||||||
|
* and all other commercial damages or losses, even if such party *
|
||||||
|
* shall have been informed of the possibility of such damages. This *
|
||||||
|
* limitation of liability shall not apply to liability for death or *
|
||||||
|
* personal injury resulting from such party's negligence to the *
|
||||||
|
* extent applicable law prohibits such limitation. Some *
|
||||||
|
* jurisdictions do not allow the exclusion or limitation of *
|
||||||
|
* incidental or consequential damages, so this exclusion and *
|
||||||
|
* limitation may not apply to You. *
|
||||||
|
* *
|
||||||
|
************************************************************************
|
||||||
|
|
||||||
|
8. Litigation
|
||||||
|
-------------
|
||||||
|
|
||||||
|
Any litigation relating to this License may be brought only in the
|
||||||
|
courts of a jurisdiction where the defendant maintains its principal
|
||||||
|
place of business and such litigation shall be governed by laws of that
|
||||||
|
jurisdiction, without reference to its conflict-of-law provisions.
|
||||||
|
Nothing in this Section shall prevent a party's ability to bring
|
||||||
|
cross-claims or counter-claims.
|
||||||
|
|
||||||
|
9. Miscellaneous
|
||||||
|
----------------
|
||||||
|
|
||||||
|
This License represents the complete agreement concerning the subject
|
||||||
|
matter hereof. If any provision of this License is held to be
|
||||||
|
unenforceable, such provision shall be reformed only to the extent
|
||||||
|
necessary to make it enforceable. Any law or regulation which provides
|
||||||
|
that the language of a contract shall be construed against the drafter
|
||||||
|
shall not be used to construe this License against a Contributor.
|
||||||
|
|
||||||
|
10. Versions of the License
|
||||||
|
---------------------------
|
||||||
|
|
||||||
|
10.1. New Versions
|
||||||
|
|
||||||
|
Mozilla Foundation is the license steward. Except as provided in Section
|
||||||
|
10.3, no one other than the license steward has the right to modify or
|
||||||
|
publish new versions of this License. Each version will be given a
|
||||||
|
distinguishing version number.
|
||||||
|
|
||||||
|
10.2. Effect of New Versions
|
||||||
|
|
||||||
|
You may distribute the Covered Software under the terms of the version
|
||||||
|
of the License under which You originally received the Covered Software,
|
||||||
|
or under the terms of any subsequent version published by the license
|
||||||
|
steward.
|
||||||
|
|
||||||
|
10.3. Modified Versions
|
||||||
|
|
||||||
|
If you create software not governed by this License, and you want to
|
||||||
|
create a new license for such software, you may create and use a
|
||||||
|
modified version of this License if you rename the license and remove
|
||||||
|
any references to the name of the license steward (except to note that
|
||||||
|
such modified license differs from this License).
|
||||||
|
|
||||||
|
10.4. Distributing Source Code Form that is Incompatible With Secondary
|
||||||
|
Licenses
|
||||||
|
|
||||||
|
If You choose to distribute Source Code Form that is Incompatible With
|
||||||
|
Secondary Licenses under the terms of this version of the License, the
|
||||||
|
notice described in Exhibit B of this License must be attached.
|
||||||
|
|
||||||
|
Exhibit A - Source Code Form License Notice
|
||||||
|
-------------------------------------------
|
||||||
|
|
||||||
|
This Source Code Form is subject to the terms of the Mozilla Public
|
||||||
|
License, v. 2.0. If a copy of the MPL was not distributed with this
|
||||||
|
file, You can obtain one at http://mozilla.org/MPL/2.0/.
|
||||||
|
|
||||||
|
If it is not possible or desirable to put the notice in a particular
|
||||||
|
file, then You may include the notice in a location (such as a LICENSE
|
||||||
|
file in a relevant directory) where a recipient would be likely to look
|
||||||
|
for such a notice.
|
||||||
|
|
||||||
|
You may add additional accurate notices of copyright ownership.
|
||||||
|
|
||||||
|
Exhibit B - "Incompatible With Secondary Licenses" Notice
|
||||||
|
---------------------------------------------------------
|
||||||
|
|
||||||
|
This Source Code Form is "Incompatible With Secondary Licenses", as
|
||||||
|
defined by the Mozilla Public License, v. 2.0.
|
20
v1/vendor/github.com/r3labs/sse/v2/Makefile
generated
vendored
Normal file
20
v1/vendor/github.com/r3labs/sse/v2/Makefile
generated
vendored
Normal file
|
@ -0,0 +1,20 @@
|
||||||
|
install:
|
||||||
|
go install -v
|
||||||
|
|
||||||
|
build:
|
||||||
|
go build -v ./...
|
||||||
|
|
||||||
|
lint:
|
||||||
|
golint ./...
|
||||||
|
go vet ./...
|
||||||
|
|
||||||
|
test:
|
||||||
|
go test -v ./... --cover
|
||||||
|
|
||||||
|
deps:
|
||||||
|
go get -u gopkg.in/cenkalti/backoff.v1
|
||||||
|
go get -u github.com/golang/lint/golint
|
||||||
|
go get -u github.com/stretchr/testify
|
||||||
|
|
||||||
|
clean:
|
||||||
|
go clean
|
191
v1/vendor/github.com/r3labs/sse/v2/README.md
generated
vendored
Normal file
191
v1/vendor/github.com/r3labs/sse/v2/README.md
generated
vendored
Normal file
|
@ -0,0 +1,191 @@
|
||||||
|
# SSE - Server Sent Events Client/Server Library for Go
|
||||||
|
|
||||||
|
## Synopsis
|
||||||
|
|
||||||
|
SSE is a client/server implementation for Server Sent Events for Golang.
|
||||||
|
|
||||||
|
## Build status
|
||||||
|
|
||||||
|
* Master: [![CircleCI Master](https://circleci.com/gh/r3labs/sse.svg?style=svg)](https://circleci.com/gh/r3labs/sse)
|
||||||
|
|
||||||
|
## Quick start
|
||||||
|
|
||||||
|
To install:
|
||||||
|
```
|
||||||
|
go get github.com/r3labs/sse/v2
|
||||||
|
```
|
||||||
|
|
||||||
|
To Test:
|
||||||
|
|
||||||
|
```sh
|
||||||
|
$ make deps
|
||||||
|
$ make test
|
||||||
|
```
|
||||||
|
|
||||||
|
#### Example Server
|
||||||
|
|
||||||
|
There are two parts of the server. It is comprised of the message scheduler and a http handler function.
|
||||||
|
The messaging system is started when running:
|
||||||
|
|
||||||
|
```go
|
||||||
|
func main() {
|
||||||
|
server := sse.New()
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
To add a stream to this handler:
|
||||||
|
|
||||||
|
```go
|
||||||
|
func main() {
|
||||||
|
server := sse.New()
|
||||||
|
server.CreateStream("messages")
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
This creates a new stream inside of the scheduler. Seeing as there are no consumers, publishing a message to this channel will do nothing.
|
||||||
|
Clients can connect to this stream once the http handler is started by specifying _stream_ as a url parameter, like so:
|
||||||
|
|
||||||
|
```
|
||||||
|
http://server/events?stream=messages
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
|
In order to start the http server:
|
||||||
|
|
||||||
|
```go
|
||||||
|
func main() {
|
||||||
|
server := sse.New()
|
||||||
|
|
||||||
|
// Create a new Mux and set the handler
|
||||||
|
mux := http.NewServeMux()
|
||||||
|
mux.HandleFunc("/events", server.ServeHTTP)
|
||||||
|
|
||||||
|
http.ListenAndServe(":8080", mux)
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
To publish messages to a stream:
|
||||||
|
|
||||||
|
```go
|
||||||
|
func main() {
|
||||||
|
server := sse.New()
|
||||||
|
|
||||||
|
// Publish a payload to the stream
|
||||||
|
server.Publish("messages", &sse.Event{
|
||||||
|
Data: []byte("ping"),
|
||||||
|
})
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Please note there must be a stream with the name you specify and there must be subscribers to that stream
|
||||||
|
|
||||||
|
A way to detect disconnected clients:
|
||||||
|
|
||||||
|
```go
|
||||||
|
func main() {
|
||||||
|
server := sse.New()
|
||||||
|
|
||||||
|
mux := http.NewServeMux()
|
||||||
|
mux.HandleFunc("/events", func(w http.ResponseWriter, r *http.Request) {
|
||||||
|
go func() {
|
||||||
|
// Received Browser Disconnection
|
||||||
|
<-r.Context().Done()
|
||||||
|
println("The client is disconnected here")
|
||||||
|
return
|
||||||
|
}()
|
||||||
|
|
||||||
|
server.ServeHTTP(w, r)
|
||||||
|
})
|
||||||
|
|
||||||
|
http.ListenAndServe(":8080", mux)
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
#### Example Client
|
||||||
|
|
||||||
|
The client exposes a way to connect to an SSE server. The client can also handle multiple events under the same url.
|
||||||
|
|
||||||
|
To create a new client:
|
||||||
|
|
||||||
|
```go
|
||||||
|
func main() {
|
||||||
|
client := sse.NewClient("http://server/events")
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
To subscribe to an event stream, please use the Subscribe function. This accepts the name of the stream and a handler function:
|
||||||
|
|
||||||
|
```go
|
||||||
|
func main() {
|
||||||
|
client := sse.NewClient("http://server/events")
|
||||||
|
|
||||||
|
client.Subscribe("messages", func(msg *sse.Event) {
|
||||||
|
// Got some data!
|
||||||
|
fmt.Println(msg.Data)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Please note that this function will block the current thread. You can run this function in a go routine.
|
||||||
|
|
||||||
|
If you wish to have events sent to a channel, you can use SubscribeChan:
|
||||||
|
|
||||||
|
```go
|
||||||
|
func main() {
|
||||||
|
events := make(chan *sse.Event)
|
||||||
|
|
||||||
|
client := sse.NewClient("http://server/events")
|
||||||
|
client.SubscribeChan("messages", events)
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
#### HTTP client parameters
|
||||||
|
|
||||||
|
To add additional parameters to the http client, such as disabling ssl verification for self signed certs, you can override the http client or update its options:
|
||||||
|
|
||||||
|
```go
|
||||||
|
func main() {
|
||||||
|
client := sse.NewClient("http://server/events")
|
||||||
|
client.Connection.Transport = &http.Transport{
|
||||||
|
TLSClientConfig: &tls.Config{InsecureSkipVerify: true},
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
#### URL query parameters
|
||||||
|
|
||||||
|
To set custom query parameters on the client or disable the stream parameter altogether:
|
||||||
|
|
||||||
|
```go
|
||||||
|
func main() {
|
||||||
|
client := sse.NewClient("http://server/events?search=example")
|
||||||
|
|
||||||
|
client.SubscribeRaw(func(msg *sse.Event) {
|
||||||
|
// Got some data!
|
||||||
|
fmt.Println(msg.Data)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
|
## Contributing
|
||||||
|
|
||||||
|
Please read through our
|
||||||
|
[contributing guidelines](CONTRIBUTING.md).
|
||||||
|
Included are directions for opening issues, coding standards, and notes on
|
||||||
|
development.
|
||||||
|
|
||||||
|
Moreover, if your pull request contains patches or features, you must include
|
||||||
|
relevant unit tests.
|
||||||
|
|
||||||
|
## Versioning
|
||||||
|
|
||||||
|
For transparency into our release cycle and in striving to maintain backward
|
||||||
|
compatibility, this project is maintained under [the Semantic Versioning guidelines](http://semver.org/).
|
||||||
|
|
||||||
|
## Copyright and License
|
||||||
|
|
||||||
|
Code and documentation copyright since 2015 r3labs.io authors.
|
||||||
|
|
||||||
|
Code released under
|
||||||
|
[the Mozilla Public License Version 2.0](LICENSE).
|
390
v1/vendor/github.com/r3labs/sse/v2/client.go
generated
vendored
Normal file
390
v1/vendor/github.com/r3labs/sse/v2/client.go
generated
vendored
Normal file
|
@ -0,0 +1,390 @@
|
||||||
|
/* This Source Code Form is subject to the terms of the Mozilla Public
|
||||||
|
* License, v. 2.0. If a copy of the MPL was not distributed with this
|
||||||
|
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
|
||||||
|
|
||||||
|
package sse
|
||||||
|
|
||||||
|
import (
|
||||||
|
"bytes"
|
||||||
|
"context"
|
||||||
|
"encoding/base64"
|
||||||
|
"errors"
|
||||||
|
"fmt"
|
||||||
|
"io"
|
||||||
|
"net/http"
|
||||||
|
"sync"
|
||||||
|
"sync/atomic"
|
||||||
|
"time"
|
||||||
|
|
||||||
|
"gopkg.in/cenkalti/backoff.v1"
|
||||||
|
)
|
||||||
|
|
||||||
|
var (
|
||||||
|
headerID = []byte("id:")
|
||||||
|
headerData = []byte("data:")
|
||||||
|
headerEvent = []byte("event:")
|
||||||
|
headerRetry = []byte("retry:")
|
||||||
|
)
|
||||||
|
|
||||||
|
func ClientMaxBufferSize(s int) func(c *Client) {
|
||||||
|
return func(c *Client) {
|
||||||
|
c.maxBufferSize = s
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ConnCallback defines a function to be called on a particular connection event
|
||||||
|
type ConnCallback func(c *Client)
|
||||||
|
|
||||||
|
// ResponseValidator validates a response
|
||||||
|
type ResponseValidator func(c *Client, resp *http.Response) error
|
||||||
|
|
||||||
|
// Client handles an incoming server stream
|
||||||
|
type Client struct {
|
||||||
|
Retry time.Time
|
||||||
|
ReconnectStrategy backoff.BackOff
|
||||||
|
disconnectcb ConnCallback
|
||||||
|
connectedcb ConnCallback
|
||||||
|
subscribed map[chan *Event]chan struct{}
|
||||||
|
Headers map[string]string
|
||||||
|
ReconnectNotify backoff.Notify
|
||||||
|
ResponseValidator ResponseValidator
|
||||||
|
Connection *http.Client
|
||||||
|
URL string
|
||||||
|
LastEventID atomic.Value // []byte
|
||||||
|
maxBufferSize int
|
||||||
|
mu sync.Mutex
|
||||||
|
EncodingBase64 bool
|
||||||
|
Connected bool
|
||||||
|
}
|
||||||
|
|
||||||
|
// NewClient creates a new client
|
||||||
|
func NewClient(url string, opts ...func(c *Client)) *Client {
|
||||||
|
c := &Client{
|
||||||
|
URL: url,
|
||||||
|
Connection: &http.Client{},
|
||||||
|
Headers: make(map[string]string),
|
||||||
|
subscribed: make(map[chan *Event]chan struct{}),
|
||||||
|
maxBufferSize: 1 << 16,
|
||||||
|
}
|
||||||
|
|
||||||
|
for _, opt := range opts {
|
||||||
|
opt(c)
|
||||||
|
}
|
||||||
|
|
||||||
|
return c
|
||||||
|
}
|
||||||
|
|
||||||
|
// Subscribe to a data stream
|
||||||
|
func (c *Client) Subscribe(stream string, handler func(msg *Event)) error {
|
||||||
|
return c.SubscribeWithContext(context.Background(), stream, handler)
|
||||||
|
}
|
||||||
|
|
||||||
|
// SubscribeWithContext to a data stream with context
|
||||||
|
func (c *Client) SubscribeWithContext(ctx context.Context, stream string, handler func(msg *Event)) error {
|
||||||
|
operation := func() error {
|
||||||
|
resp, err := c.request(ctx, stream)
|
||||||
|
if err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
if validator := c.ResponseValidator; validator != nil {
|
||||||
|
err = validator(c, resp)
|
||||||
|
if err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
} else if resp.StatusCode != 200 {
|
||||||
|
resp.Body.Close()
|
||||||
|
return fmt.Errorf("could not connect to stream: %s", http.StatusText(resp.StatusCode))
|
||||||
|
}
|
||||||
|
defer resp.Body.Close()
|
||||||
|
|
||||||
|
reader := NewEventStreamReader(resp.Body, c.maxBufferSize)
|
||||||
|
eventChan, errorChan := c.startReadLoop(reader)
|
||||||
|
|
||||||
|
for {
|
||||||
|
select {
|
||||||
|
case err = <-errorChan:
|
||||||
|
return err
|
||||||
|
case msg := <-eventChan:
|
||||||
|
handler(msg)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Apply user specified reconnection strategy or default to standard NewExponentialBackOff() reconnection method
|
||||||
|
var err error
|
||||||
|
if c.ReconnectStrategy != nil {
|
||||||
|
err = backoff.RetryNotify(operation, c.ReconnectStrategy, c.ReconnectNotify)
|
||||||
|
} else {
|
||||||
|
err = backoff.RetryNotify(operation, backoff.NewExponentialBackOff(), c.ReconnectNotify)
|
||||||
|
}
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
|
||||||
|
// SubscribeChan sends all events to the provided channel
|
||||||
|
func (c *Client) SubscribeChan(stream string, ch chan *Event) error {
|
||||||
|
return c.SubscribeChanWithContext(context.Background(), stream, ch)
|
||||||
|
}
|
||||||
|
|
||||||
|
// SubscribeChanWithContext sends all events to the provided channel with context
|
||||||
|
func (c *Client) SubscribeChanWithContext(ctx context.Context, stream string, ch chan *Event) error {
|
||||||
|
var connected bool
|
||||||
|
errch := make(chan error)
|
||||||
|
c.mu.Lock()
|
||||||
|
c.subscribed[ch] = make(chan struct{})
|
||||||
|
c.mu.Unlock()
|
||||||
|
|
||||||
|
operation := func() error {
|
||||||
|
resp, err := c.request(ctx, stream)
|
||||||
|
if err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
if validator := c.ResponseValidator; validator != nil {
|
||||||
|
err = validator(c, resp)
|
||||||
|
if err != nil {
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
} else if resp.StatusCode != 200 {
|
||||||
|
resp.Body.Close()
|
||||||
|
return fmt.Errorf("could not connect to stream: %s", http.StatusText(resp.StatusCode))
|
||||||
|
}
|
||||||
|
defer resp.Body.Close()
|
||||||
|
|
||||||
|
if !connected {
|
||||||
|
// Notify connect
|
||||||
|
errch <- nil
|
||||||
|
connected = true
|
||||||
|
}
|
||||||
|
|
||||||
|
reader := NewEventStreamReader(resp.Body, c.maxBufferSize)
|
||||||
|
eventChan, errorChan := c.startReadLoop(reader)
|
||||||
|
|
||||||
|
for {
|
||||||
|
var msg *Event
|
||||||
|
// Wait for message to arrive or exit
|
||||||
|
select {
|
||||||
|
case <-c.subscribed[ch]:
|
||||||
|
return nil
|
||||||
|
case err = <-errorChan:
|
||||||
|
return err
|
||||||
|
case msg = <-eventChan:
|
||||||
|
}
|
||||||
|
|
||||||
|
// Wait for message to be sent or exit
|
||||||
|
if msg != nil {
|
||||||
|
select {
|
||||||
|
case <-c.subscribed[ch]:
|
||||||
|
return nil
|
||||||
|
case ch <- msg:
|
||||||
|
// message sent
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
go func() {
|
||||||
|
defer c.cleanup(ch)
|
||||||
|
// Apply user specified reconnection strategy or default to standard NewExponentialBackOff() reconnection method
|
||||||
|
var err error
|
||||||
|
if c.ReconnectStrategy != nil {
|
||||||
|
err = backoff.RetryNotify(operation, c.ReconnectStrategy, c.ReconnectNotify)
|
||||||
|
} else {
|
||||||
|
err = backoff.RetryNotify(operation, backoff.NewExponentialBackOff(), c.ReconnectNotify)
|
||||||
|
}
|
||||||
|
|
||||||
|
// channel closed once connected
|
||||||
|
if err != nil && !connected {
|
||||||
|
errch <- err
|
||||||
|
}
|
||||||
|
}()
|
||||||
|
err := <-errch
|
||||||
|
close(errch)
|
||||||
|
return err
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c *Client) startReadLoop(reader *EventStreamReader) (chan *Event, chan error) {
|
||||||
|
outCh := make(chan *Event)
|
||||||
|
erChan := make(chan error)
|
||||||
|
go c.readLoop(reader, outCh, erChan)
|
||||||
|
return outCh, erChan
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c *Client) readLoop(reader *EventStreamReader, outCh chan *Event, erChan chan error) {
|
||||||
|
for {
|
||||||
|
// Read each new line and process the type of event
|
||||||
|
event, err := reader.ReadEvent()
|
||||||
|
if err != nil {
|
||||||
|
if err == io.EOF {
|
||||||
|
erChan <- nil
|
||||||
|
return
|
||||||
|
}
|
||||||
|
// run user specified disconnect function
|
||||||
|
if c.disconnectcb != nil {
|
||||||
|
c.Connected = false
|
||||||
|
c.disconnectcb(c)
|
||||||
|
}
|
||||||
|
erChan <- err
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
if !c.Connected && c.connectedcb != nil {
|
||||||
|
c.Connected = true
|
||||||
|
c.connectedcb(c)
|
||||||
|
}
|
||||||
|
|
||||||
|
// If we get an error, ignore it.
|
||||||
|
var msg *Event
|
||||||
|
if msg, err = c.processEvent(event); err == nil {
|
||||||
|
if len(msg.ID) > 0 {
|
||||||
|
c.LastEventID.Store(msg.ID)
|
||||||
|
} else {
|
||||||
|
msg.ID, _ = c.LastEventID.Load().([]byte)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Send downstream if the event has something useful
|
||||||
|
if msg.hasContent() {
|
||||||
|
outCh <- msg
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// SubscribeRaw to an sse endpoint
|
||||||
|
func (c *Client) SubscribeRaw(handler func(msg *Event)) error {
|
||||||
|
return c.Subscribe("", handler)
|
||||||
|
}
|
||||||
|
|
||||||
|
// SubscribeRawWithContext to an sse endpoint with context
|
||||||
|
func (c *Client) SubscribeRawWithContext(ctx context.Context, handler func(msg *Event)) error {
|
||||||
|
return c.SubscribeWithContext(ctx, "", handler)
|
||||||
|
}
|
||||||
|
|
||||||
|
// SubscribeChanRaw sends all events to the provided channel
|
||||||
|
func (c *Client) SubscribeChanRaw(ch chan *Event) error {
|
||||||
|
return c.SubscribeChan("", ch)
|
||||||
|
}
|
||||||
|
|
||||||
|
// SubscribeChanRawWithContext sends all events to the provided channel with context
|
||||||
|
func (c *Client) SubscribeChanRawWithContext(ctx context.Context, ch chan *Event) error {
|
||||||
|
return c.SubscribeChanWithContext(ctx, "", ch)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Unsubscribe unsubscribes a channel
|
||||||
|
func (c *Client) Unsubscribe(ch chan *Event) {
|
||||||
|
c.mu.Lock()
|
||||||
|
defer c.mu.Unlock()
|
||||||
|
|
||||||
|
if c.subscribed[ch] != nil {
|
||||||
|
c.subscribed[ch] <- struct{}{}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// OnDisconnect specifies the function to run when the connection disconnects
|
||||||
|
func (c *Client) OnDisconnect(fn ConnCallback) {
|
||||||
|
c.disconnectcb = fn
|
||||||
|
}
|
||||||
|
|
||||||
|
// OnConnect specifies the function to run when the connection is successful
|
||||||
|
func (c *Client) OnConnect(fn ConnCallback) {
|
||||||
|
c.connectedcb = fn
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c *Client) request(ctx context.Context, stream string) (*http.Response, error) {
|
||||||
|
req, err := http.NewRequest("GET", c.URL, nil)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
req = req.WithContext(ctx)
|
||||||
|
|
||||||
|
// Setup request, specify stream to connect to
|
||||||
|
if stream != "" {
|
||||||
|
query := req.URL.Query()
|
||||||
|
query.Add("stream", stream)
|
||||||
|
req.URL.RawQuery = query.Encode()
|
||||||
|
}
|
||||||
|
|
||||||
|
req.Header.Set("Cache-Control", "no-cache")
|
||||||
|
req.Header.Set("Accept", "text/event-stream")
|
||||||
|
req.Header.Set("Connection", "keep-alive")
|
||||||
|
|
||||||
|
lastID, exists := c.LastEventID.Load().([]byte)
|
||||||
|
if exists && lastID != nil {
|
||||||
|
req.Header.Set("Last-Event-ID", string(lastID))
|
||||||
|
}
|
||||||
|
|
||||||
|
// Add user specified headers
|
||||||
|
for k, v := range c.Headers {
|
||||||
|
req.Header.Set(k, v)
|
||||||
|
}
|
||||||
|
|
||||||
|
return c.Connection.Do(req)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c *Client) processEvent(msg []byte) (event *Event, err error) {
|
||||||
|
var e Event
|
||||||
|
|
||||||
|
if len(msg) < 1 {
|
||||||
|
return nil, errors.New("event message was empty")
|
||||||
|
}
|
||||||
|
|
||||||
|
// Normalize the crlf to lf to make it easier to split the lines.
|
||||||
|
// Split the line by "\n" or "\r", per the spec.
|
||||||
|
for _, line := range bytes.FieldsFunc(msg, func(r rune) bool { return r == '\n' || r == '\r' }) {
|
||||||
|
switch {
|
||||||
|
case bytes.HasPrefix(line, headerID):
|
||||||
|
e.ID = append([]byte(nil), trimHeader(len(headerID), line)...)
|
||||||
|
case bytes.HasPrefix(line, headerData):
|
||||||
|
// The spec allows for multiple data fields per event, concatenated them with "\n".
|
||||||
|
e.Data = append(e.Data[:], append(trimHeader(len(headerData), line), byte('\n'))...)
|
||||||
|
// The spec says that a line that simply contains the string "data" should be treated as a data field with an empty body.
|
||||||
|
case bytes.Equal(line, bytes.TrimSuffix(headerData, []byte(":"))):
|
||||||
|
e.Data = append(e.Data, byte('\n'))
|
||||||
|
case bytes.HasPrefix(line, headerEvent):
|
||||||
|
e.Event = append([]byte(nil), trimHeader(len(headerEvent), line)...)
|
||||||
|
case bytes.HasPrefix(line, headerRetry):
|
||||||
|
e.Retry = append([]byte(nil), trimHeader(len(headerRetry), line)...)
|
||||||
|
default:
|
||||||
|
// Ignore any garbage that doesn't match what we're looking for.
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Trim the last "\n" per the spec.
|
||||||
|
e.Data = bytes.TrimSuffix(e.Data, []byte("\n"))
|
||||||
|
|
||||||
|
if c.EncodingBase64 {
|
||||||
|
buf := make([]byte, base64.StdEncoding.DecodedLen(len(e.Data)))
|
||||||
|
|
||||||
|
n, err := base64.StdEncoding.Decode(buf, e.Data)
|
||||||
|
if err != nil {
|
||||||
|
err = fmt.Errorf("failed to decode event message: %s", err)
|
||||||
|
}
|
||||||
|
e.Data = buf[:n]
|
||||||
|
}
|
||||||
|
return &e, err
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c *Client) cleanup(ch chan *Event) {
|
||||||
|
c.mu.Lock()
|
||||||
|
defer c.mu.Unlock()
|
||||||
|
|
||||||
|
if c.subscribed[ch] != nil {
|
||||||
|
close(c.subscribed[ch])
|
||||||
|
delete(c.subscribed, ch)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func trimHeader(size int, data []byte) []byte {
|
||||||
|
if data == nil || len(data) < size {
|
||||||
|
return data
|
||||||
|
}
|
||||||
|
|
||||||
|
data = data[size:]
|
||||||
|
// Remove optional leading whitespace
|
||||||
|
if len(data) > 0 && data[0] == 32 {
|
||||||
|
data = data[1:]
|
||||||
|
}
|
||||||
|
// Remove trailing new line
|
||||||
|
if len(data) > 0 && data[len(data)-1] == 10 {
|
||||||
|
data = data[:len(data)-1]
|
||||||
|
}
|
||||||
|
return data
|
||||||
|
}
|
114
v1/vendor/github.com/r3labs/sse/v2/event.go
generated
vendored
Normal file
114
v1/vendor/github.com/r3labs/sse/v2/event.go
generated
vendored
Normal file
|
@ -0,0 +1,114 @@
|
||||||
|
/* This Source Code Form is subject to the terms of the Mozilla Public
|
||||||
|
* License, v. 2.0. If a copy of the MPL was not distributed with this
|
||||||
|
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
|
||||||
|
|
||||||
|
package sse
|
||||||
|
|
||||||
|
import (
|
||||||
|
"bufio"
|
||||||
|
"bytes"
|
||||||
|
"context"
|
||||||
|
"io"
|
||||||
|
"time"
|
||||||
|
)
|
||||||
|
|
||||||
|
// Event holds all of the event source fields
|
||||||
|
type Event struct {
|
||||||
|
timestamp time.Time
|
||||||
|
ID []byte
|
||||||
|
Data []byte
|
||||||
|
Event []byte
|
||||||
|
Retry []byte
|
||||||
|
Comment []byte
|
||||||
|
}
|
||||||
|
|
||||||
|
func (e *Event) hasContent() bool {
|
||||||
|
return len(e.ID) > 0 || len(e.Data) > 0 || len(e.Event) > 0 || len(e.Retry) > 0
|
||||||
|
}
|
||||||
|
|
||||||
|
// EventStreamReader scans an io.Reader looking for EventStream messages.
|
||||||
|
type EventStreamReader struct {
|
||||||
|
scanner *bufio.Scanner
|
||||||
|
}
|
||||||
|
|
||||||
|
// NewEventStreamReader creates an instance of EventStreamReader.
|
||||||
|
func NewEventStreamReader(eventStream io.Reader, maxBufferSize int) *EventStreamReader {
|
||||||
|
scanner := bufio.NewScanner(eventStream)
|
||||||
|
initBufferSize := minPosInt(4096, maxBufferSize)
|
||||||
|
scanner.Buffer(make([]byte, initBufferSize), maxBufferSize)
|
||||||
|
|
||||||
|
split := func(data []byte, atEOF bool) (int, []byte, error) {
|
||||||
|
if atEOF && len(data) == 0 {
|
||||||
|
return 0, nil, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// We have a full event payload to parse.
|
||||||
|
if i, nlen := containsDoubleNewline(data); i >= 0 {
|
||||||
|
return i + nlen, data[0:i], nil
|
||||||
|
}
|
||||||
|
// If we're at EOF, we have all of the data.
|
||||||
|
if atEOF {
|
||||||
|
return len(data), data, nil
|
||||||
|
}
|
||||||
|
// Request more data.
|
||||||
|
return 0, nil, nil
|
||||||
|
}
|
||||||
|
// Set the split function for the scanning operation.
|
||||||
|
scanner.Split(split)
|
||||||
|
|
||||||
|
return &EventStreamReader{
|
||||||
|
scanner: scanner,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Returns a tuple containing the index of a double newline, and the number of bytes
|
||||||
|
// represented by that sequence. If no double newline is present, the first value
|
||||||
|
// will be negative.
|
||||||
|
func containsDoubleNewline(data []byte) (int, int) {
|
||||||
|
// Search for each potentially valid sequence of newline characters
|
||||||
|
crcr := bytes.Index(data, []byte("\r\r"))
|
||||||
|
lflf := bytes.Index(data, []byte("\n\n"))
|
||||||
|
crlflf := bytes.Index(data, []byte("\r\n\n"))
|
||||||
|
lfcrlf := bytes.Index(data, []byte("\n\r\n"))
|
||||||
|
crlfcrlf := bytes.Index(data, []byte("\r\n\r\n"))
|
||||||
|
// Find the earliest position of a double newline combination
|
||||||
|
minPos := minPosInt(crcr, minPosInt(lflf, minPosInt(crlflf, minPosInt(lfcrlf, crlfcrlf))))
|
||||||
|
// Detemine the length of the sequence
|
||||||
|
nlen := 2
|
||||||
|
if minPos == crlfcrlf {
|
||||||
|
nlen = 4
|
||||||
|
} else if minPos == crlflf || minPos == lfcrlf {
|
||||||
|
nlen = 3
|
||||||
|
}
|
||||||
|
return minPos, nlen
|
||||||
|
}
|
||||||
|
|
||||||
|
// Returns the minimum non-negative value out of the two values. If both
|
||||||
|
// are negative, a negative value is returned.
|
||||||
|
func minPosInt(a, b int) int {
|
||||||
|
if a < 0 {
|
||||||
|
return b
|
||||||
|
}
|
||||||
|
if b < 0 {
|
||||||
|
return a
|
||||||
|
}
|
||||||
|
if a > b {
|
||||||
|
return b
|
||||||
|
}
|
||||||
|
return a
|
||||||
|
}
|
||||||
|
|
||||||
|
// ReadEvent scans the EventStream for events.
|
||||||
|
func (e *EventStreamReader) ReadEvent() ([]byte, error) {
|
||||||
|
if e.scanner.Scan() {
|
||||||
|
event := e.scanner.Bytes()
|
||||||
|
return event, nil
|
||||||
|
}
|
||||||
|
if err := e.scanner.Err(); err != nil {
|
||||||
|
if err == context.Canceled {
|
||||||
|
return nil, io.EOF
|
||||||
|
}
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
return nil, io.EOF
|
||||||
|
}
|
43
v1/vendor/github.com/r3labs/sse/v2/event_log.go
generated
vendored
Normal file
43
v1/vendor/github.com/r3labs/sse/v2/event_log.go
generated
vendored
Normal file
|
@ -0,0 +1,43 @@
|
||||||
|
/* This Source Code Form is subject to the terms of the Mozilla Public
|
||||||
|
* License, v. 2.0. If a copy of the MPL was not distributed with this
|
||||||
|
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
|
||||||
|
|
||||||
|
package sse
|
||||||
|
|
||||||
|
import (
|
||||||
|
"strconv"
|
||||||
|
"time"
|
||||||
|
)
|
||||||
|
|
||||||
|
// EventLog holds all of previous events
|
||||||
|
type EventLog []*Event
|
||||||
|
|
||||||
|
// Add event to eventlog
|
||||||
|
func (e *EventLog) Add(ev *Event) {
|
||||||
|
if !ev.hasContent() {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
ev.ID = []byte(e.currentindex())
|
||||||
|
ev.timestamp = time.Now()
|
||||||
|
*e = append(*e, ev)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Clear events from eventlog
|
||||||
|
func (e *EventLog) Clear() {
|
||||||
|
*e = nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// Replay events to a subscriber
|
||||||
|
func (e *EventLog) Replay(s *Subscriber) {
|
||||||
|
for i := 0; i < len(*e); i++ {
|
||||||
|
id, _ := strconv.Atoi(string((*e)[i].ID))
|
||||||
|
if id >= s.eventid {
|
||||||
|
s.connection <- (*e)[i]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func (e *EventLog) currentindex() string {
|
||||||
|
return strconv.Itoa(len(*e))
|
||||||
|
}
|
120
v1/vendor/github.com/r3labs/sse/v2/http.go
generated
vendored
Normal file
120
v1/vendor/github.com/r3labs/sse/v2/http.go
generated
vendored
Normal file
|
@ -0,0 +1,120 @@
|
||||||
|
/* This Source Code Form is subject to the terms of the Mozilla Public
|
||||||
|
* License, v. 2.0. If a copy of the MPL was not distributed with this
|
||||||
|
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
|
||||||
|
|
||||||
|
package sse
|
||||||
|
|
||||||
|
import (
|
||||||
|
"bytes"
|
||||||
|
"fmt"
|
||||||
|
"net/http"
|
||||||
|
"strconv"
|
||||||
|
"time"
|
||||||
|
)
|
||||||
|
|
||||||
|
// ServeHTTP serves new connections with events for a given stream ...
|
||||||
|
func (s *Server) ServeHTTP(w http.ResponseWriter, r *http.Request) {
|
||||||
|
flusher, err := w.(http.Flusher)
|
||||||
|
if !err {
|
||||||
|
http.Error(w, "Streaming unsupported!", http.StatusInternalServerError)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
w.Header().Set("Content-Type", "text/event-stream")
|
||||||
|
w.Header().Set("Cache-Control", "no-cache")
|
||||||
|
w.Header().Set("Connection", "keep-alive")
|
||||||
|
|
||||||
|
for k, v := range s.Headers {
|
||||||
|
w.Header().Set(k, v)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Get the StreamID from the URL
|
||||||
|
streamID := r.URL.Query().Get("stream")
|
||||||
|
if streamID == "" {
|
||||||
|
http.Error(w, "Please specify a stream!", http.StatusInternalServerError)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
stream := s.getStream(streamID)
|
||||||
|
|
||||||
|
if stream == nil {
|
||||||
|
if !s.AutoStream {
|
||||||
|
http.Error(w, "Stream not found!", http.StatusInternalServerError)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
stream = s.CreateStream(streamID)
|
||||||
|
}
|
||||||
|
|
||||||
|
eventid := 0
|
||||||
|
if id := r.Header.Get("Last-Event-ID"); id != "" {
|
||||||
|
var err error
|
||||||
|
eventid, err = strconv.Atoi(id)
|
||||||
|
if err != nil {
|
||||||
|
http.Error(w, "Last-Event-ID must be a number!", http.StatusBadRequest)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Create the stream subscriber
|
||||||
|
sub := stream.addSubscriber(eventid, r.URL)
|
||||||
|
|
||||||
|
go func() {
|
||||||
|
<-r.Context().Done()
|
||||||
|
|
||||||
|
sub.close()
|
||||||
|
|
||||||
|
if s.AutoStream && !s.AutoReplay && stream.getSubscriberCount() == 0 {
|
||||||
|
s.RemoveStream(streamID)
|
||||||
|
}
|
||||||
|
}()
|
||||||
|
|
||||||
|
w.WriteHeader(http.StatusOK)
|
||||||
|
flusher.Flush()
|
||||||
|
|
||||||
|
// Push events to client
|
||||||
|
for ev := range sub.connection {
|
||||||
|
// If the data buffer is an empty string abort.
|
||||||
|
if len(ev.Data) == 0 && len(ev.Comment) == 0 {
|
||||||
|
break
|
||||||
|
}
|
||||||
|
|
||||||
|
// if the event has expired, dont send it
|
||||||
|
if s.EventTTL != 0 && time.Now().After(ev.timestamp.Add(s.EventTTL)) {
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
if len(ev.Data) > 0 {
|
||||||
|
fmt.Fprintf(w, "id: %s\n", ev.ID)
|
||||||
|
|
||||||
|
if s.SplitData {
|
||||||
|
sd := bytes.Split(ev.Data, []byte("\n"))
|
||||||
|
for i := range sd {
|
||||||
|
fmt.Fprintf(w, "data: %s\n", sd[i])
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
if bytes.HasPrefix(ev.Data, []byte(":")) {
|
||||||
|
fmt.Fprintf(w, "%s\n", ev.Data)
|
||||||
|
} else {
|
||||||
|
fmt.Fprintf(w, "data: %s\n", ev.Data)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if len(ev.Event) > 0 {
|
||||||
|
fmt.Fprintf(w, "event: %s\n", ev.Event)
|
||||||
|
}
|
||||||
|
|
||||||
|
if len(ev.Retry) > 0 {
|
||||||
|
fmt.Fprintf(w, "retry: %s\n", ev.Retry)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if len(ev.Comment) > 0 {
|
||||||
|
fmt.Fprintf(w, ": %s\n", ev.Comment)
|
||||||
|
}
|
||||||
|
|
||||||
|
fmt.Fprint(w, "\n")
|
||||||
|
|
||||||
|
flusher.Flush()
|
||||||
|
}
|
||||||
|
}
|
156
v1/vendor/github.com/r3labs/sse/v2/server.go
generated
vendored
Normal file
156
v1/vendor/github.com/r3labs/sse/v2/server.go
generated
vendored
Normal file
|
@ -0,0 +1,156 @@
|
||||||
|
/* This Source Code Form is subject to the terms of the Mozilla Public
|
||||||
|
* License, v. 2.0. If a copy of the MPL was not distributed with this
|
||||||
|
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
|
||||||
|
|
||||||
|
package sse
|
||||||
|
|
||||||
|
import (
|
||||||
|
"encoding/base64"
|
||||||
|
"sync"
|
||||||
|
"time"
|
||||||
|
)
|
||||||
|
|
||||||
|
// DefaultBufferSize size of the queue that holds the streams messages.
|
||||||
|
const DefaultBufferSize = 1024
|
||||||
|
|
||||||
|
// Server Is our main struct
|
||||||
|
type Server struct {
|
||||||
|
// Extra headers adding to the HTTP response to each client
|
||||||
|
Headers map[string]string
|
||||||
|
// Sets a ttl that prevents old events from being transmitted
|
||||||
|
EventTTL time.Duration
|
||||||
|
// Specifies the size of the message buffer for each stream
|
||||||
|
BufferSize int
|
||||||
|
// Encodes all data as base64
|
||||||
|
EncodeBase64 bool
|
||||||
|
// Splits an events data into multiple data: entries
|
||||||
|
SplitData bool
|
||||||
|
// Enables creation of a stream when a client connects
|
||||||
|
AutoStream bool
|
||||||
|
// Enables automatic replay for each new subscriber that connects
|
||||||
|
AutoReplay bool
|
||||||
|
|
||||||
|
// Specifies the function to run when client subscribe or un-subscribe
|
||||||
|
OnSubscribe func(streamID string, sub *Subscriber)
|
||||||
|
OnUnsubscribe func(streamID string, sub *Subscriber)
|
||||||
|
|
||||||
|
streams map[string]*Stream
|
||||||
|
muStreams sync.RWMutex
|
||||||
|
}
|
||||||
|
|
||||||
|
// New will create a server and setup defaults
|
||||||
|
func New() *Server {
|
||||||
|
return &Server{
|
||||||
|
BufferSize: DefaultBufferSize,
|
||||||
|
AutoStream: false,
|
||||||
|
AutoReplay: true,
|
||||||
|
streams: make(map[string]*Stream),
|
||||||
|
Headers: map[string]string{},
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// NewWithCallback will create a server and setup defaults with callback function
|
||||||
|
func NewWithCallback(onSubscribe, onUnsubscribe func(streamID string, sub *Subscriber)) *Server {
|
||||||
|
return &Server{
|
||||||
|
BufferSize: DefaultBufferSize,
|
||||||
|
AutoStream: false,
|
||||||
|
AutoReplay: true,
|
||||||
|
streams: make(map[string]*Stream),
|
||||||
|
Headers: map[string]string{},
|
||||||
|
OnSubscribe: onSubscribe,
|
||||||
|
OnUnsubscribe: onUnsubscribe,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Close shuts down the server, closes all of the streams and connections
|
||||||
|
func (s *Server) Close() {
|
||||||
|
s.muStreams.Lock()
|
||||||
|
defer s.muStreams.Unlock()
|
||||||
|
|
||||||
|
for id := range s.streams {
|
||||||
|
s.streams[id].close()
|
||||||
|
delete(s.streams, id)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// CreateStream will create a new stream and register it
|
||||||
|
func (s *Server) CreateStream(id string) *Stream {
|
||||||
|
s.muStreams.Lock()
|
||||||
|
defer s.muStreams.Unlock()
|
||||||
|
|
||||||
|
if s.streams[id] != nil {
|
||||||
|
return s.streams[id]
|
||||||
|
}
|
||||||
|
|
||||||
|
str := newStream(id, s.BufferSize, s.AutoReplay, s.AutoStream, s.OnSubscribe, s.OnUnsubscribe)
|
||||||
|
str.run()
|
||||||
|
|
||||||
|
s.streams[id] = str
|
||||||
|
|
||||||
|
return str
|
||||||
|
}
|
||||||
|
|
||||||
|
// RemoveStream will remove a stream
|
||||||
|
func (s *Server) RemoveStream(id string) {
|
||||||
|
s.muStreams.Lock()
|
||||||
|
defer s.muStreams.Unlock()
|
||||||
|
|
||||||
|
if s.streams[id] != nil {
|
||||||
|
s.streams[id].close()
|
||||||
|
delete(s.streams, id)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// StreamExists checks whether a stream by a given id exists
|
||||||
|
func (s *Server) StreamExists(id string) bool {
|
||||||
|
return s.getStream(id) != nil
|
||||||
|
}
|
||||||
|
|
||||||
|
// Publish sends a mesage to every client in a streamID.
|
||||||
|
// If the stream's buffer is full, it blocks until the message is sent out to
|
||||||
|
// all subscribers (but not necessarily arrived the clients), or when the
|
||||||
|
// stream is closed.
|
||||||
|
func (s *Server) Publish(id string, event *Event) {
|
||||||
|
stream := s.getStream(id)
|
||||||
|
if stream == nil {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
select {
|
||||||
|
case <-stream.quit:
|
||||||
|
case stream.event <- s.process(event):
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// TryPublish is the same as Publish except that when the operation would cause
|
||||||
|
// the call to be blocked, it simply drops the message and returns false.
|
||||||
|
// Together with a small BufferSize, it can be useful when publishing the
|
||||||
|
// latest message ASAP is more important than reliable delivery.
|
||||||
|
func (s *Server) TryPublish(id string, event *Event) bool {
|
||||||
|
stream := s.getStream(id)
|
||||||
|
if stream == nil {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
|
||||||
|
select {
|
||||||
|
case stream.event <- s.process(event):
|
||||||
|
return true
|
||||||
|
default:
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func (s *Server) getStream(id string) *Stream {
|
||||||
|
s.muStreams.RLock()
|
||||||
|
defer s.muStreams.RUnlock()
|
||||||
|
return s.streams[id]
|
||||||
|
}
|
||||||
|
|
||||||
|
func (s *Server) process(event *Event) *Event {
|
||||||
|
if s.EncodeBase64 {
|
||||||
|
output := make([]byte, base64.StdEncoding.EncodedLen(len(event.Data)))
|
||||||
|
base64.StdEncoding.Encode(output, event.Data)
|
||||||
|
event.Data = output
|
||||||
|
}
|
||||||
|
return event
|
||||||
|
}
|
153
v1/vendor/github.com/r3labs/sse/v2/stream.go
generated
vendored
Normal file
153
v1/vendor/github.com/r3labs/sse/v2/stream.go
generated
vendored
Normal file
|
@ -0,0 +1,153 @@
|
||||||
|
/* This Source Code Form is subject to the terms of the Mozilla Public
|
||||||
|
* License, v. 2.0. If a copy of the MPL was not distributed with this
|
||||||
|
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
|
||||||
|
|
||||||
|
package sse
|
||||||
|
|
||||||
|
import (
|
||||||
|
"net/url"
|
||||||
|
"sync"
|
||||||
|
"sync/atomic"
|
||||||
|
)
|
||||||
|
|
||||||
|
// Stream ...
|
||||||
|
type Stream struct {
|
||||||
|
ID string
|
||||||
|
event chan *Event
|
||||||
|
quit chan struct{}
|
||||||
|
quitOnce sync.Once
|
||||||
|
register chan *Subscriber
|
||||||
|
deregister chan *Subscriber
|
||||||
|
subscribers []*Subscriber
|
||||||
|
Eventlog EventLog
|
||||||
|
subscriberCount int32
|
||||||
|
// Enables replaying of eventlog to newly added subscribers
|
||||||
|
AutoReplay bool
|
||||||
|
isAutoStream bool
|
||||||
|
|
||||||
|
// Specifies the function to run when client subscribe or un-subscribe
|
||||||
|
OnSubscribe func(streamID string, sub *Subscriber)
|
||||||
|
OnUnsubscribe func(streamID string, sub *Subscriber)
|
||||||
|
}
|
||||||
|
|
||||||
|
// newStream returns a new stream
|
||||||
|
func newStream(id string, buffSize int, replay, isAutoStream bool, onSubscribe, onUnsubscribe func(string, *Subscriber)) *Stream {
|
||||||
|
return &Stream{
|
||||||
|
ID: id,
|
||||||
|
AutoReplay: replay,
|
||||||
|
subscribers: make([]*Subscriber, 0),
|
||||||
|
isAutoStream: isAutoStream,
|
||||||
|
register: make(chan *Subscriber),
|
||||||
|
deregister: make(chan *Subscriber),
|
||||||
|
event: make(chan *Event, buffSize),
|
||||||
|
quit: make(chan struct{}),
|
||||||
|
Eventlog: make(EventLog, 0),
|
||||||
|
OnSubscribe: onSubscribe,
|
||||||
|
OnUnsubscribe: onUnsubscribe,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
func (str *Stream) run() {
|
||||||
|
go func(str *Stream) {
|
||||||
|
for {
|
||||||
|
select {
|
||||||
|
// Add new subscriber
|
||||||
|
case subscriber := <-str.register:
|
||||||
|
str.subscribers = append(str.subscribers, subscriber)
|
||||||
|
if str.AutoReplay {
|
||||||
|
str.Eventlog.Replay(subscriber)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Remove closed subscriber
|
||||||
|
case subscriber := <-str.deregister:
|
||||||
|
i := str.getSubIndex(subscriber)
|
||||||
|
if i != -1 {
|
||||||
|
str.removeSubscriber(i)
|
||||||
|
}
|
||||||
|
|
||||||
|
if str.OnUnsubscribe != nil {
|
||||||
|
go str.OnUnsubscribe(str.ID, subscriber)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Publish event to subscribers
|
||||||
|
case event := <-str.event:
|
||||||
|
if str.AutoReplay {
|
||||||
|
str.Eventlog.Add(event)
|
||||||
|
}
|
||||||
|
for i := range str.subscribers {
|
||||||
|
str.subscribers[i].connection <- event
|
||||||
|
}
|
||||||
|
|
||||||
|
// Shutdown if the server closes
|
||||||
|
case <-str.quit:
|
||||||
|
// remove connections
|
||||||
|
str.removeAllSubscribers()
|
||||||
|
return
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}(str)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (str *Stream) close() {
|
||||||
|
str.quitOnce.Do(func() {
|
||||||
|
close(str.quit)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
func (str *Stream) getSubIndex(sub *Subscriber) int {
|
||||||
|
for i := range str.subscribers {
|
||||||
|
if str.subscribers[i] == sub {
|
||||||
|
return i
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return -1
|
||||||
|
}
|
||||||
|
|
||||||
|
// addSubscriber will create a new subscriber on a stream
|
||||||
|
func (str *Stream) addSubscriber(eventid int, url *url.URL) *Subscriber {
|
||||||
|
atomic.AddInt32(&str.subscriberCount, 1)
|
||||||
|
sub := &Subscriber{
|
||||||
|
eventid: eventid,
|
||||||
|
quit: str.deregister,
|
||||||
|
connection: make(chan *Event, 64),
|
||||||
|
URL: url,
|
||||||
|
}
|
||||||
|
|
||||||
|
if str.isAutoStream {
|
||||||
|
sub.removed = make(chan struct{}, 1)
|
||||||
|
}
|
||||||
|
|
||||||
|
str.register <- sub
|
||||||
|
|
||||||
|
if str.OnSubscribe != nil {
|
||||||
|
go str.OnSubscribe(str.ID, sub)
|
||||||
|
}
|
||||||
|
|
||||||
|
return sub
|
||||||
|
}
|
||||||
|
|
||||||
|
func (str *Stream) removeSubscriber(i int) {
|
||||||
|
atomic.AddInt32(&str.subscriberCount, -1)
|
||||||
|
close(str.subscribers[i].connection)
|
||||||
|
if str.subscribers[i].removed != nil {
|
||||||
|
str.subscribers[i].removed <- struct{}{}
|
||||||
|
close(str.subscribers[i].removed)
|
||||||
|
}
|
||||||
|
str.subscribers = append(str.subscribers[:i], str.subscribers[i+1:]...)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (str *Stream) removeAllSubscribers() {
|
||||||
|
for i := 0; i < len(str.subscribers); i++ {
|
||||||
|
close(str.subscribers[i].connection)
|
||||||
|
if str.subscribers[i].removed != nil {
|
||||||
|
str.subscribers[i].removed <- struct{}{}
|
||||||
|
close(str.subscribers[i].removed)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
atomic.StoreInt32(&str.subscriberCount, 0)
|
||||||
|
str.subscribers = str.subscribers[:0]
|
||||||
|
}
|
||||||
|
|
||||||
|
func (str *Stream) getSubscriberCount() int {
|
||||||
|
return int(atomic.LoadInt32(&str.subscriberCount))
|
||||||
|
}
|
24
v1/vendor/github.com/r3labs/sse/v2/subscriber.go
generated
vendored
Normal file
24
v1/vendor/github.com/r3labs/sse/v2/subscriber.go
generated
vendored
Normal file
|
@ -0,0 +1,24 @@
|
||||||
|
/* This Source Code Form is subject to the terms of the Mozilla Public
|
||||||
|
* License, v. 2.0. If a copy of the MPL was not distributed with this
|
||||||
|
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
|
||||||
|
|
||||||
|
package sse
|
||||||
|
|
||||||
|
import "net/url"
|
||||||
|
|
||||||
|
// Subscriber ...
|
||||||
|
type Subscriber struct {
|
||||||
|
quit chan *Subscriber
|
||||||
|
connection chan *Event
|
||||||
|
removed chan struct{}
|
||||||
|
eventid int
|
||||||
|
URL *url.URL
|
||||||
|
}
|
||||||
|
|
||||||
|
// Close will let the stream know that the clients connection has terminated
|
||||||
|
func (s *Subscriber) close() {
|
||||||
|
s.quit <- s
|
||||||
|
if s.removed != nil {
|
||||||
|
<-s.removed
|
||||||
|
}
|
||||||
|
}
|
13
v1/vendor/github.com/robertkrimen/otto/.clog.toml
generated
vendored
Normal file
13
v1/vendor/github.com/robertkrimen/otto/.clog.toml
generated
vendored
Normal file
|
@ -0,0 +1,13 @@
|
||||||
|
[clog]
|
||||||
|
repository = "https://github.com/robertkrimen/otto"
|
||||||
|
subtitle = "Release Notes"
|
||||||
|
|
||||||
|
[sections]
|
||||||
|
"Refactors" = ["refactor"]
|
||||||
|
"Chores" = ["chore"]
|
||||||
|
"Continuous Integration" = ["ci"]
|
||||||
|
"Improvements" = ["imp", "improvement"]
|
||||||
|
"Features" = ["feat", "feature"]
|
||||||
|
"Legacy" = ["legacy"]
|
||||||
|
"QA" = ["qa", "test", "tests"]
|
||||||
|
"Documentation" = ["doc", "docs"]
|
7
v1/vendor/github.com/robertkrimen/otto/.gitignore
generated
vendored
Normal file
7
v1/vendor/github.com/robertkrimen/otto/.gitignore
generated
vendored
Normal file
|
@ -0,0 +1,7 @@
|
||||||
|
/.test
|
||||||
|
/otto/otto
|
||||||
|
/otto/otto-*
|
||||||
|
/test/test-*.js
|
||||||
|
/test/tester
|
||||||
|
.idea
|
||||||
|
dist/
|
73
v1/vendor/github.com/robertkrimen/otto/.golangci.yml
generated
vendored
Normal file
73
v1/vendor/github.com/robertkrimen/otto/.golangci.yml
generated
vendored
Normal file
|
@ -0,0 +1,73 @@
|
||||||
|
run:
|
||||||
|
deadline: 6m
|
||||||
|
skip-dirs:
|
||||||
|
- terst
|
||||||
|
skip-files:
|
||||||
|
- dbg/dbg.go
|
||||||
|
|
||||||
|
linters-settings:
|
||||||
|
govet:
|
||||||
|
check-shadowing: false
|
||||||
|
goconst:
|
||||||
|
min-len: 2
|
||||||
|
min-occurrences: 4
|
||||||
|
|
||||||
|
linters:
|
||||||
|
enable-all: true
|
||||||
|
disable:
|
||||||
|
- dupl
|
||||||
|
- gas
|
||||||
|
- errcheck
|
||||||
|
- gofmt
|
||||||
|
- gosimple
|
||||||
|
- interfacer
|
||||||
|
- megacheck
|
||||||
|
- maligned
|
||||||
|
- structcheck
|
||||||
|
- staticcheck
|
||||||
|
- unconvert
|
||||||
|
- unparam
|
||||||
|
- varcheck
|
||||||
|
- lll
|
||||||
|
- prealloc
|
||||||
|
- gochecknoglobals
|
||||||
|
- gochecknoinits
|
||||||
|
- scopelint
|
||||||
|
- funlen
|
||||||
|
- godox
|
||||||
|
- exhaustivestruct
|
||||||
|
- goerr113
|
||||||
|
- wsl
|
||||||
|
- nlreturn
|
||||||
|
- tagliatelle
|
||||||
|
- gomnd
|
||||||
|
- paralleltest
|
||||||
|
- wrapcheck
|
||||||
|
- testpackage
|
||||||
|
- golint
|
||||||
|
- gofumpt
|
||||||
|
- forbidigo
|
||||||
|
- gocognit
|
||||||
|
- gocritic
|
||||||
|
- godot
|
||||||
|
- nakedret
|
||||||
|
- nestif
|
||||||
|
- revive
|
||||||
|
- errorlint
|
||||||
|
- exhaustive
|
||||||
|
- forcetypeassert
|
||||||
|
- ifshort
|
||||||
|
- stylecheck
|
||||||
|
- gocyclo
|
||||||
|
- misspell
|
||||||
|
- cyclop
|
||||||
|
- varnamelen
|
||||||
|
- nonamedreturns
|
||||||
|
- maintidx
|
||||||
|
- ireturn
|
||||||
|
- exhaustruct
|
||||||
|
- nosnakecase
|
||||||
|
- deadcode
|
||||||
|
- dupword
|
||||||
|
- gci
|
||||||
|
|
70
v1/vendor/github.com/robertkrimen/otto/.goreleaser.yaml
generated
vendored
Normal file
70
v1/vendor/github.com/robertkrimen/otto/.goreleaser.yaml
generated
vendored
Normal file
|
@ -0,0 +1,70 @@
|
||||||
|
# When adding options check the documentation at https://goreleaser.com
|
||||||
|
before:
|
||||||
|
hooks:
|
||||||
|
- go mod tidy
|
||||||
|
builds:
|
||||||
|
- env:
|
||||||
|
- CGO_ENABLED=0
|
||||||
|
goos:
|
||||||
|
- linux
|
||||||
|
- darwin
|
||||||
|
goarch:
|
||||||
|
- amd64
|
||||||
|
- arm64
|
||||||
|
main: ./otto
|
||||||
|
id: otto
|
||||||
|
binary: otto
|
||||||
|
universal_binaries:
|
||||||
|
- replace: true
|
||||||
|
id: otto
|
||||||
|
checksum:
|
||||||
|
name_template: 'checksums.txt'
|
||||||
|
snapshot:
|
||||||
|
name_template: "{{ incpatch .Version }}-next"
|
||||||
|
archives:
|
||||||
|
- id: otto
|
||||||
|
name_template: "{{ .Binary }}_{{ .Version }}_{{ .Os }}_{{ .Arch }}{{ if .Arm }}v{{ .Arm }}{{ end }}{{ if .Mips }}_{{ .Mips }}{{ end }}"
|
||||||
|
release:
|
||||||
|
header: |
|
||||||
|
<a name="{{.Tag}}"></a>
|
||||||
|
### {{.Tag}} Release Notes ({{.Date}})
|
||||||
|
footer: |
|
||||||
|
[Full Changelog](https://{{ .ModulePath }}/compare/{{ .PreviousTag }}...{{ .Tag }})
|
||||||
|
changelog:
|
||||||
|
use: github
|
||||||
|
sort: asc
|
||||||
|
filters:
|
||||||
|
exclude:
|
||||||
|
- Merge pull request
|
||||||
|
- Merge remote-tracking branch
|
||||||
|
- Merge branch
|
||||||
|
|
||||||
|
# Group commits messages by given regex and title.
|
||||||
|
# Order value defines the order of the groups.
|
||||||
|
# Proving no regex means all commits will be grouped under the default group.
|
||||||
|
# Groups are disabled when using github-native, as it already groups things by itself.
|
||||||
|
# Matches are performed against strings of the form: "<abbrev-commit> <title-commit>".
|
||||||
|
# Regex use RE2 syntax as defined here: https://github.com/google/re2/wiki/Syntax.
|
||||||
|
#
|
||||||
|
# Default is no groups.
|
||||||
|
groups:
|
||||||
|
- title: Features
|
||||||
|
regexp: '^.*?(feat|feature)(\([[:word:]]+\))??!?:.+$'
|
||||||
|
order: 0
|
||||||
|
- title: 'Bug fixes'
|
||||||
|
regexp: '^.*?fix(\([[:word:]]+\))??!?:.+$'
|
||||||
|
order: 1
|
||||||
|
- title: 'Chores'
|
||||||
|
regexp: '^.*?chore(\([[:word:]]+\))??!?:.+$'
|
||||||
|
order: 2
|
||||||
|
- title: 'Quality'
|
||||||
|
regexp: '^.*?(qa|test|tests)(\([[:word:]]+\))??!?:.+$'
|
||||||
|
order: 3
|
||||||
|
- title: 'Documentation'
|
||||||
|
regexp: '^.*?(doc|docs)(\([[:word:]]+\))??!?:.+$'
|
||||||
|
order: 4
|
||||||
|
- title: 'Continuous Integration'
|
||||||
|
regexp: '^.*?ci(\([[:word:]]+\))??!?:.+$'
|
||||||
|
order: 5
|
||||||
|
- title: Other
|
||||||
|
order: 999
|
1
v1/vendor/github.com/robertkrimen/otto/DESIGN.markdown
generated
vendored
Normal file
1
v1/vendor/github.com/robertkrimen/otto/DESIGN.markdown
generated
vendored
Normal file
|
@ -0,0 +1 @@
|
||||||
|
* Designate the filename of "anonymous" source code by the hash (md5/sha1, etc.)
|
7
v1/vendor/github.com/robertkrimen/otto/LICENSE
generated
vendored
Normal file
7
v1/vendor/github.com/robertkrimen/otto/LICENSE
generated
vendored
Normal file
|
@ -0,0 +1,7 @@
|
||||||
|
Copyright (c) 2012 Robert Krimen
|
||||||
|
|
||||||
|
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.
|
63
v1/vendor/github.com/robertkrimen/otto/Makefile
generated
vendored
Normal file
63
v1/vendor/github.com/robertkrimen/otto/Makefile
generated
vendored
Normal file
|
@ -0,0 +1,63 @@
|
||||||
|
.PHONY: test test-race test-release release release-check test-262
|
||||||
|
.PHONY: parser
|
||||||
|
.PHONY: otto assets underscore
|
||||||
|
|
||||||
|
TESTS := \
|
||||||
|
~
|
||||||
|
|
||||||
|
TEST := -v --run
|
||||||
|
TEST := -v
|
||||||
|
TEST := -v --run Test\($(subst $(eval) ,\|,$(TESTS))\)
|
||||||
|
TEST := .
|
||||||
|
|
||||||
|
test: parser inline.go
|
||||||
|
go test -i
|
||||||
|
go test $(TEST)
|
||||||
|
@echo PASS
|
||||||
|
|
||||||
|
parser:
|
||||||
|
$(MAKE) -C parser
|
||||||
|
|
||||||
|
inline.go: inline.pl
|
||||||
|
./$< > $@
|
||||||
|
|
||||||
|
#################
|
||||||
|
# release, test #
|
||||||
|
#################
|
||||||
|
|
||||||
|
release: test-race test-release
|
||||||
|
for package in . parser token ast file underscore registry; do (cd $$package && godocdown --signature > README.markdown); done
|
||||||
|
@echo \*\*\* make release-check
|
||||||
|
@echo PASS
|
||||||
|
|
||||||
|
release-check: .test
|
||||||
|
$(MAKE) -C test build test
|
||||||
|
$(MAKE) -C .test/test262 build test
|
||||||
|
@echo PASS
|
||||||
|
|
||||||
|
test-262: .test
|
||||||
|
$(MAKE) -C .test/test262 build test
|
||||||
|
@echo PASS
|
||||||
|
|
||||||
|
test-release:
|
||||||
|
go test -i
|
||||||
|
go test
|
||||||
|
|
||||||
|
test-race:
|
||||||
|
go test -race -i
|
||||||
|
go test -race
|
||||||
|
|
||||||
|
#################################
|
||||||
|
# otto, assets, underscore, ... #
|
||||||
|
#################################
|
||||||
|
|
||||||
|
otto:
|
||||||
|
$(MAKE) -C otto
|
||||||
|
|
||||||
|
assets:
|
||||||
|
mkdir -p .assets
|
||||||
|
for file in underscore/test/*.js; do tr "\`" "_" < $$file > .assets/`basename $$file`; done
|
||||||
|
|
||||||
|
underscore:
|
||||||
|
$(MAKE) -C $@
|
||||||
|
|
877
v1/vendor/github.com/robertkrimen/otto/README.markdown
generated
vendored
Normal file
877
v1/vendor/github.com/robertkrimen/otto/README.markdown
generated
vendored
Normal file
|
@ -0,0 +1,877 @@
|
||||||
|
# otto
|
||||||
|
--
|
||||||
|
```go
|
||||||
|
import "github.com/robertkrimen/otto"
|
||||||
|
```
|
||||||
|
|
||||||
|
Package otto is a JavaScript parser and interpreter written natively in Go.
|
||||||
|
|
||||||
|
http://godoc.org/github.com/robertkrimen/otto
|
||||||
|
|
||||||
|
```go
|
||||||
|
import (
|
||||||
|
"github.com/robertkrimen/otto"
|
||||||
|
)
|
||||||
|
```
|
||||||
|
|
||||||
|
Run something in the VM
|
||||||
|
|
||||||
|
```go
|
||||||
|
vm := otto.New()
|
||||||
|
vm.Run(`
|
||||||
|
abc = 2 + 2;
|
||||||
|
console.log("The value of abc is " + abc); // 4
|
||||||
|
`)
|
||||||
|
```
|
||||||
|
|
||||||
|
Get a value out of the VM
|
||||||
|
|
||||||
|
```go
|
||||||
|
if value, err := vm.Get("abc"); err == nil {
|
||||||
|
if value_int, err := value.ToInteger(); err == nil {
|
||||||
|
fmt.Printf("", value_int, err)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Set a number
|
||||||
|
|
||||||
|
```go
|
||||||
|
vm.Set("def", 11)
|
||||||
|
vm.Run(`
|
||||||
|
console.log("The value of def is " + def);
|
||||||
|
// The value of def is 11
|
||||||
|
`)
|
||||||
|
```
|
||||||
|
|
||||||
|
Set a string
|
||||||
|
|
||||||
|
```go
|
||||||
|
vm.Set("xyzzy", "Nothing happens.")
|
||||||
|
vm.Run(`
|
||||||
|
console.log(xyzzy.length); // 16
|
||||||
|
`)
|
||||||
|
```
|
||||||
|
|
||||||
|
Get the value of an expression
|
||||||
|
|
||||||
|
```go
|
||||||
|
value, _ = vm.Run("xyzzy.length")
|
||||||
|
{
|
||||||
|
// value is an int64 with a value of 16
|
||||||
|
value, _ := value.ToInteger()
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
An error happens
|
||||||
|
|
||||||
|
```go
|
||||||
|
value, err = vm.Run("abcdefghijlmnopqrstuvwxyz.length")
|
||||||
|
if err != nil {
|
||||||
|
// err = ReferenceError: abcdefghijlmnopqrstuvwxyz is not defined
|
||||||
|
// If there is an error, then value.IsUndefined() is true
|
||||||
|
...
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Set a Go function
|
||||||
|
|
||||||
|
```go
|
||||||
|
vm.Set("sayHello", func(call otto.FunctionCall) otto.Value {
|
||||||
|
fmt.Printf("Hello, %s.\n", call.Argument(0).String())
|
||||||
|
return otto.Value{}
|
||||||
|
})
|
||||||
|
```
|
||||||
|
|
||||||
|
Set a Go function that returns something useful
|
||||||
|
|
||||||
|
```go
|
||||||
|
vm.Set("twoPlus", func(call otto.FunctionCall) otto.Value {
|
||||||
|
right, _ := call.Argument(0).ToInteger()
|
||||||
|
result, _ := vm.ToValue(2 + right)
|
||||||
|
return result
|
||||||
|
})
|
||||||
|
```
|
||||||
|
|
||||||
|
Use the functions in JavaScript
|
||||||
|
|
||||||
|
```go
|
||||||
|
result, _ = vm.Run(`
|
||||||
|
sayHello("Xyzzy"); // Hello, Xyzzy.
|
||||||
|
sayHello(); // Hello, undefined
|
||||||
|
|
||||||
|
result = twoPlus(2.0); // 4
|
||||||
|
`)
|
||||||
|
```
|
||||||
|
|
||||||
|
### Parser
|
||||||
|
|
||||||
|
A separate parser is available in the parser package if you're just interested
|
||||||
|
in building an AST.
|
||||||
|
|
||||||
|
http://godoc.org/github.com/robertkrimen/otto/parser
|
||||||
|
|
||||||
|
Parse and return an AST
|
||||||
|
|
||||||
|
```go
|
||||||
|
filename := "" // A filename is optional
|
||||||
|
src := `
|
||||||
|
// Sample xyzzy example
|
||||||
|
(function(){
|
||||||
|
if (3.14159 > 0) {
|
||||||
|
console.log("Hello, World.");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
var xyzzy = NaN;
|
||||||
|
console.log("Nothing happens.");
|
||||||
|
return xyzzy;
|
||||||
|
})();
|
||||||
|
`
|
||||||
|
|
||||||
|
// Parse some JavaScript, yielding a *ast.Program and/or an ErrorList
|
||||||
|
program, err := parser.ParseFile(nil, filename, src, 0)
|
||||||
|
```
|
||||||
|
|
||||||
|
### otto
|
||||||
|
|
||||||
|
You can run (Go) JavaScript from the commandline with:
|
||||||
|
http://github.com/robertkrimen/otto/tree/master/otto
|
||||||
|
|
||||||
|
$ go get -v github.com/robertkrimen/otto/otto
|
||||||
|
|
||||||
|
Run JavaScript by entering some source on stdin or by giving otto a filename:
|
||||||
|
|
||||||
|
$ otto example.js
|
||||||
|
|
||||||
|
### underscore
|
||||||
|
|
||||||
|
Optionally include the JavaScript utility-belt library, underscore, with this
|
||||||
|
import:
|
||||||
|
|
||||||
|
```go
|
||||||
|
import (
|
||||||
|
"github.com/robertkrimen/otto"
|
||||||
|
_ "github.com/robertkrimen/otto/underscore"
|
||||||
|
)
|
||||||
|
|
||||||
|
// Now every otto runtime will come loaded with underscore
|
||||||
|
```
|
||||||
|
|
||||||
|
For more information: http://github.com/robertkrimen/otto/tree/master/underscore
|
||||||
|
|
||||||
|
|
||||||
|
### Caveat Emptor
|
||||||
|
|
||||||
|
The following are some limitations with otto:
|
||||||
|
|
||||||
|
* "use strict" will parse, but does nothing.
|
||||||
|
* The regular expression engine (re2/regexp) is not fully compatible with the ECMA5 specification.
|
||||||
|
* Otto targets ES5. ES6 features (eg: Typed Arrays) are not supported.
|
||||||
|
|
||||||
|
|
||||||
|
### Regular Expression Incompatibility
|
||||||
|
|
||||||
|
Go translates JavaScript-style regular expressions into something that is
|
||||||
|
"regexp" compatible via `parser.TransformRegExp`. Unfortunately, RegExp requires
|
||||||
|
backtracking for some patterns, and backtracking is not supported by the
|
||||||
|
standard Go engine: https://code.google.com/p/re2/wiki/Syntax
|
||||||
|
|
||||||
|
Therefore, the following syntax is incompatible:
|
||||||
|
|
||||||
|
(?=) // Lookahead (positive), currently a parsing error
|
||||||
|
(?!) // Lookahead (backhead), currently a parsing error
|
||||||
|
\1 // Backreference (\1, \2, \3, ...), currently a parsing error
|
||||||
|
|
||||||
|
A brief discussion of these limitations: "Regexp (?!re)"
|
||||||
|
https://groups.google.com/forum/?fromgroups=#%21topic/golang-nuts/7qgSDWPIh_E
|
||||||
|
|
||||||
|
More information about re2: https://code.google.com/p/re2/
|
||||||
|
|
||||||
|
In addition to the above, re2 (Go) has a different definition for \s: [\t\n\f\r
|
||||||
|
]. The JavaScript definition, on the other hand, also includes \v, Unicode
|
||||||
|
"Separator, Space", etc.
|
||||||
|
|
||||||
|
|
||||||
|
### Halting Problem
|
||||||
|
|
||||||
|
If you want to stop long running executions (like third-party code), you can use
|
||||||
|
the interrupt channel to do this:
|
||||||
|
|
||||||
|
```go
|
||||||
|
package main
|
||||||
|
|
||||||
|
import (
|
||||||
|
"errors"
|
||||||
|
"fmt"
|
||||||
|
"os"
|
||||||
|
"time"
|
||||||
|
|
||||||
|
"github.com/robertkrimen/otto"
|
||||||
|
)
|
||||||
|
|
||||||
|
var halt = errors.New("Stahp")
|
||||||
|
|
||||||
|
func main() {
|
||||||
|
runUnsafe(`var abc = [];`)
|
||||||
|
runUnsafe(`
|
||||||
|
while (true) {
|
||||||
|
// Loop forever
|
||||||
|
}`)
|
||||||
|
}
|
||||||
|
|
||||||
|
func runUnsafe(unsafe string) {
|
||||||
|
start := time.Now()
|
||||||
|
defer func() {
|
||||||
|
duration := time.Since(start)
|
||||||
|
if caught := recover(); caught != nil {
|
||||||
|
if caught == halt {
|
||||||
|
fmt.Fprintf(os.Stderr, "Some code took to long! Stopping after: %v\n", duration)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
panic(caught) // Something else happened, repanic!
|
||||||
|
}
|
||||||
|
fmt.Fprintf(os.Stderr, "Ran code successfully: %v\n", duration)
|
||||||
|
}()
|
||||||
|
|
||||||
|
vm := otto.New()
|
||||||
|
vm.Interrupt = make(chan func(), 1) // The buffer prevents blocking
|
||||||
|
watchdogCleanup := make(chan struct{})
|
||||||
|
defer close(watchdogCleanup)
|
||||||
|
|
||||||
|
go func() {
|
||||||
|
select {
|
||||||
|
case <-time.After(2 * time.Second): // Stop after two seconds
|
||||||
|
vm.Interrupt <- func() {
|
||||||
|
panic(halt)
|
||||||
|
}
|
||||||
|
case <-watchdogCleanup:
|
||||||
|
}
|
||||||
|
close(vm.Interrupt)
|
||||||
|
}()
|
||||||
|
|
||||||
|
vm.Run(unsafe) // Here be dragons (risky code)
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Where is setTimeout/setInterval?
|
||||||
|
|
||||||
|
These timing functions are not actually part of the ECMA-262 specification.
|
||||||
|
Typically, they belong to the `window` object (in the browser). It would not be
|
||||||
|
difficult to provide something like these via Go, but you probably want to wrap
|
||||||
|
otto in an event loop in that case.
|
||||||
|
|
||||||
|
For an example of how this could be done in Go with otto, see natto:
|
||||||
|
|
||||||
|
http://github.com/robertkrimen/natto
|
||||||
|
|
||||||
|
Here is some more discussion of the issue:
|
||||||
|
|
||||||
|
* http://book.mixu.net/node/ch2.html
|
||||||
|
|
||||||
|
* http://en.wikipedia.org/wiki/Reentrancy_%28computing%29
|
||||||
|
|
||||||
|
* http://aaroncrane.co.uk/2009/02/perl_safe_signals/
|
||||||
|
|
||||||
|
## Usage
|
||||||
|
|
||||||
|
```go
|
||||||
|
var ErrVersion = errors.New("version mismatch")
|
||||||
|
```
|
||||||
|
|
||||||
|
#### type Error
|
||||||
|
|
||||||
|
```go
|
||||||
|
type Error struct {
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
An Error represents a runtime error, e.g. a TypeError, a ReferenceError, etc.
|
||||||
|
|
||||||
|
#### func (Error) Error
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (err Error) Error() string
|
||||||
|
```
|
||||||
|
Error returns a description of the error
|
||||||
|
|
||||||
|
TypeError: 'def' is not a function
|
||||||
|
|
||||||
|
#### func (Error) String
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (err Error) String() string
|
||||||
|
```
|
||||||
|
String returns a description of the error and a trace of where the error
|
||||||
|
occurred.
|
||||||
|
|
||||||
|
TypeError: 'def' is not a function
|
||||||
|
at xyz (<anonymous>:3:9)
|
||||||
|
at <anonymous>:7:1/
|
||||||
|
|
||||||
|
#### type FunctionCall
|
||||||
|
|
||||||
|
```go
|
||||||
|
type FunctionCall struct {
|
||||||
|
This Value
|
||||||
|
ArgumentList []Value
|
||||||
|
Otto *Otto
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
FunctionCall is an encapsulation of a JavaScript function call.
|
||||||
|
|
||||||
|
#### func (FunctionCall) Argument
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self FunctionCall) Argument(index int) Value
|
||||||
|
```
|
||||||
|
Argument will return the value of the argument at the given index.
|
||||||
|
|
||||||
|
If no such argument exists, undefined is returned.
|
||||||
|
|
||||||
|
#### type Object
|
||||||
|
|
||||||
|
```go
|
||||||
|
type Object struct {
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Object is the representation of a JavaScript object.
|
||||||
|
|
||||||
|
#### func (Object) Call
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Object) Call(name string, argumentList ...interface{}) (Value, error)
|
||||||
|
```
|
||||||
|
Call a method on the object.
|
||||||
|
|
||||||
|
It is essentially equivalent to:
|
||||||
|
|
||||||
|
var method, _ := object.Get(name)
|
||||||
|
method.Call(object, argumentList...)
|
||||||
|
|
||||||
|
An undefined value and an error will result if:
|
||||||
|
|
||||||
|
1. There is an error during conversion of the argument list
|
||||||
|
2. The property is not actually a function
|
||||||
|
3. An (uncaught) exception is thrown
|
||||||
|
|
||||||
|
#### func (Object) Class
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Object) Class() string
|
||||||
|
```
|
||||||
|
Class will return the class string of the object.
|
||||||
|
|
||||||
|
The return value will (generally) be one of:
|
||||||
|
|
||||||
|
Object
|
||||||
|
Function
|
||||||
|
Array
|
||||||
|
String
|
||||||
|
Number
|
||||||
|
Boolean
|
||||||
|
Date
|
||||||
|
RegExp
|
||||||
|
|
||||||
|
#### func (Object) Get
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Object) Get(name string) (Value, error)
|
||||||
|
```
|
||||||
|
Get the value of the property with the given name.
|
||||||
|
|
||||||
|
#### func (Object) Keys
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Object) Keys() []string
|
||||||
|
```
|
||||||
|
Get the keys for the object
|
||||||
|
|
||||||
|
Equivalent to calling Object.keys on the object
|
||||||
|
|
||||||
|
#### func (Object) Set
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Object) Set(name string, value interface{}) error
|
||||||
|
```
|
||||||
|
Set the property of the given name to the given value.
|
||||||
|
|
||||||
|
An error will result if the setting the property triggers an exception (i.e.
|
||||||
|
read-only), or there is an error during conversion of the given value.
|
||||||
|
|
||||||
|
#### func (Object) Value
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Object) Value() Value
|
||||||
|
```
|
||||||
|
Value will return self as a value.
|
||||||
|
|
||||||
|
#### type Otto
|
||||||
|
|
||||||
|
```go
|
||||||
|
type Otto struct {
|
||||||
|
// Interrupt is a channel for interrupting the runtime. You can use this to halt a long running execution, for example.
|
||||||
|
// See "Halting Problem" for more information.
|
||||||
|
Interrupt chan func()
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Otto is the representation of the JavaScript runtime. Each instance of Otto has
|
||||||
|
a self-contained namespace.
|
||||||
|
|
||||||
|
#### func New
|
||||||
|
|
||||||
|
```go
|
||||||
|
func New() *Otto
|
||||||
|
```
|
||||||
|
New will allocate a new JavaScript runtime
|
||||||
|
|
||||||
|
#### func Run
|
||||||
|
|
||||||
|
```go
|
||||||
|
func Run(src interface{}) (*Otto, Value, error)
|
||||||
|
```
|
||||||
|
Run will allocate a new JavaScript runtime, run the given source on the
|
||||||
|
allocated runtime, and return the runtime, resulting value, and error (if any).
|
||||||
|
|
||||||
|
src may be a string, a byte slice, a bytes.Buffer, or an io.Reader, but it MUST
|
||||||
|
always be in UTF-8.
|
||||||
|
|
||||||
|
src may also be a Script.
|
||||||
|
|
||||||
|
src may also be a Program, but if the AST has been modified, then runtime
|
||||||
|
behavior is undefined.
|
||||||
|
|
||||||
|
#### func (Otto) Call
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Otto) Call(source string, this interface{}, argumentList ...interface{}) (Value, error)
|
||||||
|
```
|
||||||
|
Call the given JavaScript with a given this and arguments.
|
||||||
|
|
||||||
|
If this is nil, then some special handling takes place to determine the proper
|
||||||
|
this value, falling back to a "standard" invocation if necessary (where this is
|
||||||
|
undefined).
|
||||||
|
|
||||||
|
If source begins with "new " (A lowercase new followed by a space), then Call
|
||||||
|
will invoke the function constructor rather than performing a function call. In
|
||||||
|
this case, the this argument has no effect.
|
||||||
|
|
||||||
|
```go
|
||||||
|
// value is a String object
|
||||||
|
value, _ := vm.Call("Object", nil, "Hello, World.")
|
||||||
|
|
||||||
|
// Likewise...
|
||||||
|
value, _ := vm.Call("new Object", nil, "Hello, World.")
|
||||||
|
|
||||||
|
// This will perform a concat on the given array and return the result
|
||||||
|
// value is [ 1, 2, 3, undefined, 4, 5, 6, 7, "abc" ]
|
||||||
|
value, _ := vm.Call(`[ 1, 2, 3, undefined, 4 ].concat`, nil, 5, 6, 7, "abc")
|
||||||
|
```
|
||||||
|
|
||||||
|
#### func (*Otto) Compile
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self *Otto) Compile(filename string, src interface{}) (*Script, error)
|
||||||
|
```
|
||||||
|
Compile will parse the given source and return a Script value or nil and an
|
||||||
|
error if there was a problem during compilation.
|
||||||
|
|
||||||
|
```go
|
||||||
|
script, err := vm.Compile("", `var abc; if (!abc) abc = 0; abc += 2; abc;`)
|
||||||
|
vm.Run(script)
|
||||||
|
```
|
||||||
|
|
||||||
|
#### func (*Otto) Copy
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (in *Otto) Copy() *Otto
|
||||||
|
```
|
||||||
|
Copy will create a copy/clone of the runtime.
|
||||||
|
|
||||||
|
Copy is useful for saving some time when creating many similar runtimes.
|
||||||
|
|
||||||
|
This method works by walking the original runtime and cloning each object,
|
||||||
|
scope, stash, etc. into a new runtime.
|
||||||
|
|
||||||
|
Be on the lookout for memory leaks or inadvertent sharing of resources.
|
||||||
|
|
||||||
|
#### func (Otto) Get
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Otto) Get(name string) (Value, error)
|
||||||
|
```
|
||||||
|
Get the value of the top-level binding of the given name.
|
||||||
|
|
||||||
|
If there is an error (like the binding does not exist), then the value will be
|
||||||
|
undefined.
|
||||||
|
|
||||||
|
#### func (Otto) Object
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Otto) Object(source string) (*Object, error)
|
||||||
|
```
|
||||||
|
Object will run the given source and return the result as an object.
|
||||||
|
|
||||||
|
For example, accessing an existing object:
|
||||||
|
|
||||||
|
```go
|
||||||
|
object, _ := vm.Object(`Number`)
|
||||||
|
```
|
||||||
|
|
||||||
|
Or, creating a new object:
|
||||||
|
|
||||||
|
```go
|
||||||
|
object, _ := vm.Object(`({ xyzzy: "Nothing happens." })`)
|
||||||
|
```
|
||||||
|
|
||||||
|
Or, creating and assigning an object:
|
||||||
|
|
||||||
|
```go
|
||||||
|
object, _ := vm.Object(`xyzzy = {}`)
|
||||||
|
object.Set("volume", 11)
|
||||||
|
```
|
||||||
|
|
||||||
|
If there is an error (like the source does not result in an object), then nil
|
||||||
|
and an error is returned.
|
||||||
|
|
||||||
|
#### func (Otto) Run
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Otto) Run(src interface{}) (Value, error)
|
||||||
|
```
|
||||||
|
Run will run the given source (parsing it first if necessary), returning the
|
||||||
|
resulting value and error (if any)
|
||||||
|
|
||||||
|
src may be a string, a byte slice, a bytes.Buffer, or an io.Reader, but it MUST
|
||||||
|
always be in UTF-8.
|
||||||
|
|
||||||
|
If the runtime is unable to parse source, then this function will return
|
||||||
|
undefined and the parse error (nothing will be evaluated in this case).
|
||||||
|
|
||||||
|
src may also be a Script.
|
||||||
|
|
||||||
|
src may also be a Program, but if the AST has been modified, then runtime
|
||||||
|
behavior is undefined.
|
||||||
|
|
||||||
|
#### func (Otto) Set
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Otto) Set(name string, value interface{}) error
|
||||||
|
```
|
||||||
|
Set the top-level binding of the given name to the given value.
|
||||||
|
|
||||||
|
Set will automatically apply ToValue to the given value in order to convert it
|
||||||
|
to a JavaScript value (type Value).
|
||||||
|
|
||||||
|
If there is an error (like the binding is read-only, or the ToValue conversion
|
||||||
|
fails), then an error is returned.
|
||||||
|
|
||||||
|
If the top-level binding does not exist, it will be created.
|
||||||
|
|
||||||
|
#### func (Otto) ToValue
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Otto) ToValue(value interface{}) (Value, error)
|
||||||
|
```
|
||||||
|
ToValue will convert an interface{} value to a value digestible by
|
||||||
|
otto/JavaScript.
|
||||||
|
|
||||||
|
#### type Script
|
||||||
|
|
||||||
|
```go
|
||||||
|
type Script struct {
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Script is a handle for some (reusable) JavaScript. Passing a Script value to a
|
||||||
|
run method will evaluate the JavaScript.
|
||||||
|
|
||||||
|
#### func (*Script) String
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self *Script) String() string
|
||||||
|
```
|
||||||
|
|
||||||
|
#### type Value
|
||||||
|
|
||||||
|
```go
|
||||||
|
type Value struct {
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Value is the representation of a JavaScript value.
|
||||||
|
|
||||||
|
#### func FalseValue
|
||||||
|
|
||||||
|
```go
|
||||||
|
func FalseValue() Value
|
||||||
|
```
|
||||||
|
FalseValue will return a value representing false.
|
||||||
|
|
||||||
|
It is equivalent to:
|
||||||
|
|
||||||
|
```go
|
||||||
|
ToValue(false)
|
||||||
|
```
|
||||||
|
|
||||||
|
#### func NaNValue
|
||||||
|
|
||||||
|
```go
|
||||||
|
func NaNValue() Value
|
||||||
|
```
|
||||||
|
NaNValue will return a value representing NaN.
|
||||||
|
|
||||||
|
It is equivalent to:
|
||||||
|
|
||||||
|
```go
|
||||||
|
ToValue(math.NaN())
|
||||||
|
```
|
||||||
|
|
||||||
|
#### func NullValue
|
||||||
|
|
||||||
|
```go
|
||||||
|
func NullValue() Value
|
||||||
|
```
|
||||||
|
NullValue will return a Value representing null.
|
||||||
|
|
||||||
|
#### func ToValue
|
||||||
|
|
||||||
|
```go
|
||||||
|
func ToValue(value interface{}) (Value, error)
|
||||||
|
```
|
||||||
|
ToValue will convert an interface{} value to a value digestible by
|
||||||
|
otto/JavaScript
|
||||||
|
|
||||||
|
This function will not work for advanced types (struct, map, slice/array, etc.)
|
||||||
|
and you should use Otto.ToValue instead.
|
||||||
|
|
||||||
|
#### func TrueValue
|
||||||
|
|
||||||
|
```go
|
||||||
|
func TrueValue() Value
|
||||||
|
```
|
||||||
|
TrueValue will return a value representing true.
|
||||||
|
|
||||||
|
It is equivalent to:
|
||||||
|
|
||||||
|
```go
|
||||||
|
ToValue(true)
|
||||||
|
```
|
||||||
|
|
||||||
|
#### func UndefinedValue
|
||||||
|
|
||||||
|
```go
|
||||||
|
func UndefinedValue() Value
|
||||||
|
```
|
||||||
|
UndefinedValue will return a Value representing undefined.
|
||||||
|
|
||||||
|
#### func (Value) Call
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) Call(this Value, argumentList ...interface{}) (Value, error)
|
||||||
|
```
|
||||||
|
Call the value as a function with the given this value and argument list and
|
||||||
|
return the result of invocation. It is essentially equivalent to:
|
||||||
|
|
||||||
|
value.apply(thisValue, argumentList)
|
||||||
|
|
||||||
|
An undefined value and an error will result if:
|
||||||
|
|
||||||
|
1. There is an error during conversion of the argument list
|
||||||
|
2. The value is not actually a function
|
||||||
|
3. An (uncaught) exception is thrown
|
||||||
|
|
||||||
|
#### func (Value) Class
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) Class() string
|
||||||
|
```
|
||||||
|
Class will return the class string of the value or the empty string if value is
|
||||||
|
not an object.
|
||||||
|
|
||||||
|
The return value will (generally) be one of:
|
||||||
|
|
||||||
|
Object
|
||||||
|
Function
|
||||||
|
Array
|
||||||
|
String
|
||||||
|
Number
|
||||||
|
Boolean
|
||||||
|
Date
|
||||||
|
RegExp
|
||||||
|
|
||||||
|
#### func (Value) Export
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (self Value) Export() (interface{}, error)
|
||||||
|
```
|
||||||
|
Export will attempt to convert the value to a Go representation and return it
|
||||||
|
via an interface{} kind.
|
||||||
|
|
||||||
|
Export returns an error, but it will always be nil. It is present for backwards
|
||||||
|
compatibility.
|
||||||
|
|
||||||
|
If a reasonable conversion is not possible, then the original value is returned.
|
||||||
|
|
||||||
|
undefined -> nil (FIXME?: Should be Value{})
|
||||||
|
null -> nil
|
||||||
|
boolean -> bool
|
||||||
|
number -> A number type (int, float32, uint64, ...)
|
||||||
|
string -> string
|
||||||
|
Array -> []interface{}
|
||||||
|
Object -> map[string]interface{}
|
||||||
|
|
||||||
|
#### func (Value) IsBoolean
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) IsBoolean() bool
|
||||||
|
```
|
||||||
|
IsBoolean will return true if value is a boolean (primitive).
|
||||||
|
|
||||||
|
#### func (Value) IsDefined
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) IsDefined() bool
|
||||||
|
```
|
||||||
|
IsDefined will return false if the value is undefined, and true otherwise.
|
||||||
|
|
||||||
|
#### func (Value) IsFunction
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) IsFunction() bool
|
||||||
|
```
|
||||||
|
IsFunction will return true if value is a function.
|
||||||
|
|
||||||
|
#### func (Value) IsNaN
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) IsNaN() bool
|
||||||
|
```
|
||||||
|
IsNaN will return true if value is NaN (or would convert to NaN).
|
||||||
|
|
||||||
|
#### func (Value) IsNull
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) IsNull() bool
|
||||||
|
```
|
||||||
|
IsNull will return true if the value is null, and false otherwise.
|
||||||
|
|
||||||
|
#### func (Value) IsNumber
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) IsNumber() bool
|
||||||
|
```
|
||||||
|
IsNumber will return true if value is a number (primitive).
|
||||||
|
|
||||||
|
#### func (Value) IsObject
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) IsObject() bool
|
||||||
|
```
|
||||||
|
IsObject will return true if value is an object.
|
||||||
|
|
||||||
|
#### func (Value) IsPrimitive
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) IsPrimitive() bool
|
||||||
|
```
|
||||||
|
IsPrimitive will return true if value is a primitive (any kind of primitive).
|
||||||
|
|
||||||
|
#### func (Value) IsString
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) IsString() bool
|
||||||
|
```
|
||||||
|
IsString will return true if value is a string (primitive).
|
||||||
|
|
||||||
|
#### func (Value) IsUndefined
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) IsUndefined() bool
|
||||||
|
```
|
||||||
|
IsUndefined will return true if the value is undefined, and false otherwise.
|
||||||
|
|
||||||
|
#### func (Value) Object
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) Object() *Object
|
||||||
|
```
|
||||||
|
Object will return the object of the value, or nil if value is not an object.
|
||||||
|
|
||||||
|
This method will not do any implicit conversion. For example, calling this
|
||||||
|
method on a string primitive value will not return a String object.
|
||||||
|
|
||||||
|
#### func (Value) String
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) String() string
|
||||||
|
```
|
||||||
|
String will return the value as a string.
|
||||||
|
|
||||||
|
This method will make return the empty string if there is an error.
|
||||||
|
|
||||||
|
#### func (Value) ToBoolean
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) ToBoolean() (bool, error)
|
||||||
|
```
|
||||||
|
ToBoolean will convert the value to a boolean (bool).
|
||||||
|
|
||||||
|
ToValue(0).ToBoolean() => false
|
||||||
|
ToValue("").ToBoolean() => false
|
||||||
|
ToValue(true).ToBoolean() => true
|
||||||
|
ToValue(1).ToBoolean() => true
|
||||||
|
ToValue("Nothing happens").ToBoolean() => true
|
||||||
|
|
||||||
|
If there is an error during the conversion process (like an uncaught exception),
|
||||||
|
then the result will be false and an error.
|
||||||
|
|
||||||
|
#### func (Value) ToFloat
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) ToFloat() (float64, error)
|
||||||
|
```
|
||||||
|
ToFloat will convert the value to a number (float64).
|
||||||
|
|
||||||
|
ToValue(0).ToFloat() => 0.
|
||||||
|
ToValue(1.1).ToFloat() => 1.1
|
||||||
|
ToValue("11").ToFloat() => 11.
|
||||||
|
|
||||||
|
If there is an error during the conversion process (like an uncaught exception),
|
||||||
|
then the result will be 0 and an error.
|
||||||
|
|
||||||
|
#### func (Value) ToInteger
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) ToInteger() (int64, error)
|
||||||
|
```
|
||||||
|
ToInteger will convert the value to a number (int64).
|
||||||
|
|
||||||
|
ToValue(0).ToInteger() => 0
|
||||||
|
ToValue(1.1).ToInteger() => 1
|
||||||
|
ToValue("11").ToInteger() => 11
|
||||||
|
|
||||||
|
If there is an error during the conversion process (like an uncaught exception),
|
||||||
|
then the result will be 0 and an error.
|
||||||
|
|
||||||
|
#### func (Value) ToString
|
||||||
|
|
||||||
|
```go
|
||||||
|
func (value Value) ToString() (string, error)
|
||||||
|
```
|
||||||
|
ToString will convert the value to a string (string).
|
||||||
|
|
||||||
|
ToValue(0).ToString() => "0"
|
||||||
|
ToValue(false).ToString() => "false"
|
||||||
|
ToValue(1.1).ToString() => "1.1"
|
||||||
|
ToValue("11").ToString() => "11"
|
||||||
|
ToValue('Nothing happens.').ToString() => "Nothing happens."
|
||||||
|
|
||||||
|
If there is an error during the conversion process (like an uncaught exception),
|
||||||
|
then the result will be the empty string ("") and an error.
|
||||||
|
|
||||||
|
--
|
||||||
|
**godocdown** http://github.com/robertkrimen/godocdown
|
1068
v1/vendor/github.com/robertkrimen/otto/ast/README.markdown
generated
vendored
Normal file
1068
v1/vendor/github.com/robertkrimen/otto/ast/README.markdown
generated
vendored
Normal file
File diff suppressed because it is too large
Load diff
279
v1/vendor/github.com/robertkrimen/otto/ast/comments.go
generated
vendored
Normal file
279
v1/vendor/github.com/robertkrimen/otto/ast/comments.go
generated
vendored
Normal file
|
@ -0,0 +1,279 @@
|
||||||
|
package ast
|
||||||
|
|
||||||
|
import (
|
||||||
|
"fmt"
|
||||||
|
|
||||||
|
"github.com/robertkrimen/otto/file"
|
||||||
|
)
|
||||||
|
|
||||||
|
// CommentPosition determines where the comment is in a given context
|
||||||
|
type CommentPosition int
|
||||||
|
|
||||||
|
const (
|
||||||
|
_ CommentPosition = iota
|
||||||
|
LEADING // Before the pertinent expression
|
||||||
|
TRAILING // After the pertinent expression
|
||||||
|
KEY // Before a key in an object
|
||||||
|
COLON // After a colon in a field declaration
|
||||||
|
FINAL // Final comments in a block, not belonging to a specific expression or the comment after a trailing , in an array or object literal
|
||||||
|
IF // After an if keyword
|
||||||
|
WHILE // After a while keyword
|
||||||
|
DO // After do keyword
|
||||||
|
FOR // After a for keyword
|
||||||
|
WITH // After a with keyword
|
||||||
|
TBD
|
||||||
|
)
|
||||||
|
|
||||||
|
// Comment contains the data of the comment
|
||||||
|
type Comment struct {
|
||||||
|
Begin file.Idx
|
||||||
|
Text string
|
||||||
|
Position CommentPosition
|
||||||
|
}
|
||||||
|
|
||||||
|
// NewComment creates a new comment
|
||||||
|
func NewComment(text string, idx file.Idx) *Comment {
|
||||||
|
comment := &Comment{
|
||||||
|
Begin: idx,
|
||||||
|
Text: text,
|
||||||
|
Position: TBD,
|
||||||
|
}
|
||||||
|
|
||||||
|
return comment
|
||||||
|
}
|
||||||
|
|
||||||
|
// String returns a stringified version of the position
|
||||||
|
func (cp CommentPosition) String() string {
|
||||||
|
switch cp {
|
||||||
|
case LEADING:
|
||||||
|
return "Leading"
|
||||||
|
case TRAILING:
|
||||||
|
return "Trailing"
|
||||||
|
case KEY:
|
||||||
|
return "Key"
|
||||||
|
case COLON:
|
||||||
|
return "Colon"
|
||||||
|
case FINAL:
|
||||||
|
return "Final"
|
||||||
|
case IF:
|
||||||
|
return "If"
|
||||||
|
case WHILE:
|
||||||
|
return "While"
|
||||||
|
case DO:
|
||||||
|
return "Do"
|
||||||
|
case FOR:
|
||||||
|
return "For"
|
||||||
|
case WITH:
|
||||||
|
return "With"
|
||||||
|
default:
|
||||||
|
return "???"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// String returns a stringified version of the comment
|
||||||
|
func (c Comment) String() string {
|
||||||
|
return fmt.Sprintf("Comment: %v", c.Text)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Comments defines the current view of comments from the parser
|
||||||
|
type Comments struct {
|
||||||
|
// CommentMap is a reference to the parser comment map
|
||||||
|
CommentMap CommentMap
|
||||||
|
// Comments lists the comments scanned, not linked to a node yet
|
||||||
|
Comments []*Comment
|
||||||
|
// future lists the comments after a line break during a sequence of comments
|
||||||
|
future []*Comment
|
||||||
|
// Current is node for which comments are linked to
|
||||||
|
Current Expression
|
||||||
|
|
||||||
|
// wasLineBreak determines if a line break occured while scanning for comments
|
||||||
|
wasLineBreak bool
|
||||||
|
// primary determines whether or not processing a primary expression
|
||||||
|
primary bool
|
||||||
|
// afterBlock determines whether or not being after a block statement
|
||||||
|
afterBlock bool
|
||||||
|
}
|
||||||
|
|
||||||
|
func NewComments() *Comments {
|
||||||
|
comments := &Comments{
|
||||||
|
CommentMap: CommentMap{},
|
||||||
|
}
|
||||||
|
|
||||||
|
return comments
|
||||||
|
}
|
||||||
|
|
||||||
|
func (c *Comments) String() string {
|
||||||
|
return fmt.Sprintf("NODE: %v, Comments: %v, Future: %v(LINEBREAK:%v)", c.Current, len(c.Comments), len(c.future), c.wasLineBreak)
|
||||||
|
}
|
||||||
|
|
||||||
|
// FetchAll returns all the currently scanned comments,
|
||||||
|
// including those from the next line
|
||||||
|
func (c *Comments) FetchAll() []*Comment {
|
||||||
|
defer func() {
|
||||||
|
c.Comments = nil
|
||||||
|
c.future = nil
|
||||||
|
}()
|
||||||
|
|
||||||
|
return append(c.Comments, c.future...)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Fetch returns all the currently scanned comments
|
||||||
|
func (c *Comments) Fetch() []*Comment {
|
||||||
|
defer func() {
|
||||||
|
c.Comments = nil
|
||||||
|
}()
|
||||||
|
|
||||||
|
return c.Comments
|
||||||
|
}
|
||||||
|
|
||||||
|
// ResetLineBreak marks the beginning of a new statement
|
||||||
|
func (c *Comments) ResetLineBreak() {
|
||||||
|
c.wasLineBreak = false
|
||||||
|
}
|
||||||
|
|
||||||
|
// MarkPrimary will mark the context as processing a primary expression
|
||||||
|
func (c *Comments) MarkPrimary() {
|
||||||
|
c.primary = true
|
||||||
|
c.wasLineBreak = false
|
||||||
|
}
|
||||||
|
|
||||||
|
// AfterBlock will mark the context as being after a block.
|
||||||
|
func (c *Comments) AfterBlock() {
|
||||||
|
c.afterBlock = true
|
||||||
|
}
|
||||||
|
|
||||||
|
// AddComment adds a comment to the view.
|
||||||
|
// Depending on the context, comments are added normally or as post line break.
|
||||||
|
func (c *Comments) AddComment(comment *Comment) {
|
||||||
|
if c.primary {
|
||||||
|
if !c.wasLineBreak {
|
||||||
|
c.Comments = append(c.Comments, comment)
|
||||||
|
} else {
|
||||||
|
c.future = append(c.future, comment)
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
if !c.wasLineBreak || (c.Current == nil && !c.afterBlock) {
|
||||||
|
c.Comments = append(c.Comments, comment)
|
||||||
|
} else {
|
||||||
|
c.future = append(c.future, comment)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// MarkComments will mark the found comments as the given position.
|
||||||
|
func (c *Comments) MarkComments(position CommentPosition) {
|
||||||
|
for _, comment := range c.Comments {
|
||||||
|
if comment.Position == TBD {
|
||||||
|
comment.Position = position
|
||||||
|
}
|
||||||
|
}
|
||||||
|
for _, c := range c.future {
|
||||||
|
if c.Position == TBD {
|
||||||
|
c.Position = position
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Unset the current node and apply the comments to the current expression.
|
||||||
|
// Resets context variables.
|
||||||
|
func (c *Comments) Unset() {
|
||||||
|
if c.Current != nil {
|
||||||
|
c.applyComments(c.Current, c.Current, TRAILING)
|
||||||
|
c.Current = nil
|
||||||
|
}
|
||||||
|
c.wasLineBreak = false
|
||||||
|
c.primary = false
|
||||||
|
c.afterBlock = false
|
||||||
|
}
|
||||||
|
|
||||||
|
// SetExpression sets the current expression.
|
||||||
|
// It is applied the found comments, unless the previous expression has not been unset.
|
||||||
|
// It is skipped if the node is already set or if it is a part of the previous node.
|
||||||
|
func (c *Comments) SetExpression(node Expression) {
|
||||||
|
// Skipping same node
|
||||||
|
if c.Current == node {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
if c.Current != nil && c.Current.Idx1() == node.Idx1() {
|
||||||
|
c.Current = node
|
||||||
|
return
|
||||||
|
}
|
||||||
|
previous := c.Current
|
||||||
|
c.Current = node
|
||||||
|
|
||||||
|
// Apply the found comments and futures to the node and the previous.
|
||||||
|
c.applyComments(node, previous, TRAILING)
|
||||||
|
}
|
||||||
|
|
||||||
|
// PostProcessNode applies all found comments to the given node
|
||||||
|
func (c *Comments) PostProcessNode(node Node) {
|
||||||
|
c.applyComments(node, nil, TRAILING)
|
||||||
|
}
|
||||||
|
|
||||||
|
// applyComments applies both the comments and the future comments to the given node and the previous one,
|
||||||
|
// based on the context.
|
||||||
|
func (c *Comments) applyComments(node, previous Node, position CommentPosition) {
|
||||||
|
if previous != nil {
|
||||||
|
c.CommentMap.AddComments(previous, c.Comments, position)
|
||||||
|
c.Comments = nil
|
||||||
|
} else {
|
||||||
|
c.CommentMap.AddComments(node, c.Comments, position)
|
||||||
|
c.Comments = nil
|
||||||
|
}
|
||||||
|
// Only apply the future comments to the node if the previous is set.
|
||||||
|
// This is for detecting end of line comments and which node comments on the following lines belongs to
|
||||||
|
if previous != nil {
|
||||||
|
c.CommentMap.AddComments(node, c.future, position)
|
||||||
|
c.future = nil
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// AtLineBreak will mark a line break
|
||||||
|
func (c *Comments) AtLineBreak() {
|
||||||
|
c.wasLineBreak = true
|
||||||
|
}
|
||||||
|
|
||||||
|
// CommentMap is the data structure where all found comments are stored
|
||||||
|
type CommentMap map[Node][]*Comment
|
||||||
|
|
||||||
|
// AddComment adds a single comment to the map
|
||||||
|
func (cm CommentMap) AddComment(node Node, comment *Comment) {
|
||||||
|
list := cm[node]
|
||||||
|
list = append(list, comment)
|
||||||
|
|
||||||
|
cm[node] = list
|
||||||
|
}
|
||||||
|
|
||||||
|
// AddComments adds a slice of comments, given a node and an updated position
|
||||||
|
func (cm CommentMap) AddComments(node Node, comments []*Comment, position CommentPosition) {
|
||||||
|
for _, comment := range comments {
|
||||||
|
if comment.Position == TBD {
|
||||||
|
comment.Position = position
|
||||||
|
}
|
||||||
|
cm.AddComment(node, comment)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// Size returns the size of the map
|
||||||
|
func (cm CommentMap) Size() int {
|
||||||
|
size := 0
|
||||||
|
for _, comments := range cm {
|
||||||
|
size += len(comments)
|
||||||
|
}
|
||||||
|
|
||||||
|
return size
|
||||||
|
}
|
||||||
|
|
||||||
|
// MoveComments moves comments with a given position from a node to another
|
||||||
|
func (cm CommentMap) MoveComments(from, to Node, position CommentPosition) {
|
||||||
|
for i, c := range cm[from] {
|
||||||
|
if c.Position == position {
|
||||||
|
cm.AddComment(to, c)
|
||||||
|
|
||||||
|
// Remove the comment from the "from" slice
|
||||||
|
cm[from][i] = cm[from][len(cm[from])-1]
|
||||||
|
cm[from][len(cm[from])-1] = nil
|
||||||
|
cm[from] = cm[from][:len(cm[from])-1]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
519
v1/vendor/github.com/robertkrimen/otto/ast/node.go
generated
vendored
Normal file
519
v1/vendor/github.com/robertkrimen/otto/ast/node.go
generated
vendored
Normal file
|
@ -0,0 +1,519 @@
|
||||||
|
/*
|
||||||
|
Package ast declares types representing a JavaScript AST.
|
||||||
|
|
||||||
|
# Warning
|
||||||
|
|
||||||
|
The parser and AST interfaces are still works-in-progress (particularly where
|
||||||
|
node types are concerned) and may change in the future.
|
||||||
|
*/
|
||||||
|
package ast
|
||||||
|
|
||||||
|
import (
|
||||||
|
"github.com/robertkrimen/otto/file"
|
||||||
|
"github.com/robertkrimen/otto/token"
|
||||||
|
)
|
||||||
|
|
||||||
|
// All nodes implement the Node interface.
|
||||||
|
type Node interface {
|
||||||
|
Idx0() file.Idx // The index of the first character belonging to the node
|
||||||
|
Idx1() file.Idx // The index of the first character immediately after the node
|
||||||
|
}
|
||||||
|
|
||||||
|
// ========== //
|
||||||
|
// Expression //
|
||||||
|
// ========== //
|
||||||
|
|
||||||
|
type (
|
||||||
|
// All expression nodes implement the Expression interface.
|
||||||
|
Expression interface {
|
||||||
|
Node
|
||||||
|
_expressionNode()
|
||||||
|
}
|
||||||
|
|
||||||
|
ArrayLiteral struct {
|
||||||
|
LeftBracket file.Idx
|
||||||
|
RightBracket file.Idx
|
||||||
|
Value []Expression
|
||||||
|
}
|
||||||
|
|
||||||
|
AssignExpression struct {
|
||||||
|
Operator token.Token
|
||||||
|
Left Expression
|
||||||
|
Right Expression
|
||||||
|
}
|
||||||
|
|
||||||
|
BadExpression struct {
|
||||||
|
From file.Idx
|
||||||
|
To file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
BinaryExpression struct {
|
||||||
|
Operator token.Token
|
||||||
|
Left Expression
|
||||||
|
Right Expression
|
||||||
|
Comparison bool
|
||||||
|
}
|
||||||
|
|
||||||
|
BooleanLiteral struct {
|
||||||
|
Idx file.Idx
|
||||||
|
Literal string
|
||||||
|
Value bool
|
||||||
|
}
|
||||||
|
|
||||||
|
BracketExpression struct {
|
||||||
|
Left Expression
|
||||||
|
Member Expression
|
||||||
|
LeftBracket file.Idx
|
||||||
|
RightBracket file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
CallExpression struct {
|
||||||
|
Callee Expression
|
||||||
|
LeftParenthesis file.Idx
|
||||||
|
ArgumentList []Expression
|
||||||
|
RightParenthesis file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
ConditionalExpression struct {
|
||||||
|
Test Expression
|
||||||
|
Consequent Expression
|
||||||
|
Alternate Expression
|
||||||
|
}
|
||||||
|
|
||||||
|
DotExpression struct {
|
||||||
|
Left Expression
|
||||||
|
Identifier *Identifier
|
||||||
|
}
|
||||||
|
|
||||||
|
EmptyExpression struct {
|
||||||
|
Begin file.Idx
|
||||||
|
End file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
FunctionLiteral struct {
|
||||||
|
Function file.Idx
|
||||||
|
Name *Identifier
|
||||||
|
ParameterList *ParameterList
|
||||||
|
Body Statement
|
||||||
|
Source string
|
||||||
|
|
||||||
|
DeclarationList []Declaration
|
||||||
|
}
|
||||||
|
|
||||||
|
Identifier struct {
|
||||||
|
Name string
|
||||||
|
Idx file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
NewExpression struct {
|
||||||
|
New file.Idx
|
||||||
|
Callee Expression
|
||||||
|
LeftParenthesis file.Idx
|
||||||
|
ArgumentList []Expression
|
||||||
|
RightParenthesis file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
NullLiteral struct {
|
||||||
|
Idx file.Idx
|
||||||
|
Literal string
|
||||||
|
}
|
||||||
|
|
||||||
|
NumberLiteral struct {
|
||||||
|
Idx file.Idx
|
||||||
|
Literal string
|
||||||
|
Value interface{}
|
||||||
|
}
|
||||||
|
|
||||||
|
ObjectLiteral struct {
|
||||||
|
LeftBrace file.Idx
|
||||||
|
RightBrace file.Idx
|
||||||
|
Value []Property
|
||||||
|
}
|
||||||
|
|
||||||
|
ParameterList struct {
|
||||||
|
Opening file.Idx
|
||||||
|
List []*Identifier
|
||||||
|
Closing file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
Property struct {
|
||||||
|
Key string
|
||||||
|
Kind string
|
||||||
|
Value Expression
|
||||||
|
}
|
||||||
|
|
||||||
|
RegExpLiteral struct {
|
||||||
|
Idx file.Idx
|
||||||
|
Literal string
|
||||||
|
Pattern string
|
||||||
|
Flags string
|
||||||
|
Value string
|
||||||
|
}
|
||||||
|
|
||||||
|
SequenceExpression struct {
|
||||||
|
Sequence []Expression
|
||||||
|
}
|
||||||
|
|
||||||
|
StringLiteral struct {
|
||||||
|
Idx file.Idx
|
||||||
|
Literal string
|
||||||
|
Value string
|
||||||
|
}
|
||||||
|
|
||||||
|
ThisExpression struct {
|
||||||
|
Idx file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
UnaryExpression struct {
|
||||||
|
Operator token.Token
|
||||||
|
Idx file.Idx // If a prefix operation
|
||||||
|
Operand Expression
|
||||||
|
Postfix bool
|
||||||
|
}
|
||||||
|
|
||||||
|
VariableExpression struct {
|
||||||
|
Name string
|
||||||
|
Idx file.Idx
|
||||||
|
Initializer Expression
|
||||||
|
}
|
||||||
|
)
|
||||||
|
|
||||||
|
// _expressionNode
|
||||||
|
|
||||||
|
func (*ArrayLiteral) _expressionNode() {}
|
||||||
|
func (*AssignExpression) _expressionNode() {}
|
||||||
|
func (*BadExpression) _expressionNode() {}
|
||||||
|
func (*BinaryExpression) _expressionNode() {}
|
||||||
|
func (*BooleanLiteral) _expressionNode() {}
|
||||||
|
func (*BracketExpression) _expressionNode() {}
|
||||||
|
func (*CallExpression) _expressionNode() {}
|
||||||
|
func (*ConditionalExpression) _expressionNode() {}
|
||||||
|
func (*DotExpression) _expressionNode() {}
|
||||||
|
func (*EmptyExpression) _expressionNode() {}
|
||||||
|
func (*FunctionLiteral) _expressionNode() {}
|
||||||
|
func (*Identifier) _expressionNode() {}
|
||||||
|
func (*NewExpression) _expressionNode() {}
|
||||||
|
func (*NullLiteral) _expressionNode() {}
|
||||||
|
func (*NumberLiteral) _expressionNode() {}
|
||||||
|
func (*ObjectLiteral) _expressionNode() {}
|
||||||
|
func (*RegExpLiteral) _expressionNode() {}
|
||||||
|
func (*SequenceExpression) _expressionNode() {}
|
||||||
|
func (*StringLiteral) _expressionNode() {}
|
||||||
|
func (*ThisExpression) _expressionNode() {}
|
||||||
|
func (*UnaryExpression) _expressionNode() {}
|
||||||
|
func (*VariableExpression) _expressionNode() {}
|
||||||
|
|
||||||
|
// ========= //
|
||||||
|
// Statement //
|
||||||
|
// ========= //
|
||||||
|
|
||||||
|
type (
|
||||||
|
// All statement nodes implement the Statement interface.
|
||||||
|
Statement interface {
|
||||||
|
Node
|
||||||
|
_statementNode()
|
||||||
|
}
|
||||||
|
|
||||||
|
BadStatement struct {
|
||||||
|
From file.Idx
|
||||||
|
To file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
BlockStatement struct {
|
||||||
|
LeftBrace file.Idx
|
||||||
|
List []Statement
|
||||||
|
RightBrace file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
BranchStatement struct {
|
||||||
|
Idx file.Idx
|
||||||
|
Token token.Token
|
||||||
|
Label *Identifier
|
||||||
|
}
|
||||||
|
|
||||||
|
CaseStatement struct {
|
||||||
|
Case file.Idx
|
||||||
|
Test Expression
|
||||||
|
Consequent []Statement
|
||||||
|
}
|
||||||
|
|
||||||
|
CatchStatement struct {
|
||||||
|
Catch file.Idx
|
||||||
|
Parameter *Identifier
|
||||||
|
Body Statement
|
||||||
|
}
|
||||||
|
|
||||||
|
DebuggerStatement struct {
|
||||||
|
Debugger file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
DoWhileStatement struct {
|
||||||
|
Do file.Idx
|
||||||
|
Test Expression
|
||||||
|
Body Statement
|
||||||
|
}
|
||||||
|
|
||||||
|
EmptyStatement struct {
|
||||||
|
Semicolon file.Idx
|
||||||
|
}
|
||||||
|
|
||||||
|
ExpressionStatement struct {
|
||||||
|
Expression Expression
|
||||||
|
}
|
||||||
|
|
||||||
|
ForInStatement struct {
|
||||||
|
For file.Idx
|
||||||
|
Into Expression
|
||||||
|
Source Expression
|
||||||
|
Body Statement
|
||||||
|
}
|
||||||
|
|
||||||
|
ForStatement struct {
|
||||||
|
For file.Idx
|
||||||
|
Initializer Expression
|
||||||
|
Update Expression
|
||||||
|
Test Expression
|
||||||
|
Body Statement
|
||||||
|
}
|
||||||
|
|
||||||
|
FunctionStatement struct {
|
||||||
|
Function *FunctionLiteral
|
||||||
|
}
|
||||||
|
|
||||||
|
IfStatement struct {
|
||||||
|
If file.Idx
|
||||||
|
Test Expression
|
||||||
|
Consequent Statement
|
||||||
|
Alternate Statement
|
||||||
|
}
|
||||||
|
|
||||||
|
LabelledStatement struct {
|
||||||
|
Label *Identifier
|
||||||
|
Colon file.Idx
|
||||||
|
Statement Statement
|
||||||
|
}
|
||||||
|
|
||||||
|
ReturnStatement struct {
|
||||||
|
Return file.Idx
|
||||||
|
Argument Expression
|
||||||
|
}
|
||||||
|
|
||||||
|
SwitchStatement struct {
|
||||||
|
Switch file.Idx
|
||||||
|
Discriminant Expression
|
||||||
|
Default int
|
||||||
|
Body []*CaseStatement
|
||||||
|
}
|
||||||
|
|
||||||
|
ThrowStatement struct {
|
||||||
|
Throw file.Idx
|
||||||
|
Argument Expression
|
||||||
|
}
|
||||||
|
|
||||||
|
TryStatement struct {
|
||||||
|
Try file.Idx
|
||||||
|
Body Statement
|
||||||
|
Catch *CatchStatement
|
||||||
|
Finally Statement
|
||||||
|
}
|
||||||
|
|
||||||
|
VariableStatement struct {
|
||||||
|
Var file.Idx
|
||||||
|
List []Expression
|
||||||
|
}
|
||||||
|
|
||||||
|
WhileStatement struct {
|
||||||
|
While file.Idx
|
||||||
|
Test Expression
|
||||||
|
Body Statement
|
||||||
|
}
|
||||||
|
|
||||||
|
WithStatement struct {
|
||||||
|
With file.Idx
|
||||||
|
Object Expression
|
||||||
|
Body Statement
|
||||||
|
}
|
||||||
|
)
|
||||||
|
|
||||||
|
// _statementNode
|
||||||
|
|
||||||
|
func (*BadStatement) _statementNode() {}
|
||||||
|
func (*BlockStatement) _statementNode() {}
|
||||||
|
func (*BranchStatement) _statementNode() {}
|
||||||
|
func (*CaseStatement) _statementNode() {}
|
||||||
|
func (*CatchStatement) _statementNode() {}
|
||||||
|
func (*DebuggerStatement) _statementNode() {}
|
||||||
|
func (*DoWhileStatement) _statementNode() {}
|
||||||
|
func (*EmptyStatement) _statementNode() {}
|
||||||
|
func (*ExpressionStatement) _statementNode() {}
|
||||||
|
func (*ForInStatement) _statementNode() {}
|
||||||
|
func (*ForStatement) _statementNode() {}
|
||||||
|
func (*FunctionStatement) _statementNode() {}
|
||||||
|
func (*IfStatement) _statementNode() {}
|
||||||
|
func (*LabelledStatement) _statementNode() {}
|
||||||
|
func (*ReturnStatement) _statementNode() {}
|
||||||
|
func (*SwitchStatement) _statementNode() {}
|
||||||
|
func (*ThrowStatement) _statementNode() {}
|
||||||
|
func (*TryStatement) _statementNode() {}
|
||||||
|
func (*VariableStatement) _statementNode() {}
|
||||||
|
func (*WhileStatement) _statementNode() {}
|
||||||
|
func (*WithStatement) _statementNode() {}
|
||||||
|
|
||||||
|
// =========== //
|
||||||
|
// Declaration //
|
||||||
|
// =========== //
|
||||||
|
|
||||||
|
type (
|
||||||
|
// All declaration nodes implement the Declaration interface.
|
||||||
|
Declaration interface {
|
||||||
|
_declarationNode()
|
||||||
|
}
|
||||||
|
|
||||||
|
FunctionDeclaration struct {
|
||||||
|
Function *FunctionLiteral
|
||||||
|
}
|
||||||
|
|
||||||
|
VariableDeclaration struct {
|
||||||
|
Var file.Idx
|
||||||
|
List []*VariableExpression
|
||||||
|
}
|
||||||
|
)
|
||||||
|
|
||||||
|
// _declarationNode
|
||||||
|
|
||||||
|
func (*FunctionDeclaration) _declarationNode() {}
|
||||||
|
func (*VariableDeclaration) _declarationNode() {}
|
||||||
|
|
||||||
|
// ==== //
|
||||||
|
// Node //
|
||||||
|
// ==== //
|
||||||
|
|
||||||
|
type Program struct {
|
||||||
|
Body []Statement
|
||||||
|
|
||||||
|
DeclarationList []Declaration
|
||||||
|
|
||||||
|
File *file.File
|
||||||
|
|
||||||
|
Comments CommentMap
|
||||||
|
}
|
||||||
|
|
||||||
|
// ==== //
|
||||||
|
// Idx0 //
|
||||||
|
// ==== //
|
||||||
|
|
||||||
|
func (self *ArrayLiteral) Idx0() file.Idx { return self.LeftBracket }
|
||||||
|
func (self *AssignExpression) Idx0() file.Idx { return self.Left.Idx0() }
|
||||||
|
func (self *BadExpression) Idx0() file.Idx { return self.From }
|
||||||
|
func (self *BinaryExpression) Idx0() file.Idx { return self.Left.Idx0() }
|
||||||
|
func (self *BooleanLiteral) Idx0() file.Idx { return self.Idx }
|
||||||
|
func (self *BracketExpression) Idx0() file.Idx { return self.Left.Idx0() }
|
||||||
|
func (self *CallExpression) Idx0() file.Idx { return self.Callee.Idx0() }
|
||||||
|
func (self *ConditionalExpression) Idx0() file.Idx { return self.Test.Idx0() }
|
||||||
|
func (self *DotExpression) Idx0() file.Idx { return self.Left.Idx0() }
|
||||||
|
func (self *EmptyExpression) Idx0() file.Idx { return self.Begin }
|
||||||
|
func (self *FunctionLiteral) Idx0() file.Idx { return self.Function }
|
||||||
|
func (self *Identifier) Idx0() file.Idx { return self.Idx }
|
||||||
|
func (self *NewExpression) Idx0() file.Idx { return self.New }
|
||||||
|
func (self *NullLiteral) Idx0() file.Idx { return self.Idx }
|
||||||
|
func (self *NumberLiteral) Idx0() file.Idx { return self.Idx }
|
||||||
|
func (self *ObjectLiteral) Idx0() file.Idx { return self.LeftBrace }
|
||||||
|
func (self *RegExpLiteral) Idx0() file.Idx { return self.Idx }
|
||||||
|
func (self *SequenceExpression) Idx0() file.Idx { return self.Sequence[0].Idx0() }
|
||||||
|
func (self *StringLiteral) Idx0() file.Idx { return self.Idx }
|
||||||
|
func (self *ThisExpression) Idx0() file.Idx { return self.Idx }
|
||||||
|
func (self *UnaryExpression) Idx0() file.Idx { return self.Idx }
|
||||||
|
func (self *VariableExpression) Idx0() file.Idx { return self.Idx }
|
||||||
|
|
||||||
|
func (self *BadStatement) Idx0() file.Idx { return self.From }
|
||||||
|
func (self *BlockStatement) Idx0() file.Idx { return self.LeftBrace }
|
||||||
|
func (self *BranchStatement) Idx0() file.Idx { return self.Idx }
|
||||||
|
func (self *CaseStatement) Idx0() file.Idx { return self.Case }
|
||||||
|
func (self *CatchStatement) Idx0() file.Idx { return self.Catch }
|
||||||
|
func (self *DebuggerStatement) Idx0() file.Idx { return self.Debugger }
|
||||||
|
func (self *DoWhileStatement) Idx0() file.Idx { return self.Do }
|
||||||
|
func (self *EmptyStatement) Idx0() file.Idx { return self.Semicolon }
|
||||||
|
func (self *ExpressionStatement) Idx0() file.Idx { return self.Expression.Idx0() }
|
||||||
|
func (self *ForInStatement) Idx0() file.Idx { return self.For }
|
||||||
|
func (self *ForStatement) Idx0() file.Idx { return self.For }
|
||||||
|
func (self *FunctionStatement) Idx0() file.Idx { return self.Function.Idx0() }
|
||||||
|
func (self *IfStatement) Idx0() file.Idx { return self.If }
|
||||||
|
func (self *LabelledStatement) Idx0() file.Idx { return self.Label.Idx0() }
|
||||||
|
func (self *Program) Idx0() file.Idx { return self.Body[0].Idx0() }
|
||||||
|
func (self *ReturnStatement) Idx0() file.Idx { return self.Return }
|
||||||
|
func (self *SwitchStatement) Idx0() file.Idx { return self.Switch }
|
||||||
|
func (self *ThrowStatement) Idx0() file.Idx { return self.Throw }
|
||||||
|
func (self *TryStatement) Idx0() file.Idx { return self.Try }
|
||||||
|
func (self *VariableStatement) Idx0() file.Idx { return self.Var }
|
||||||
|
func (self *WhileStatement) Idx0() file.Idx { return self.While }
|
||||||
|
func (self *WithStatement) Idx0() file.Idx { return self.With }
|
||||||
|
|
||||||
|
// ==== //
|
||||||
|
// Idx1 //
|
||||||
|
// ==== //
|
||||||
|
|
||||||
|
func (self *ArrayLiteral) Idx1() file.Idx { return self.RightBracket }
|
||||||
|
func (self *AssignExpression) Idx1() file.Idx { return self.Right.Idx1() }
|
||||||
|
func (self *BadExpression) Idx1() file.Idx { return self.To }
|
||||||
|
func (self *BinaryExpression) Idx1() file.Idx { return self.Right.Idx1() }
|
||||||
|
func (self *BooleanLiteral) Idx1() file.Idx { return file.Idx(int(self.Idx) + len(self.Literal)) }
|
||||||
|
func (self *BracketExpression) Idx1() file.Idx { return self.RightBracket + 1 }
|
||||||
|
func (self *CallExpression) Idx1() file.Idx { return self.RightParenthesis + 1 }
|
||||||
|
func (self *ConditionalExpression) Idx1() file.Idx { return self.Test.Idx1() }
|
||||||
|
func (self *DotExpression) Idx1() file.Idx { return self.Identifier.Idx1() }
|
||||||
|
func (self *EmptyExpression) Idx1() file.Idx { return self.End }
|
||||||
|
func (self *FunctionLiteral) Idx1() file.Idx { return self.Body.Idx1() }
|
||||||
|
func (self *Identifier) Idx1() file.Idx { return file.Idx(int(self.Idx) + len(self.Name)) }
|
||||||
|
func (self *NewExpression) Idx1() file.Idx {
|
||||||
|
if self.RightParenthesis > 0 {
|
||||||
|
return self.RightParenthesis + 1
|
||||||
|
}
|
||||||
|
return self.Callee.Idx1()
|
||||||
|
}
|
||||||
|
func (self *NullLiteral) Idx1() file.Idx { return file.Idx(int(self.Idx) + 4) } // "null"
|
||||||
|
func (self *NumberLiteral) Idx1() file.Idx { return file.Idx(int(self.Idx) + len(self.Literal)) }
|
||||||
|
func (self *ObjectLiteral) Idx1() file.Idx { return self.RightBrace }
|
||||||
|
func (self *RegExpLiteral) Idx1() file.Idx { return file.Idx(int(self.Idx) + len(self.Literal)) }
|
||||||
|
func (self *SequenceExpression) Idx1() file.Idx { return self.Sequence[0].Idx1() }
|
||||||
|
func (self *StringLiteral) Idx1() file.Idx { return file.Idx(int(self.Idx) + len(self.Literal)) }
|
||||||
|
func (self *ThisExpression) Idx1() file.Idx { return self.Idx + 4 }
|
||||||
|
func (self *UnaryExpression) Idx1() file.Idx {
|
||||||
|
if self.Postfix {
|
||||||
|
return self.Operand.Idx1() + 2 // ++ --
|
||||||
|
}
|
||||||
|
return self.Operand.Idx1()
|
||||||
|
}
|
||||||
|
func (self *VariableExpression) Idx1() file.Idx {
|
||||||
|
if self.Initializer == nil {
|
||||||
|
return file.Idx(int(self.Idx) + len(self.Name) + 1)
|
||||||
|
}
|
||||||
|
return self.Initializer.Idx1()
|
||||||
|
}
|
||||||
|
|
||||||
|
func (self *BadStatement) Idx1() file.Idx { return self.To }
|
||||||
|
func (self *BlockStatement) Idx1() file.Idx { return self.RightBrace + 1 }
|
||||||
|
func (self *BranchStatement) Idx1() file.Idx { return self.Idx }
|
||||||
|
func (self *CaseStatement) Idx1() file.Idx { return self.Consequent[len(self.Consequent)-1].Idx1() }
|
||||||
|
func (self *CatchStatement) Idx1() file.Idx { return self.Body.Idx1() }
|
||||||
|
func (self *DebuggerStatement) Idx1() file.Idx { return self.Debugger + 8 }
|
||||||
|
func (self *DoWhileStatement) Idx1() file.Idx { return self.Test.Idx1() }
|
||||||
|
func (self *EmptyStatement) Idx1() file.Idx { return self.Semicolon + 1 }
|
||||||
|
func (self *ExpressionStatement) Idx1() file.Idx { return self.Expression.Idx1() }
|
||||||
|
func (self *ForInStatement) Idx1() file.Idx { return self.Body.Idx1() }
|
||||||
|
func (self *ForStatement) Idx1() file.Idx { return self.Body.Idx1() }
|
||||||
|
func (self *FunctionStatement) Idx1() file.Idx { return self.Function.Idx1() }
|
||||||
|
func (self *IfStatement) Idx1() file.Idx {
|
||||||
|
if self.Alternate != nil {
|
||||||
|
return self.Alternate.Idx1()
|
||||||
|
}
|
||||||
|
return self.Consequent.Idx1()
|
||||||
|
}
|
||||||
|
func (self *LabelledStatement) Idx1() file.Idx { return self.Colon + 1 }
|
||||||
|
func (self *Program) Idx1() file.Idx { return self.Body[len(self.Body)-1].Idx1() }
|
||||||
|
func (self *ReturnStatement) Idx1() file.Idx { return self.Return }
|
||||||
|
func (self *SwitchStatement) Idx1() file.Idx { return self.Body[len(self.Body)-1].Idx1() }
|
||||||
|
func (self *ThrowStatement) Idx1() file.Idx { return self.Throw }
|
||||||
|
func (self *TryStatement) Idx1() file.Idx { return self.Try }
|
||||||
|
func (self *VariableStatement) Idx1() file.Idx { return self.List[len(self.List)-1].Idx1() }
|
||||||
|
func (self *WhileStatement) Idx1() file.Idx { return self.Body.Idx1() }
|
||||||
|
func (self *WithStatement) Idx1() file.Idx { return self.Body.Idx1() }
|
219
v1/vendor/github.com/robertkrimen/otto/ast/walk.go
generated
vendored
Normal file
219
v1/vendor/github.com/robertkrimen/otto/ast/walk.go
generated
vendored
Normal file
|
@ -0,0 +1,219 @@
|
||||||
|
package ast
|
||||||
|
|
||||||
|
import "fmt"
|
||||||
|
|
||||||
|
// Visitor Enter method is invoked for each node encountered by Walk.
|
||||||
|
// If the result visitor w is not nil, Walk visits each of the children
|
||||||
|
// of node with the visitor v, followed by a call of the Exit method.
|
||||||
|
type Visitor interface {
|
||||||
|
Enter(n Node) (v Visitor)
|
||||||
|
Exit(n Node)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Walk traverses an AST in depth-first order: It starts by calling
|
||||||
|
// v.Enter(node); node must not be nil. If the visitor v returned by
|
||||||
|
// v.Enter(node) is not nil, Walk is invoked recursively with visitor
|
||||||
|
// v for each of the non-nil children of node, followed by a call
|
||||||
|
// of v.Exit(node).
|
||||||
|
func Walk(v Visitor, n Node) {
|
||||||
|
if n == nil {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
if v = v.Enter(n); v == nil {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
defer v.Exit(n)
|
||||||
|
|
||||||
|
switch n := n.(type) {
|
||||||
|
case *ArrayLiteral:
|
||||||
|
if n != nil {
|
||||||
|
for _, ex := range n.Value {
|
||||||
|
Walk(v, ex)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case *AssignExpression:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Left)
|
||||||
|
Walk(v, n.Right)
|
||||||
|
}
|
||||||
|
case *BadExpression:
|
||||||
|
case *BinaryExpression:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Left)
|
||||||
|
Walk(v, n.Right)
|
||||||
|
}
|
||||||
|
case *BlockStatement:
|
||||||
|
if n != nil {
|
||||||
|
for _, s := range n.List {
|
||||||
|
Walk(v, s)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case *BooleanLiteral:
|
||||||
|
case *BracketExpression:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Left)
|
||||||
|
Walk(v, n.Member)
|
||||||
|
}
|
||||||
|
case *BranchStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Label)
|
||||||
|
}
|
||||||
|
case *CallExpression:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Callee)
|
||||||
|
for _, a := range n.ArgumentList {
|
||||||
|
Walk(v, a)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case *CaseStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Test)
|
||||||
|
for _, c := range n.Consequent {
|
||||||
|
Walk(v, c)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case *CatchStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Parameter)
|
||||||
|
Walk(v, n.Body)
|
||||||
|
}
|
||||||
|
case *ConditionalExpression:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Test)
|
||||||
|
Walk(v, n.Consequent)
|
||||||
|
Walk(v, n.Alternate)
|
||||||
|
}
|
||||||
|
case *DebuggerStatement:
|
||||||
|
case *DoWhileStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Test)
|
||||||
|
Walk(v, n.Body)
|
||||||
|
}
|
||||||
|
case *DotExpression:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Left)
|
||||||
|
Walk(v, n.Identifier)
|
||||||
|
}
|
||||||
|
case *EmptyExpression:
|
||||||
|
case *EmptyStatement:
|
||||||
|
case *ExpressionStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Expression)
|
||||||
|
}
|
||||||
|
case *ForInStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Into)
|
||||||
|
Walk(v, n.Source)
|
||||||
|
Walk(v, n.Body)
|
||||||
|
}
|
||||||
|
case *ForStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Initializer)
|
||||||
|
Walk(v, n.Update)
|
||||||
|
Walk(v, n.Test)
|
||||||
|
Walk(v, n.Body)
|
||||||
|
}
|
||||||
|
case *FunctionLiteral:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Name)
|
||||||
|
for _, p := range n.ParameterList.List {
|
||||||
|
Walk(v, p)
|
||||||
|
}
|
||||||
|
Walk(v, n.Body)
|
||||||
|
}
|
||||||
|
case *FunctionStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Function)
|
||||||
|
}
|
||||||
|
case *Identifier:
|
||||||
|
case *IfStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Test)
|
||||||
|
Walk(v, n.Consequent)
|
||||||
|
Walk(v, n.Alternate)
|
||||||
|
}
|
||||||
|
case *LabelledStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Label)
|
||||||
|
Walk(v, n.Statement)
|
||||||
|
}
|
||||||
|
case *NewExpression:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Callee)
|
||||||
|
for _, a := range n.ArgumentList {
|
||||||
|
Walk(v, a)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case *NullLiteral:
|
||||||
|
case *NumberLiteral:
|
||||||
|
case *ObjectLiteral:
|
||||||
|
if n != nil {
|
||||||
|
for _, p := range n.Value {
|
||||||
|
Walk(v, p.Value)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case *Program:
|
||||||
|
if n != nil {
|
||||||
|
for _, b := range n.Body {
|
||||||
|
Walk(v, b)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case *RegExpLiteral:
|
||||||
|
case *ReturnStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Argument)
|
||||||
|
}
|
||||||
|
case *SequenceExpression:
|
||||||
|
if n != nil {
|
||||||
|
for _, e := range n.Sequence {
|
||||||
|
Walk(v, e)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case *StringLiteral:
|
||||||
|
case *SwitchStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Discriminant)
|
||||||
|
for _, c := range n.Body {
|
||||||
|
Walk(v, c)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case *ThisExpression:
|
||||||
|
case *ThrowStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Argument)
|
||||||
|
}
|
||||||
|
case *TryStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Body)
|
||||||
|
Walk(v, n.Catch)
|
||||||
|
Walk(v, n.Finally)
|
||||||
|
}
|
||||||
|
case *UnaryExpression:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Operand)
|
||||||
|
}
|
||||||
|
case *VariableExpression:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Initializer)
|
||||||
|
}
|
||||||
|
case *VariableStatement:
|
||||||
|
if n != nil {
|
||||||
|
for _, e := range n.List {
|
||||||
|
Walk(v, e)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case *WhileStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Test)
|
||||||
|
Walk(v, n.Body)
|
||||||
|
}
|
||||||
|
case *WithStatement:
|
||||||
|
if n != nil {
|
||||||
|
Walk(v, n.Object)
|
||||||
|
Walk(v, n.Body)
|
||||||
|
}
|
||||||
|
default:
|
||||||
|
panic(fmt.Sprintf("Walk: unexpected node type %T", n))
|
||||||
|
}
|
||||||
|
}
|
336
v1/vendor/github.com/robertkrimen/otto/builtin.go
generated
vendored
Normal file
336
v1/vendor/github.com/robertkrimen/otto/builtin.go
generated
vendored
Normal file
|
@ -0,0 +1,336 @@
|
||||||
|
package otto
|
||||||
|
|
||||||
|
import (
|
||||||
|
"encoding/hex"
|
||||||
|
"math"
|
||||||
|
"net/url"
|
||||||
|
"regexp"
|
||||||
|
"strconv"
|
||||||
|
"strings"
|
||||||
|
"unicode/utf16"
|
||||||
|
"unicode/utf8"
|
||||||
|
)
|
||||||
|
|
||||||
|
// Global
|
||||||
|
func builtinGlobal_eval(call FunctionCall) Value {
|
||||||
|
src := call.Argument(0)
|
||||||
|
if !src.IsString() {
|
||||||
|
return src
|
||||||
|
}
|
||||||
|
runtime := call.runtime
|
||||||
|
program := runtime.cmpl_parseOrThrow(src.string(), nil)
|
||||||
|
if !call.eval {
|
||||||
|
// Not a direct call to eval, so we enter the global ExecutionContext
|
||||||
|
runtime.enterGlobalScope()
|
||||||
|
defer runtime.leaveScope()
|
||||||
|
}
|
||||||
|
returnValue := runtime.cmpl_evaluate_nodeProgram(program, true)
|
||||||
|
if returnValue.isEmpty() {
|
||||||
|
return Value{}
|
||||||
|
}
|
||||||
|
return returnValue
|
||||||
|
}
|
||||||
|
|
||||||
|
func builtinGlobal_isNaN(call FunctionCall) Value {
|
||||||
|
value := call.Argument(0).float64()
|
||||||
|
return toValue_bool(math.IsNaN(value))
|
||||||
|
}
|
||||||
|
|
||||||
|
func builtinGlobal_isFinite(call FunctionCall) Value {
|
||||||
|
value := call.Argument(0).float64()
|
||||||
|
return toValue_bool(!math.IsNaN(value) && !math.IsInf(value, 0))
|
||||||
|
}
|
||||||
|
|
||||||
|
func digitValue(chr rune) int {
|
||||||
|
switch {
|
||||||
|
case '0' <= chr && chr <= '9':
|
||||||
|
return int(chr - '0')
|
||||||
|
case 'a' <= chr && chr <= 'z':
|
||||||
|
return int(chr - 'a' + 10)
|
||||||
|
case 'A' <= chr && chr <= 'Z':
|
||||||
|
return int(chr - 'A' + 10)
|
||||||
|
}
|
||||||
|
return 36 // Larger than any legal digit value
|
||||||
|
}
|
||||||
|
|
||||||
|
func builtinGlobal_parseInt(call FunctionCall) Value {
|
||||||
|
input := strings.Trim(call.Argument(0).string(), builtinString_trim_whitespace)
|
||||||
|
if len(input) == 0 {
|
||||||
|
return NaNValue()
|
||||||
|
}
|
||||||
|
|
||||||
|
radix := int(toInt32(call.Argument(1)))
|
||||||
|
|
||||||
|
negative := false
|
||||||
|
switch input[0] {
|
||||||
|
case '+':
|
||||||
|
input = input[1:]
|
||||||
|
case '-':
|
||||||
|
negative = true
|
||||||
|
input = input[1:]
|
||||||
|
}
|
||||||
|
|
||||||
|
strip := true
|
||||||
|
if radix == 0 {
|
||||||
|
radix = 10
|
||||||
|
} else {
|
||||||
|
if radix < 2 || radix > 36 {
|
||||||
|
return NaNValue()
|
||||||
|
} else if radix != 16 {
|
||||||
|
strip = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
switch len(input) {
|
||||||
|
case 0:
|
||||||
|
return NaNValue()
|
||||||
|
case 1:
|
||||||
|
default:
|
||||||
|
if strip {
|
||||||
|
if input[0] == '0' && (input[1] == 'x' || input[1] == 'X') {
|
||||||
|
input = input[2:]
|
||||||
|
radix = 16
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
base := radix
|
||||||
|
index := 0
|
||||||
|
for ; index < len(input); index++ {
|
||||||
|
digit := digitValue(rune(input[index])) // If not ASCII, then an error anyway
|
||||||
|
if digit >= base {
|
||||||
|
break
|
||||||
|
}
|
||||||
|
}
|
||||||
|
input = input[0:index]
|
||||||
|
|
||||||
|
value, err := strconv.ParseInt(input, radix, 64)
|
||||||
|
if err != nil {
|
||||||
|
if err.(*strconv.NumError).Err == strconv.ErrRange {
|
||||||
|
base := float64(base)
|
||||||
|
// Could just be a very large number (e.g. 0x8000000000000000)
|
||||||
|
var value float64
|
||||||
|
for _, chr := range input {
|
||||||
|
digit := float64(digitValue(chr))
|
||||||
|
if digit >= base {
|
||||||
|
return NaNValue()
|
||||||
|
}
|
||||||
|
value = value*base + digit
|
||||||
|
}
|
||||||
|
if negative {
|
||||||
|
value *= -1
|
||||||
|
}
|
||||||
|
return toValue_float64(value)
|
||||||
|
}
|
||||||
|
return NaNValue()
|
||||||
|
}
|
||||||
|
if negative {
|
||||||
|
value *= -1
|
||||||
|
}
|
||||||
|
|
||||||
|
return toValue_int64(value)
|
||||||
|
}
|
||||||
|
|
||||||
|
var parseFloat_matchBadSpecial = regexp.MustCompile(`[\+\-]?(?:[Ii]nf$|infinity)`)
|
||||||
|
var parseFloat_matchValid = regexp.MustCompile(`[0-9eE\+\-\.]|Infinity`)
|
||||||
|
|
||||||
|
func builtinGlobal_parseFloat(call FunctionCall) Value {
|
||||||
|
// Caveat emptor: This implementation does NOT match the specification
|
||||||
|
input := strings.Trim(call.Argument(0).string(), builtinString_trim_whitespace)
|
||||||
|
|
||||||
|
if parseFloat_matchBadSpecial.MatchString(input) {
|
||||||
|
return NaNValue()
|
||||||
|
}
|
||||||
|
value, err := strconv.ParseFloat(input, 64)
|
||||||
|
if err != nil {
|
||||||
|
for end := len(input); end > 0; end-- {
|
||||||
|
input := input[0:end]
|
||||||
|
if !parseFloat_matchValid.MatchString(input) {
|
||||||
|
return NaNValue()
|
||||||
|
}
|
||||||
|
value, err = strconv.ParseFloat(input, 64)
|
||||||
|
if err == nil {
|
||||||
|
break
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if err != nil {
|
||||||
|
return NaNValue()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return toValue_float64(value)
|
||||||
|
}
|
||||||
|
|
||||||
|
// encodeURI/decodeURI
|
||||||
|
|
||||||
|
func _builtinGlobal_encodeURI(call FunctionCall, escape *regexp.Regexp) Value {
|
||||||
|
value := call.Argument(0)
|
||||||
|
var input []uint16
|
||||||
|
switch vl := value.value.(type) {
|
||||||
|
case []uint16:
|
||||||
|
input = vl
|
||||||
|
default:
|
||||||
|
input = utf16.Encode([]rune(value.string()))
|
||||||
|
}
|
||||||
|
if len(input) == 0 {
|
||||||
|
return toValue_string("")
|
||||||
|
}
|
||||||
|
output := []byte{}
|
||||||
|
length := len(input)
|
||||||
|
encode := make([]byte, 4)
|
||||||
|
for index := 0; index < length; {
|
||||||
|
value := input[index]
|
||||||
|
decode := utf16.Decode(input[index : index+1])
|
||||||
|
if value >= 0xDC00 && value <= 0xDFFF {
|
||||||
|
panic(call.runtime.panicURIError("URI malformed"))
|
||||||
|
}
|
||||||
|
if value >= 0xD800 && value <= 0xDBFF {
|
||||||
|
index += 1
|
||||||
|
if index >= length {
|
||||||
|
panic(call.runtime.panicURIError("URI malformed"))
|
||||||
|
}
|
||||||
|
// input = ..., value, value1, ...
|
||||||
|
value1 := input[index]
|
||||||
|
if value1 < 0xDC00 || value1 > 0xDFFF {
|
||||||
|
panic(call.runtime.panicURIError("URI malformed"))
|
||||||
|
}
|
||||||
|
decode = []rune{((rune(value) - 0xD800) * 0x400) + (rune(value1) - 0xDC00) + 0x10000}
|
||||||
|
}
|
||||||
|
index += 1
|
||||||
|
size := utf8.EncodeRune(encode, decode[0])
|
||||||
|
encode := encode[0:size]
|
||||||
|
output = append(output, encode...)
|
||||||
|
}
|
||||||
|
{
|
||||||
|
value := escape.ReplaceAllFunc(output, func(target []byte) []byte {
|
||||||
|
// Probably a better way of doing this
|
||||||
|
if target[0] == ' ' {
|
||||||
|
return []byte("%20")
|
||||||
|
}
|
||||||
|
return []byte(url.QueryEscape(string(target)))
|
||||||
|
})
|
||||||
|
return toValue_string(string(value))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
var encodeURI_Regexp = regexp.MustCompile(`([^~!@#$&*()=:/,;?+'])`)
|
||||||
|
|
||||||
|
func builtinGlobal_encodeURI(call FunctionCall) Value {
|
||||||
|
return _builtinGlobal_encodeURI(call, encodeURI_Regexp)
|
||||||
|
}
|
||||||
|
|
||||||
|
var encodeURIComponent_Regexp = regexp.MustCompile(`([^~!*()'])`)
|
||||||
|
|
||||||
|
func builtinGlobal_encodeURIComponent(call FunctionCall) Value {
|
||||||
|
return _builtinGlobal_encodeURI(call, encodeURIComponent_Regexp)
|
||||||
|
}
|
||||||
|
|
||||||
|
// 3B/2F/3F/3A/40/26/3D/2B/24/2C/23
|
||||||
|
var decodeURI_guard = regexp.MustCompile(`(?i)(?:%)(3B|2F|3F|3A|40|26|3D|2B|24|2C|23)`)
|
||||||
|
|
||||||
|
func _decodeURI(input string, reserve bool) (string, bool) {
|
||||||
|
if reserve {
|
||||||
|
input = decodeURI_guard.ReplaceAllString(input, "%25$1")
|
||||||
|
}
|
||||||
|
input = strings.Replace(input, "+", "%2B", -1) // Ugly hack to make QueryUnescape work with our use case
|
||||||
|
output, err := url.QueryUnescape(input)
|
||||||
|
if err != nil || !utf8.ValidString(output) {
|
||||||
|
return "", true
|
||||||
|
}
|
||||||
|
return output, false
|
||||||
|
}
|
||||||
|
|
||||||
|
func builtinGlobal_decodeURI(call FunctionCall) Value {
|
||||||
|
output, err := _decodeURI(call.Argument(0).string(), true)
|
||||||
|
if err {
|
||||||
|
panic(call.runtime.panicURIError("URI malformed"))
|
||||||
|
}
|
||||||
|
return toValue_string(output)
|
||||||
|
}
|
||||||
|
|
||||||
|
func builtinGlobal_decodeURIComponent(call FunctionCall) Value {
|
||||||
|
output, err := _decodeURI(call.Argument(0).string(), false)
|
||||||
|
if err {
|
||||||
|
panic(call.runtime.panicURIError("URI malformed"))
|
||||||
|
}
|
||||||
|
return toValue_string(output)
|
||||||
|
}
|
||||||
|
|
||||||
|
// escape/unescape
|
||||||
|
|
||||||
|
func builtin_shouldEscape(chr byte) bool {
|
||||||
|
if 'A' <= chr && chr <= 'Z' || 'a' <= chr && chr <= 'z' || '0' <= chr && chr <= '9' {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
return !strings.ContainsRune("*_+-./", rune(chr))
|
||||||
|
}
|
||||||
|
|
||||||
|
const escapeBase16 = "0123456789ABCDEF"
|
||||||
|
|
||||||
|
func builtin_escape(input string) string {
|
||||||
|
output := make([]byte, 0, len(input))
|
||||||
|
length := len(input)
|
||||||
|
for index := 0; index < length; {
|
||||||
|
if builtin_shouldEscape(input[index]) {
|
||||||
|
chr, width := utf8.DecodeRuneInString(input[index:])
|
||||||
|
chr16 := utf16.Encode([]rune{chr})[0]
|
||||||
|
if 256 > chr16 {
|
||||||
|
output = append(output, '%',
|
||||||
|
escapeBase16[chr16>>4],
|
||||||
|
escapeBase16[chr16&15],
|
||||||
|
)
|
||||||
|
} else {
|
||||||
|
output = append(output, '%', 'u',
|
||||||
|
escapeBase16[chr16>>12],
|
||||||
|
escapeBase16[(chr16>>8)&15],
|
||||||
|
escapeBase16[(chr16>>4)&15],
|
||||||
|
escapeBase16[chr16&15],
|
||||||
|
)
|
||||||
|
}
|
||||||
|
index += width
|
||||||
|
} else {
|
||||||
|
output = append(output, input[index])
|
||||||
|
index += 1
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return string(output)
|
||||||
|
}
|
||||||
|
|
||||||
|
func builtin_unescape(input string) string {
|
||||||
|
output := make([]rune, 0, len(input))
|
||||||
|
length := len(input)
|
||||||
|
for index := 0; index < length; {
|
||||||
|
if input[index] == '%' {
|
||||||
|
if index <= length-6 && input[index+1] == 'u' {
|
||||||
|
byte16, err := hex.DecodeString(input[index+2 : index+6])
|
||||||
|
if err == nil {
|
||||||
|
value := uint16(byte16[0])<<8 + uint16(byte16[1])
|
||||||
|
chr := utf16.Decode([]uint16{value})[0]
|
||||||
|
output = append(output, chr)
|
||||||
|
index += 6
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if index <= length-3 {
|
||||||
|
byte8, err := hex.DecodeString(input[index+1 : index+3])
|
||||||
|
if err == nil {
|
||||||
|
value := uint16(byte8[0])
|
||||||
|
chr := utf16.Decode([]uint16{value})[0]
|
||||||
|
output = append(output, chr)
|
||||||
|
index += 3
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
output = append(output, rune(input[index]))
|
||||||
|
index += 1
|
||||||
|
}
|
||||||
|
return string(output)
|
||||||
|
}
|
||||||
|
|
||||||
|
func builtinGlobal_escape(call FunctionCall) Value {
|
||||||
|
return toValue_string(builtin_escape(call.Argument(0).string()))
|
||||||
|
}
|
||||||
|
|
||||||
|
func builtinGlobal_unescape(call FunctionCall) Value {
|
||||||
|
return toValue_string(builtin_unescape(call.Argument(0).string()))
|
||||||
|
}
|
Some files were not shown because too many files have changed in this diff Show more
Loading…
Reference in a new issue