Giter Site home page Giter Site logo

smallnest / gen Goto Github PK

View Code? Open in Web Editor NEW
1.4K 34.0 230.0 20.57 MB

Converts a database into gorm structs and RESTful api

License: Apache License 2.0

Go 93.02% Makefile 3.30% Shell 3.68%
generator gorm database databases rest-api rest restful restful-api

gen's Introduction

gen

License GoDoc travis Go Report Card

The gen tool produces a CRUD (Create, read, update and delete) REST api project template from a given database. The gen tool will connect to the db connection string analyze the database and generate the code based on the flags provided.

By reading details from the database about the column structure, gen generates a go compatible struct type with the required column names, data types, and annotations.

It supports gorm tags and implements some usable methods. Generated data types include support for nullable columns sql.NullX types or guregu null.X types and the expected basic built in go types.

gen is based / inspired by the work of Seth Shelnutt's db2struct, and Db2Struct is based/inspired by the work of ChimeraCoder's gojson package gojson.

CRUD Generation

This is a sample table contained within the ./example/sample.db Sqlite3 database. Using gen will generate the following struct.

CREATE TABLE "albums"
(
    [AlbumId]  INTEGER PRIMARY KEY AUTOINCREMENT NOT NULL,
    [Title]    NVARCHAR(160) NOT NULL,
    [ArtistId] INTEGER NOT NULL,
    FOREIGN KEY ([ArtistId]) REFERENCES "artists" ([ArtistId])
		ON DELETE NO ACTION ON UPDATE NO ACTION
)

Transforms into

type Album struct {
	//[ 0] AlbumId                                        integer              null: false  primary: true   auto: true   col: integer         len: -1      default: []
	AlbumID int `gorm:"primary_key;AUTO_INCREMENT;column:AlbumId;type:INTEGER;" json:"album_id" db:"AlbumId" protobuf:"int32,0,opt,name=album_id"`
	//[ 1] Title                                          nvarchar(160)        null: false  primary: false  auto: false  col: nvarchar        len: 160     default: []
	Title string `gorm:"column:Title;type:NVARCHAR(160);size:160;" json:"title" db:"Title" protobuf:"string,1,opt,name=title"`
	//[ 2] ArtistId                                       integer              null: false  primary: false  auto: false  col: integer         len: -1      default: []
	ArtistID int `gorm:"column:ArtistId;type:INTEGER;" json:"artist_id" db:"ArtistId" protobuf:"int32,2,opt,name=artist_id"`
}

Code generation for a complete CRUD rest project is possible with DAO crud functions, http handlers, makefile, sample server are available. Check out some of the code generated samples.

Binary Installation

## install gen tool (should be installed to ~/go/bin, make sure ~/go/bin is in your path.

## go version < 1.17
$ go get -u github.com/smallnest/gen

## go version == 1.17
$ go install github.com/smallnest/gen@latest

## download sample sqlite database
$ wget https://github.com/smallnest/gen/raw/master/example/sample.db

## generate code based on the sqlite database (project will be contained within the ./example dir)
$ gen --sqltype=sqlite3 \
   	--connstr "./sample.db" \
   	--database main  \
   	--json \
   	--gorm \
   	--guregu \
   	--rest \
   	--out ./example \
   	--module example.com/rest/example \
   	--mod \
   	--server \
   	--makefile \
   	--json-fmt=snake \
   	--generate-dao \
   	--generate-proj \
   	--overwrite

## build example code (build process will install packr2 if not installed)
$ cd ./example
$ make example

## binary will be located at ./bin/example
## when launching make sure that the SQLite file sample.db is located in the same dir as the binary
$ cp ../../sample.db  .
$ ./example


## Open a browser to http://127.0.0.1:8080/swagger/index.html

## Use wget/curl/httpie to fetch via command line
http http://localhost:8080/albums
curl http://localhost:8080/artists

Usage

Usage of gen:
	gen [-v] --sqltype=mysql --connstr "user:password@/dbname" --database <databaseName> --module=example.com/example [--json] [--gorm] [--guregu] [--generate-dao] [--generate-proj]
git fetch up
           sqltype - sql database type such as [ mysql, mssql, postgres, sqlite, etc. ]


Options:
  --sqltype=mysql                                          sql database type such as [ mysql, mssql, postgres, sqlite, etc. ]
  -c, --connstr=nil                                        database connection string
  -d, --database=nil                                       Database to for connection
  -t, --table=                                             Table to build struct from
  -x, --exclude=                                           Table(s) to exclude
  --templateDir=                                           Template Dir
  --fragmentsDir=                                          Code fragments Dir
  --save=                                                  Save templates to dir
  --model=model                                            name to set for model package
  --model_naming={{FmtFieldName .}}                        model naming template to name structs
  --field_naming={{FmtFieldName (stringifyFirstChar .) }}  field naming template to name structs
  --file_naming={{.}}                                      file_naming template to name files
  --dao=dao                                                name to set for dao package
  --api=api                                                name to set for api package
  --grpc=grpc                                              name to set for grpc package
  --out=.                                                  output dir
  --module=example.com/example                             module path
  --overwrite                                              Overwrite existing files (default)
  --no-overwrite                                           disable overwriting files
  --windows                                                use windows line endings in generated files
  --no-color                                               disable color output
  --context=                                               context file (json) to populate context with
  --mapping=                                               mapping file (json) to map sql types to golang/protobuf etc
  --exec=                                                  execute script for custom code generation
  --json                                                   Add json annotations (default)
  --no-json                                                Disable json annotations
  --json-fmt=snake                                         json name format [snake | camel | lower_camel | none]
  --xml                                                    Add xml annotations (default)
  --no-xml                                                 Disable xml annotations
  --xml-fmt=snake                                          xml name format [snake | camel | lower_camel | none]
  --gorm                                                   Add gorm annotations (tags)
  --protobuf                                               Add protobuf annotations (tags)
  --proto-fmt=snake                                        proto name format [snake | camel | lower_camel | none]
  --gogo-proto=                                            location of gogo import 
  --db                                                     Add db annotations (tags)
  --guregu                                                 Add guregu null types
  --copy-templates                                         Copy regeneration templates to project directory
  --mod                                                    Generate go.mod in output dir
  --makefile                                               Generate Makefile in output dir
  --server                                                 Generate server app output dir
  --generate-dao                                           Generate dao functions
  --generate-proj                                          Generate project readme and gitignore
  --rest                                                   Enable generating RESTful api
  --run-gofmt                                              run gofmt on output dir
  --listen=                                                listen address e.g. :8080
  --scheme=http                                            scheme for server url
  --host=localhost                                         host for server
  --port=8080                                              port for server
  --swagger_version=1.0                                    swagger version
  --swagger_path=/                                         swagger base path
  --swagger_tos=                                           swagger tos url
  --swagger_contact_name=Me                                swagger contact name
  --swagger_contact_url=http://me.com/terms.html           swagger contact url
  [email protected]                        swagger contact email
  -v, --verbose                                            Enable verbose output
  --name_test=                                             perform name test using the --model_naming or --file_naming options
  -h, --help                                               Show usage message
  --version                                                Show version

Building

The project contains a makefile for easy building and common tasks.

  • go get - get the relevant dependencies as a "go" software
  • make help - list available targets
  • make build - generate the binary ./gen
  • make example - run the gen process on the example SqlLite db located in ./examples place the sources in ./example Other targets exist for dev tasks.

Example

The project provides a sample SQLite database in the ./example directory. From the project Makefile can be used to generate the example code.

make example

The generated project will contain the following code under the ./example directory.

  • Makefile
    • useful Makefile for installing tools building project etc. Issue make to display help output.
  • .gitignore
    • git ignore for go project
  • go.mod
    • go module setup, pass --module flag for setting the project module default example.com/example
  • README.md
    • Project readme
  • app/server/main.go
    • Sample Gin Server, with swagger init and comments
  • api/.go
    • REST crud controllers
  • dao/
  • .go
    • DAO functions providing CRUD access to database
  • model/
  • .go
    • Structs representing a row for each database table

    Generated Samples

    The REST api server utilizes the Gin framework, GORM db api and Swag for providing swagger documentation

    Supported Databases

    Currently Supported,

    • MariaDB
    • MySQL
    • PostgreSQL
    • Microsoft SQL Server
    • SQLite

    Planned Support

    • Oracle

    Supported Data Types

    Most data types are supported, for Mysql, Postgres, SQLite and MS SQL. gen uses a mapping json file that can be used to add mapping types. By default, the internal mapping file is loaded and processed. If can be overwritten or additional types added by using the --mapping=extra.json command line option.

    The default mapping.json file is located within the ./templates dir. Use gen --save=./templates to save the contents of the templates to ./templates. Below is a portion of the mapping file, showing the mapping for varchar.

        {
          "sql_type": "varchar",
          "go_type": "string",
          "protobuf_type": "bytes",
          "guregu_type": "null.String",
          "go_nullable_type": "sql.NullString"
        }

    Advanced

    The gen tool provides functionality to layout your own project format. Users have 2 options.

    • Provide local templates with the --templateDir= option - this will generate code using the local templates. Templates can either be exported from gen via the command gen --save ./mytemplates. This will save the embedded templates for local editing. Then you would specify the --templateDir= option when generating a project.

    • Passing --exec=../sample.gen on the command line will load the sample.gen script and execute it. The script has access to the table information and other info passed to gen. This allows developers to customize the generation of code. You could loop through the list of tables and invoke GenerateTableFile or GenerateFile. You can also perform operations such as mkdir, copy, touch, pwd.

    Example - generate files from a template looping thru a map of tables.

    Loop thru map of tables, key is the table name and value is ModelInfo. Creating a file using the table ModelInfo.

    tableInfos := map[string]*ModelInfo

    GenerateTableFile(tableInfos map[string]*ModelInfo, tableName, templateFilename, outputDirectory, outputFileName string, formatOutput bool)

    
    {{ range $tableName , $table := .tableInfos }}
       {{$i := inc }}
       {{$name := toUpper $table.TableName -}}
       {{$filename  := printf "My%s.go" $name -}}
    
       {{ GenerateTableFile $.tableInfos $table.TableName  "custom.go.tmpl" "test" $filename true}}{{- end }}
    
    

    Example - generate file from a template.

    GenerateFile(templateFilename, outputDirectory, outputFileName string, formatOutput bool, overwrite bool)

    
    {{ GenerateFile "custom.md.tmpl" "test" "custom.md" false false }}
    
    

    Example - make a directory.

    
    {{ mkdir "test/alex/test/mkdir" }}
    
    

    Example - touch a file.

    
    {{ touch "test/alex/test/mkdir/alex.txt" }}
    
    

    Example - display working directory.

    
    {{ pwd }}
    
    

    Example - copy a file or directory from source to a target directory.

    copy function updated to provide --include and --exclude patterns. Patterns are processed in order, an include preceeding an exclude will take precedence. Multiple include and excludes can be specified. Files ending with .table.tmpl will be processed for each table. Output filenames will be stored in the proper directory, with a name of the table with the suffix of the template extension. Files ending with .tmpl will be processed as a template and the filename will be the name of the template stripped with the .tmpl suffix.

    
    {{ copy "../_test" "test" }}
    
    {{ copy "./backend" "test/backend" "--exclude .idea|commands" "--exclude go.sum"  "--include .*" }}
    
    {{ copy "./backend" "test/backend" "--include backend" "--include go.mod" "--exclude .*"  }}
    
    
    

    You can also populate the context used by templates with extra data by passing the --context=<json file> option. The json file will be used to populate the context used when parsing templates.

    File Generation

    // Loop through tables and print out table name and various forms of the table name
    
    {{ range $i, $table := .tables }}
        {{$singular   := singular $table -}}
        {{$plural     := pluralize $table -}}
        {{$title      := title $table -}}
        {{$lower      := toLower $table -}}
        {{$lowerCamel := toLowerCamelCase $table -}}
        {{$snakeCase  := toSnakeCase $table -}}
        {{ printf "[%-2d] %-20s %-20s %-20s %-20s %-20s %-20s %-20s" $i $table $singular $plural $title $lower $lowerCamel $snakeCase}}{{- end }}
    
    
    {{ range $i, $table := .tables }}
       {{$name := toUpper $table -}}
       {{$filename  := printf "My%s" $name -}}
       {{ printf "[%-2d] %-20s %-20s" $i $table $filename}}
       {{ GenerateTableFile $table  "custom.go.tmpl" "test" $filename true}}
    {{- end }}
    
    
    // GenerateTableFile(tableInfos map[string]*ModelInfo, tableName, templateFilename, outputDirectory, outputFileName string, formatOutput bool)
    // GenerateFile(templateFilename, outputDirectory, outputFileName string, formatOutput bool, overwrite bool)
    
    The following info is available within use of the exec template.
    
    
       "AdvancesSample"            string                         "\n{{ range $i, $table := .tables }}\n    {{$singular   := singular $table -}}\n    {{$plural     := pluralize $table -}}\n    {{$title      := title $table -}}\n    {{$lower      := toLower $table -}}\n    {{$lowerCamel := toLowerCamelCase $table -}}\n    {{$snakeCase  := toSnakeCase $table -}}\n    {{ printf \"[%-2d] %-20s %-20s %-20s %-20s %-20s %-20s %-20s\" $i $table $singular $plural $title $lower $lowerCamel $snakeCase}}{{- end }}\n\n\n{{ range $i, $table := .tables }}\n   {{$name := toUpper $table -}}\n   {{$filename  := printf \"My%s\" $name -}}\n   {{ printf \"[%-2d] %-20s %-20s\" $i $table $filename}}\n   {{ GenerateTableFile $table  \"custom.go.tmpl\" \"test\" $filename true}}\n{{- end }}\n"
       "Config"                    *dbmeta.Config                 &dbmeta.Config{SQLType:"sqlite3", SQLConnStr:"./example/sample.db", SQLDatabase:"main", Module:"github.com/alexj212/test", ModelPackageName:"model", ModelFQPN:"github.com/alexj212/test/model", AddJSONAnnotation:true, AddGormAnnotation:true, AddProtobufAnnotation:true, AddXMLAnnotation:true, AddDBAnnotation:true, UseGureguTypes:false, JSONNameFormat:"snake", XMLNameFormat:"snake", ProtobufNameFormat:"", DaoPackageName:"dao", DaoFQPN:"github.com/alexj212/test/dao", APIPackageName:"api", APIFQPN:"github.com/alexj212/test/api", GrpcPackageName:"", GrpcFQPN:"", Swagger:(*dbmeta.SwaggerInfoDetails)(0xc000ad0510), ServerPort:8080, ServerHost:"127.0.0.1", ServerScheme:"http", ServerListen:":8080", Verbose:false, OutDir:".", Overwrite:true, LineEndingCRLF:false, CmdLine:"/tmp/go-build271698611/b001/exe/readme --sqltype=sqlite3 --connstr ./example/sample.db --database main --table invoices", CmdLineWrapped:"/tmp/go-build271698611/b001/exe/readme \\\n    --sqltype=sqlite3 \\\n    --connstr \\\n    ./example/sample.db \\\n    --database \\\n    main \\\n    --table \\\n    invoices", CmdLineArgs:[]string{"/tmp/go-build271698611/b001/exe/readme", "--sqltype=sqlite3", "--connstr", "./example/sample.db", "--database", "main", "--table", "invoices"}, FileNamingTemplate:"{{.}}", ModelNamingTemplate:"{{FmtFieldName .}}", FieldNamingTemplate:"{{FmtFieldName (stringifyFirstChar .) }}", ContextMap:map[string]interface {}{"GenHelp":"Usage of gen:\n\tgen [-v] --sqltype=mysql --connstr \"user:password@/dbname\" --database <databaseName> --module=example.com/example [--json] [--gorm] [--guregu] [--generate-dao] [--generate-proj]\ngit fetch up\n           sqltype - sql database type such as [ mysql, mssql, postgres, sqlite, etc. ]\n\n\nOptions:\n  --sqltype=mysql                                          sql database type such as [ mysql, mssql, postgres, sqlite, etc. ]\n  -c, --connstr=nil                                        database connection string\n  -d, --database=nil                                       Database to for connection\n  -t, --table=                                             Table to build struct from\n  -x, --exclude=                                           Table(s) to exclude\n  --templateDir=                                           Template Dir\n  --save=                                                  Save templates to dir\n  --model=model                                            name to set for model package\n  --model_naming={{FmtFieldName .}}                        model naming template to name structs\n  --field_naming={{FmtFieldName (stringifyFirstChar .) }}  field naming template to name structs\n  --file_naming={{.}}                                      file_naming template to name files\n  --dao=dao                                                name to set for dao package\n  --api=api                                                name to set for api package\n  --grpc=grpc                                              name to set for grpc package\n  --out=.                                                  output dir\n  --module=example.com/example                             module path\n  --overwrite                                              Overwrite existing files (default)\n  --no-overwrite                                           disable overwriting files\n  --windows                                                use windows line endings in generated files\n  --no-color                                               disable color output\n  --context=                                               context file (json) to populate context with\n  --mapping=                                               mapping file (json) to map sql types to golang/protobuf etc\n  --exec=                                                  execute script for custom code generation\n  --json                                                   Add json annotations (default)\n  --no-json                                                Disable json annotations\n  --json-fmt=snake                                         json name format [snake | camel | lower_camel | none]\n  --xml                                                    Add xml annotations (default)\n  --no-xml                                                 Disable xml annotations\n  --xml-fmt=snake                                          xml name format [snake | camel | lower_camel | none]\n  --gorm                                                   Add gorm annotations (tags)\n  --protobuf                                               Add protobuf annotations (tags)\n  --proto-fmt=snake                                        proto name format [snake | camel | lower_camel | none]\n  --gogo-proto=                                            location of gogo import \n  --db                                                     Add db annotations (tags)\n  --guregu                                                 Add guregu null types\n  --copy-templates                                         Copy regeneration templates to project directory\n  --mod                                                    Generate go.mod in output dir\n  --makefile                                               Generate Makefile in output dir\n  --server                                                 Generate server app output dir\n  --generate-dao                                           Generate dao functions\n  --generate-proj                                          Generate project readme and gitignore\n  --rest                                                   Enable generating RESTful api\n  --run-gofmt                                              run gofmt on output dir\n  --listen=                                                listen address e.g. :8080\n  --scheme=http                                            scheme for server url\n  --host=localhost                                         host for server\n  --port=8080                                              port for server\n  --swagger_version=1.0                                    swagger version\n  --swagger_path=/                                         swagger base path\n  --swagger_tos=                                           swagger tos url\n  --swagger_contact_name=Me                                swagger contact name\n  --swagger_contact_url=http://me.com/terms.html           swagger contact url\n  [email protected]                        swagger contact email\n  -v, --verbose                                            Enable verbose output\n  --name_test=                                             perform name test using the --model_naming or --file_naming options\n  -h, --help                                               Show usage message\n  --version                                                Show version\n\n", "tableInfos":map[string]*dbmeta.ModelInfo{"invoices":(*dbmeta.ModelInfo)(0xc0001e94a0)}}, TemplateLoader:(dbmeta.TemplateLoader)(0x8a7e40), TableInfos:map[string]*dbmeta.ModelInfo(nil)}
       "DatabaseName"              string                         "main"
       "Dir"                       string                         "."
       "File"                      string                         "./README.md"
       "GenHelp"                   string                         "Usage of gen:\n\tgen [-v] --sqltype=mysql --connstr \"user:password@/dbname\" --database <databaseName> --module=example.com/example [--json] [--gorm] [--guregu] [--generate-dao] [--generate-proj]\ngit fetch up\n           sqltype - sql database type such as [ mysql, mssql, postgres, sqlite, etc. ]\n\n\nOptions:\n  --sqltype=mysql                                          sql database type such as [ mysql, mssql, postgres, sqlite, etc. ]\n  -c, --connstr=nil                                        database connection string\n  -d, --database=nil                                       Database to for connection\n  -t, --table=                                             Table to build struct from\n  -x, --exclude=                                           Table(s) to exclude\n  --templateDir=                                           Template Dir\n  --save=                                                  Save templates to dir\n  --model=model                                            name to set for model package\n  --model_naming={{FmtFieldName .}}                        model naming template to name structs\n  --field_naming={{FmtFieldName (stringifyFirstChar .) }}  field naming template to name structs\n  --file_naming={{.}}                                      file_naming template to name files\n  --dao=dao                                                name to set for dao package\n  --api=api                                                name to set for api package\n  --grpc=grpc                                              name to set for grpc package\n  --out=.                                                  output dir\n  --module=example.com/example                             module path\n  --overwrite                                              Overwrite existing files (default)\n  --no-overwrite                                           disable overwriting files\n  --windows                                                use windows line endings in generated files\n  --no-color                                               disable color output\n  --context=                                               context file (json) to populate context with\n  --mapping=                                               mapping file (json) to map sql types to golang/protobuf etc\n  --exec=                                                  execute script for custom code generation\n  --json                                                   Add json annotations (default)\n  --no-json                                                Disable json annotations\n  --json-fmt=snake                                         json name format [snake | camel | lower_camel | none]\n  --xml                                                    Add xml annotations (default)\n  --no-xml                                                 Disable xml annotations\n  --xml-fmt=snake                                          xml name format [snake | camel | lower_camel | none]\n  --gorm                                                   Add gorm annotations (tags)\n  --protobuf                                               Add protobuf annotations (tags)\n  --proto-fmt=snake                                        proto name format [snake | camel | lower_camel | none]\n  --gogo-proto=                                            location of gogo import \n  --db                                                     Add db annotations (tags)\n  --guregu                                                 Add guregu null types\n  --copy-templates                                         Copy regeneration templates to project directory\n  --mod                                                    Generate go.mod in output dir\n  --makefile                                               Generate Makefile in output dir\n  --server                                                 Generate server app output dir\n  --generate-dao                                           Generate dao functions\n  --generate-proj                                          Generate project readme and gitignore\n  --rest                                                   Enable generating RESTful api\n  --run-gofmt                                              run gofmt on output dir\n  --listen=                                                listen address e.g. :8080\n  --scheme=http                                            scheme for server url\n  --host=localhost                                         host for server\n  --port=8080                                              port for server\n  --swagger_version=1.0                                    swagger version\n  --swagger_path=/                                         swagger base path\n  --swagger_tos=                                           swagger tos url\n  --swagger_contact_name=Me                                swagger contact name\n  --swagger_contact_url=http://me.com/terms.html           swagger contact url\n  [email protected]                        swagger contact email\n  -v, --verbose                                            Enable verbose output\n  --name_test=                                             perform name test using the --model_naming or --file_naming options\n  -h, --help                                               Show usage message\n  --version                                                Show version\n\n"
       "NonPrimaryKeyNamesList"    []string                       []string{"CustomerId", "InvoiceDate", "BillingAddress", "BillingCity", "BillingState", "BillingCountry", "BillingPostalCode", "Total"}
       "NonPrimaryKeysJoined"      string                         "CustomerId,InvoiceDate,BillingAddress,BillingCity,BillingState,BillingCountry,BillingPostalCode,Total"
       "Parent"                    string                         "."
       "PrimaryKeyNamesList"       []string                       []string{"InvoiceId"}
       "PrimaryKeysJoined"         string                         "InvoiceId"
       "ReleaseHistory"            string                         "- v0.9.27 (08/04/2020)\n    - Updated '--exec' mode to provide various functions for processing\n    - copy function updated to provide --include and --exclude patterns. Patterns are processed in order, an include preceeding an exclude will take precedence. Multiple include and excludes can be specified. Files ending with .table.tmpl will be processed for each table. Output filenames will be stored in the proper directory, with a name of the table with the suffix of the template extension. Files ending with .tmpl will be processed as a template and the filename will be the name of the template stripped with the .tmpl suffix. \n    - When processing templates, files generated with a .go extension will be formatted with the go fmt.\n- v0.9.26 (07/31/2020)\n    - Release scripting\n    - Added custom script functions to copy, mkdir, touch, pwd\n    - Fixed custom script exec example\n- v0.9.25 (07/26/2020)\n    - Adhere json-fmt flag for all JSON response so when camel or lower_camel is specified, fields name in GetAll variant and DDL info will also have the same name format\n    - Fix: Build information embedded through linker in Makefile is not consistent with the variable defined in main file.\n    - Added --scheme and --listen options. This allows compiled binary to be used behind reverse proxy.\n    - In addition, template for generating URL was fixed, i.e. when PORT is 80, then PORT is omitted from URL segment.\n- v0.9.24 (07/13/2020)\n    - Fixed array bounds issue parsing mysql db meta\n- v0.9.23 (07/10/2020)\n    - Added postgres types: bigserial, serial, smallserial, bigserial, float4 to mapping.json\n- v0.9.22 (07/08/2020)\n    - Modified gogo.proto check to use GOPATH not hardcoded.\n    - Updated gen to error exit on first error encountered\n    - Added color output for error\n    - Added --no-color option for non colorized output\n- v0.9.21 (07/07/2020)\n    - Repacking templates, update version number in info.\n- v0.9.20 (07/07/2020)\n    - Fixed render error in router.go.tmpl\n    - upgraded project to use go.mod 1.14\n- v0.9.19 (07/07/2020)\n    - Added --windows flag to write files with CRLF windows line endings, otherwise they are all unix based LF line endings\n- v0.9.18 (06/30/2020)\n    - Fixed naming in templates away from hard coded model package.\n- v0.9.17 (06/30/2020)\n    - Refactored template loading, to better report error in template\n    - Added option to run gofmt on output directory\n- v0.9.16 (06/29/2020)\n    - Fixes to router.go.tmpl from calvinchengx\n    - Added postgres db support for inet and timestamptz\n- v0.9.15 (06/23/2020)\n    - Code cleanup using gofmt name suggestions.\n    - Template updates for generated code cleanup using gofmt name suggestions.\n- v0.9.14 (06/23/2020)\n    - Added model comment on field line if available from database.\n    - Added exposing TableInfo via api call.\n- v0.9.13 (06/22/2020)\n    - fixed closing of connections via defer\n    - bug fixes in sqlx generated code\n- v0.9.12 (06/14/2020)\n    - SQLX changed MustExec to Exec and checking/returning error\n    - Updated field renaming if duplicated, need more elegant renaming solution.\n    - Added exclude to test.sh\n- v0.9.11 (06/13/2020)\n    - Added ability to pass field, model and file naming format\n    - updated test scripts\n    - Fixed sqlx sql query placeholders\n- v0.9.10 (06/11/2020)\n    - Bug fix with retrieving varchar length from mysql\n    - Added support for mysql unsigned decimal - maps to float\n- v0.9.9 (06/11/2020)\n    - Fixed issue with mysql and table named `order`\n    - Fixed internals in GetAll generation in gorm and sqlx.\n- v0.9.8 (06/10/2020)\n    - Added ability to set file naming convention for models, dao, apis and grpc  `--file_naming={{.}}`\n    - Added ability to set struct naming convention `--model_naming={{.}}`\n    - Fixed bug with Makefile generation removing quoted conn string in `make regen`\n- v0.9.7 (06/09/2020)\n    - Added grpc server generation - WIP (looking for code improvements)\n    - Added ability to exclude tables\n    - Added support for unsigned from mysql ddl.\n- v0.9.6 (06/08/2020)\n    - Updated SQLX codegen\n    - Updated templates to split code gen functions into seperate files\n    - Added code_dao_gorm, code_dao_sqlx to be generated from templates\n- v0.9.5 (05/16/2020)\n    - Added SQLX codegen by default, split dao templates.\n    - Renamed templates\n- v0.9.4 (05/15/2020)\n    - Documentation updates, samples etc.\n- v0.9.3 (05/14/2020)\n    - Template bug fixes, when using custom api, dao and model package.\n    - Set primary key if not set to the first column\n    - Skip code gen if primary key column is not int or string\n    - validated codegen for mysql, mssql, postgres and sqlite3\n    - Fixed file naming if table ends with _test.go renames to _tst.go\n    - Fix for duplicate field names in struct due to renaming\n    - Added Notes for columns and tables for situations where a primary key is set since not defined in db\n    - Fixed issue when model contained field that had were named the same as funcs within model.\n- v0.9.2 (05/12/2020)\n    - Code cleanup gofmt, etc.\n- v0.9.1 (05/12/2020)\n- v0.9 (05/12/2020)\n    - updated db meta data loading fetching default values\n    - added default value to GORM tags\n    - Added protobuf .proto generation\n    - Added test app to display meta data\n    - Cleanup DDL generation\n    - Added support for varchar2, datetime2, float8, USER_DEFINED\n- v0.5\n"
       "ShortStructName"           string                         "i"
       "StructName"                string                         "Invoices"
       "SwaggerInfo"               *dbmeta.SwaggerInfoDetails     &dbmeta.SwaggerInfoDetails{Version:"1.0.0", Host:"127.0.0.1:8080", BasePath:"/", Title:"Sample CRUD api for main db", Description:"Sample CRUD api for main db", TOS:"My Custom TOS", ContactName:"", ContactURL:"", ContactEmail:""}
       "TableInfo"                 *dbmeta.ModelInfo              &dbmeta.ModelInfo{Index:0, IndexPlus1:1, PackageName:"model", StructName:"Invoices", ShortStructName:"i", TableName:"invoices", Fields:[]string{"//[ 0] InvoiceId                                      integer              null: false  primary: true   isArray: false  auto: true   col: integer         len: -1      default: []\n    InvoiceID int32 `gorm:\"primary_key;AUTO_INCREMENT;column:InvoiceId;type:integer;\" json:\"invoice_id\" xml:\"invoice_id\" db:\"InvoiceId\" protobuf:\"int32,0,opt,name=InvoiceId\"`", "//[ 1] CustomerId                                     integer              null: false  primary: false  isArray: false  auto: false  col: integer         len: -1      default: []\n    CustomerID int32 `gorm:\"column:CustomerId;type:integer;\" json:\"customer_id\" xml:\"customer_id\" db:\"CustomerId\" protobuf:\"int32,1,opt,name=CustomerId\"`", "//[ 2] InvoiceDate                                    datetime             null: false  primary: false  isArray: false  auto: false  col: datetime        len: -1      default: []\n    InvoiceDate time.Time `gorm:\"column:InvoiceDate;type:datetime;\" json:\"invoice_date\" xml:\"invoice_date\" db:\"InvoiceDate\" protobuf:\"google.protobuf.Timestamp,2,opt,name=InvoiceDate\"`", "//[ 3] BillingAddress                                 nvarchar(70)         null: true   primary: false  isArray: false  auto: false  col: nvarchar        len: 70      default: []\n    BillingAddress sql.NullString `gorm:\"column:BillingAddress;type:nvarchar;size:70;\" json:\"billing_address\" xml:\"billing_address\" db:\"BillingAddress\" protobuf:\"string,3,opt,name=BillingAddress\"`", "//[ 4] BillingCity                                    nvarchar(40)         null: true   primary: false  isArray: false  auto: false  col: nvarchar        len: 40      default: []\n    BillingCity sql.NullString `gorm:\"column:BillingCity;type:nvarchar;size:40;\" json:\"billing_city\" xml:\"billing_city\" db:\"BillingCity\" protobuf:\"string,4,opt,name=BillingCity\"`", "//[ 5] BillingState                                   nvarchar(40)         null: true   primary: false  isArray: false  auto: false  col: nvarchar        len: 40      default: []\n    BillingState sql.NullString `gorm:\"column:BillingState;type:nvarchar;size:40;\" json:\"billing_state\" xml:\"billing_state\" db:\"BillingState\" protobuf:\"string,5,opt,name=BillingState\"`", "//[ 6] BillingCountry                                 nvarchar(40)         null: true   primary: false  isArray: false  auto: false  col: nvarchar        len: 40      default: []\n    BillingCountry sql.NullString `gorm:\"column:BillingCountry;type:nvarchar;size:40;\" json:\"billing_country\" xml:\"billing_country\" db:\"BillingCountry\" protobuf:\"string,6,opt,name=BillingCountry\"`", "//[ 7] BillingPostalCode                              nvarchar(10)         null: true   primary: false  isArray: false  auto: false  col: nvarchar        len: 10      default: []\n    BillingPostalCode sql.NullString `gorm:\"column:BillingPostalCode;type:nvarchar;size:10;\" json:\"billing_postal_code\" xml:\"billing_postal_code\" db:\"BillingPostalCode\" protobuf:\"string,7,opt,name=BillingPostalCode\"`", "//[ 8] Total                                          numeric              null: false  primary: false  isArray: false  auto: false  col: numeric         len: -1      default: []\n    Total float64 `gorm:\"column:Total;type:numeric;\" json:\"total\" xml:\"total\" db:\"Total\" protobuf:\"float,8,opt,name=Total\"`"}, DBMeta:(*dbmeta.dbTableMeta)(0xc000133b00), Instance:(*struct { BillingState string "json:\"billing_state\""; BillingCountry string "json:\"billing_country\""; BillingPostalCode string "json:\"billing_postal_code\""; CustomerID int "json:\"customer_id\""; InvoiceDate time.Time "json:\"invoice_date\""; BillingAddress string "json:\"billing_address\""; BillingCity string "json:\"billing_city\""; Total float64 "json:\"total\""; InvoiceID int "json:\"invoice_id\"" })(0xc000a85700), CodeFields:[]*dbmeta.FieldInfo{(*dbmeta.FieldInfo)(0xc00025c640), (*dbmeta.FieldInfo)(0xc00025c780), (*dbmeta.FieldInfo)(0xc00025c8c0), (*dbmeta.FieldInfo)(0xc00025ca00), (*dbmeta.FieldInfo)(0xc00025cb40), (*dbmeta.FieldInfo)(0xc00025cc80), (*dbmeta.FieldInfo)(0xc00025cdc0), (*dbmeta.FieldInfo)(0xc00025cf00), (*dbmeta.FieldInfo)(0xc00025d040)}}
       "TableName"                 string                         "invoices"
       "apiFQPN"                   string                         "github.com/alexj212/test/api"
       "apiPackageName"            string                         "api"
       "daoFQPN"                   string                         "github.com/alexj212/test/dao"
       "daoPackageName"            string                         "dao"
       "delSql"                    string                         "DELETE FROM `invoices` where InvoiceId = ?"
       "insertSql"                 string                         "INSERT INTO `invoices` ( CustomerId,  InvoiceDate,  BillingAddress,  BillingCity,  BillingState,  BillingCountry,  BillingPostalCode,  Total) values ( ?, ?, ?, ?, ?, ?, ?, ? )"
       "modelFQPN"                 string                         "github.com/alexj212/test/model"
       "modelPackageName"          string                         "model"
       "module"                    string                         "github.com/alexj212/test"
       "outDir"                    string                         "."
       "selectMultiSql"            string                         "SELECT * FROM `invoices`"
       "selectOneSql"              string                         "SELECT * FROM `invoices` WHERE InvoiceId = ?"
       "serverHost"                string                         "127.0.0.1"
       "serverListen"              string                         ":8080"
       "serverPort"                int                            8080
       "serverScheme"              string                         "http"
       "sqlConnStr"                string                         "./example/sample.db"
       "sqlType"                   string                         "sqlite3"
       "tableInfos"                map[string]*dbmeta.ModelInfo   map[string]*dbmeta.ModelInfo{"invoices":(*dbmeta.ModelInfo)(0xc0001e94a0)}
       "updateSql"                 string                         "UPDATE `invoices` set CustomerId = ?, InvoiceDate = ?, BillingAddress = ?, BillingCity = ?, BillingState = ?, BillingCountry = ?, BillingPostalCode = ?, Total = ? WHERE InvoiceId = ?"
    
    
    

    Struct naming

    The ability exists to set a template that will be used for generating a struct name. By passing the flag --model_naming={{.}} The struct will be named the table name. Various functions can be used in the template to modify the name such as

    You can use the argument --name_test=user in conjunction with the --model_naming or --file_name, to view what the naming would be.

    Function Table Name Output
    singular Users User
    pluralize Users Users
    title Users Users
    toLower Users users
    toUpper Users USERS
    toLowerCamelCase Users users
    toUpperCamelCase Users Users
    toSnakeCase Users users

    Struct naming Examples

    Table Name: registration_source

    Model Naming Format Generated Struct Name
    {{.}} registration_source
    Struct{{.}} Structregistration_source
    Struct{{ singular .}} Structregistration_source
    Struct{{ toLowerCamelCase .}} Structregistration_source
    Struct{{ toUpperCamelCase .}} StructRegistration_source
    Struct{{ toSnakeCase .}} Structregistration_source
    Struct{{ toLowerCamelCase .}} Structtable_registration_source
    Struct{{ toUpperCamelCase .}} StructTable_registration_source
    Struct{{ toSnakeCase .}} Structtable_registration_source
    Struct{{ toSnakeCase ( replace . "table_" "") }} Structregistration_source

    Notes

    • MySql, Mssql, Postgres and Sqlite have a database metadata fetcher that will query the db, and update the auto increment, primary key and nullable info for the gorm annotation.
    • Tables that have a non-standard primary key (NON integer based or String) the table will be ignored.

    DB Meta Data Loading

    DB Type Nullable Primary Key Auto Increment Column Len default Value create ddl
    sqlite y y y y y y y
    postgres y y y y y y n
    mysql y y y y y y y
    ms sql y y y y y y n

    Version History

    • v0.9.27 (08/04/2020)
      • Updated '--exec' mode to provide various functions for processing
      • copy function updated to provide --include and --exclude patterns. Patterns are processed in order, an include preceeding an exclude will take precedence. Multiple include and excludes can be specified. Files ending with .table.tmpl will be processed for each table. Output filenames will be stored in the proper directory, with a name of the table with the suffix of the template extension. Files ending with .tmpl will be processed as a template and the filename will be the name of the template stripped with the .tmpl suffix.
      • When processing templates, files generated with a .go extension will be formatted with the go fmt.
    • v0.9.26 (07/31/2020)
      • Release scripting
      • Added custom script functions to copy, mkdir, touch, pwd
      • Fixed custom script exec example
    • v0.9.25 (07/26/2020)
      • Adhere json-fmt flag for all JSON response so when camel or lower_camel is specified, fields name in GetAll variant and DDL info will also have the same name format
      • Fix: Build information embedded through linker in Makefile is not consistent with the variable defined in main file.
      • Added --scheme and --listen options. This allows compiled binary to be used behind reverse proxy.
      • In addition, template for generating URL was fixed, i.e. when PORT is 80, then PORT is omitted from URL segment.
    • v0.9.24 (07/13/2020)
      • Fixed array bounds issue parsing mysql db meta
    • v0.9.23 (07/10/2020)
      • Added postgres types: bigserial, serial, smallserial, bigserial, float4 to mapping.json
    • v0.9.22 (07/08/2020)
      • Modified gogo.proto check to use GOPATH not hardcoded.
      • Updated gen to error exit on first error encountered
      • Added color output for error
      • Added --no-color option for non colorized output
    • v0.9.21 (07/07/2020)
      • Repacking templates, update version number in info.
    • v0.9.20 (07/07/2020)
      • Fixed render error in router.go.tmpl
      • upgraded project to use go.mod 1.14
    • v0.9.19 (07/07/2020)
      • Added --windows flag to write files with CRLF windows line endings, otherwise they are all unix based LF line endings
    • v0.9.18 (06/30/2020)
      • Fixed naming in templates away from hard coded model package.
    • v0.9.17 (06/30/2020)
      • Refactored template loading, to better report error in template
      • Added option to run gofmt on output directory
    • v0.9.16 (06/29/2020)
      • Fixes to router.go.tmpl from calvinchengx
      • Added postgres db support for inet and timestamptz
    • v0.9.15 (06/23/2020)
      • Code cleanup using gofmt name suggestions.
      • Template updates for generated code cleanup using gofmt name suggestions.
    • v0.9.14 (06/23/2020)
      • Added model comment on field line if available from database.
      • Added exposing TableInfo via api call.
    • v0.9.13 (06/22/2020)
      • fixed closing of connections via defer
      • bug fixes in sqlx generated code
    • v0.9.12 (06/14/2020)
      • SQLX changed MustExec to Exec and checking/returning error
      • Updated field renaming if duplicated, need more elegant renaming solution.
      • Added exclude to test.sh
    • v0.9.11 (06/13/2020)
      • Added ability to pass field, model and file naming format
      • updated test scripts
      • Fixed sqlx sql query placeholders
    • v0.9.10 (06/11/2020)
      • Bug fix with retrieving varchar length from mysql
      • Added support for mysql unsigned decimal - maps to float
    • v0.9.9 (06/11/2020)
      • Fixed issue with mysql and table named order
      • Fixed internals in GetAll generation in gorm and sqlx.
    • v0.9.8 (06/10/2020)
      • Added ability to set file naming convention for models, dao, apis and grpc --file_naming={{.}}
      • Added ability to set struct naming convention --model_naming={{.}}
      • Fixed bug with Makefile generation removing quoted conn string in make regen
    • v0.9.7 (06/09/2020)
      • Added grpc server generation - WIP (looking for code improvements)
      • Added ability to exclude tables
      • Added support for unsigned from mysql ddl.
    • v0.9.6 (06/08/2020)
      • Updated SQLX codegen
      • Updated templates to split code gen functions into seperate files
      • Added code_dao_gorm, code_dao_sqlx to be generated from templates
    • v0.9.5 (05/16/2020)
      • Added SQLX codegen by default, split dao templates.
      • Renamed templates
    • v0.9.4 (05/15/2020)
      • Documentation updates, samples etc.
    • v0.9.3 (05/14/2020)
      • Template bug fixes, when using custom api, dao and model package.
      • Set primary key if not set to the first column
      • Skip code gen if primary key column is not int or string
      • validated codegen for mysql, mssql, postgres and sqlite3
      • Fixed file naming if table ends with _test.go renames to _tst.go
      • Fix for duplicate field names in struct due to renaming
      • Added Notes for columns and tables for situations where a primary key is set since not defined in db
      • Fixed issue when model contained field that had were named the same as funcs within model.
    • v0.9.2 (05/12/2020)
      • Code cleanup gofmt, etc.
    • v0.9.1 (05/12/2020)
    • v0.9 (05/12/2020)
      • updated db meta data loading fetching default values
      • added default value to GORM tags
      • Added protobuf .proto generation
      • Added test app to display meta data
      • Cleanup DDL generation
      • Added support for varchar2, datetime2, float8, USER_DEFINED
    • v0.5

    Contributors

    • alexj212 - a big thanks to alexj212 for his contributions

    See more contributors: contributors

gen's People

Contributors

180909 avatar aizk avatar boogiig avatar calvinchengx avatar crossworth avatar d-tsuji avatar danysz avatar dkarakis avatar flyingtimeice avatar geek981108 avatar ghstahl avatar ipsusila avatar jcolson avatar josgilmo avatar leopku avatar liugehao avatar shelmingsong avatar smallnest avatar telemac avatar w00j00ng avatar wainwrightmark avatar walterwanderley avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

gen's Issues

option to not use MustExecContext in dao

mustexec causes panic in key violations ... when normally you would want to catch those errors yourself.

an option to not use mustexec by default in dao's would be stellar.

generated struct has no fields

`package model

import (
"database/sql"
"time"
"github.com/guregu/null"
)

var (
_ = time.Second
_ = sql.LevelDefault
_ = null.Bool{}
)

type UserAliinfo struct {
}

// TableName sets the insert table name for this struct type
func (u *UserAliinfo) TableName() string {
return "user_aliinfo"
}
`

If table name is order will case gen fail

if table name is 'order', the struct generated wiill be empty:

package model

import (
	"database/sql"
	"time"

	"github.com/guregu/null"
)

var (
	_ = time.Second
	_ = sql.LevelDefault
	_ = null.Bool{}
)

type Order struct {
}

// TableName sets the insert table name for this struct type
func (o *Order) TableName() string {
	return "order"
}

gen param isgen --connstr 'xxxx' --table order --gorm --json

when I change table to order2, bug not show again

Connect to PostgresSQL

I can't connect to a Postgres db, line 67 of main.go has static code for connection type.
var db, err = sql.Open("mysql", *sqlConnStr)
Suggest adding an execution parameter for specifying database type.

datetime2 support

In MS SQL , I have some columns of data type datetime2 which generates errors like DATETIME2 error: unknown sql type: datetime2.

I suppose it can be fixed in the mapping.json or is there any option to use it ?

Support for uuid and CHARACTER varying[] in Postgres database

  • for DDL like this:
create table companies
(
    id                  uuid                default public.uuid_generate_v4() not null   constraint clients_pkey
    tags                character varying[] default '{}'::character varying[],
    deleted_by_id       uuid,
    created_by_id       uuid,
);
  • gen outputs errors like:
table: companies unable to generate struct field: id type: UUID error: unknown sql type: uuid
table: companies unable to generate struct field: tags type: _VARCHAR error: unknown sql type: _varchar
table: companies unable to generate struct field: deleted_by_id type: UUID error: unknown sql type: uuid
table: companies unable to generate struct field: created_by_id type: UUID error: unknown sql type: uuid

Issues

  • It seems like gen doesn't support the uuid type
  • It seems like gen doesn't support the CHARACTER Varying[] type

希望能支持xorm库

gorm库虽然stars很高,但个人觉得使用起来没有xorm方便,也没sqlx性能好,希望能支持xorm库

doesn't generate model properties

All generated models have no properties generated

$ go version
go version go1.12.7 darwin/amd64
gen --connstr "root:root@tcp(127.0.0.1:3306)/abc?&parseTime=True" --database abc  --json --gorm --guregu --rest
package model

import (
        "database/sql"
        "time"
        "github.com/guregu/null"
)

var (
        _ = time.Second
        _ = sql.LevelDefault
        _ = null.Bool{}
)

type Transaction struct {
}

// TableName sets the insert table name for this struct type
func (t *Transaction) TableName() string {
        return "transaction"
}

postgresql 连接使用方法

gen --sqltype=postgres  --connstr "host=127.0.0.1 port=5432 user=$PGUSER dbname=$PGDATABASE password=$PGPASSWORD sslmode=disable  connect_timeout=10000" --database $PGDATABASE  --json --gorm --guregu --rest

[Feature Request]table prefix support

All my tables had same prefix like xxx_, for example:

xxx_users
xxx_posts
xxx_tokens

The generated codes like model, dao, routes all have xxx included, like XxxUser , GetAllXxxUser and /xxxuser, /xxxuser/:argId.

I wanna request a new feature like adding something like a param named prefix and auto stripping the prefix when generating codes. The ideal model, dao, routes look likes following User, GetAllUser, /user and /user/:argId

Postgres and SQLite driver support for sql.ColumnType.Nullable()

Hi,

I see you are using my 'schema' package! This is just a quick note to inform you of its limitations...

It works very well with some drivers, and not so well with others: sadly, not all drivers provide full support for methods on sql.ColumnType

Drivers with good/working .Nullable() support:

  • MS SQL - github.com/denisenkom/go-mssqldb
  • MySQL - github.com/go-sql-driver/mysql
  • Oracle - github.com/go-goracle/goracle

But I have not yet found a driver with support for .Nullable() on Postgres nor SQLite.

For further details see the report(s) at https://github.com/jimsmart/drivercaps — it's quite a can of worms.

I think the best solution is for the upstream drivers to add this missing support? But I have not yet filed any issues upstream, nor had time to look at any of the drivers' code.

HTH

mysql cann't generate go model struct

in dbmeta/meta.go GenerateStruct function line101, when the tablename is user , the sql string is SELECT * FROM user LIMIT 0 . that is a error sql query string.

不能识别mysql 的 unsigned decimal数据类型

表创建语句

DROP TABLE IF EXISTS `test_db`;
CREATE TABLE `test_db`  (
  `id` int(0) UNSIGNED NOT NULL AUTO_INCREMENT COMMENT '主键',
  `created_at` datetime(0) NOT NULL COMMENT '创建时间',
  `updated_at` datetime(0) NOT NULL COMMENT '更新时间',
  `deleted_at` datetime(0) NULL DEFAULT NULL COMMENT '删除时间',
  `type_id` bigint(0) UNSIGNED NOT NULL DEFAULT 0,
  `name` varchar(255) CHARACTER SET utf8 COLLATE utf8_general_ci NULL DEFAULT NULL,
  `age` int(0) NULL DEFAULT NULL,
  `avatar_url` varchar(255) CHARACTER SET utf8 COLLATE utf8_general_ci NULL DEFAULT NULL,
  `passwd` varchar(200) CHARACTER SET utf8 COLLATE utf8_general_ci NULL DEFAULT NULL,
  `created` datetime(0) NULL DEFAULT NULL,
  `updated` datetime(0) NULL DEFAULT NULL,
  `gender` enum('one','two') CHARACTER SET utf8mb4 COLLATE utf8mb4_bin NULL DEFAULT NULL,
  `birthday` datetime(0) NULL DEFAULT NULL,
  `email` varchar(50) CHARACTER SET utf8 COLLATE utf8_general_ci NULL DEFAULT NULL,
  `detial` json NULL,
  `price` decimal(10, 2) UNSIGNED NULL DEFAULT NULL,
  PRIMARY KEY (`id`, `type_id`) USING BTREE,
  UNIQUE INDEX `uix_test_db_email`(`email`) USING BTREE,
  INDEX `idx_test_db_deleted_at`(`deleted_at`) USING BTREE
) ENGINE = InnoDB AUTO_INCREMENT = 24 CHARACTER SET = utf8 COLLATE = utf8_general_ci ROW_FORMAT = DYNAMIC;

SET FOREIGN_KEY_CHECKS = 1;

其中price,生成model时会报错 table: test_db unable to generate struct field: price type: udecimal error: unknown sql type: udecimal.

Gorm Optional Struct tags

Does this package support gorm optional structs tags such as Size, PRIMARY_KEY, AUTO_INCREMENT?
https://gorm.io/docs/models.html#Supported-Struct-tags

type Batch struct {
	ID          int            `gorm:"column:id;primary_key" json:"id"`
	Title       string         `gorm:"column:title" json:"title"`
	Description sql.NullString `gorm:"column:description" json:"description"`
	UrlsCount   int            `gorm:"column:urls_count" json:"urls_count"`
	CreatedAt   time.Time      `gorm:"column:created_at" json:"created_at"`
	UpdatedAt   time.Time      `gorm:"column:updated_at" json:"updated_at"`
}

above struct was created with following command but no optional struct tags
gen --connstr "USER:PASSWORD@tcp(127.0.0.1:3306)/dbname" --database dbname --table batches --gorm --json

why the struct don't have member?

gen -c 'mitra:shopee123!@tcp(10.12.77.233)/apc_report_db?&parseTime=True' --database apc_report_db -t dp_order_report_tab --package dbreport --json --gorm --guregu

package model

import (
"database/sql"
"time"

"github.com/guregu/null"

)

var (
_ = time.Second
_ = sql.LevelDefault
_ = null.Bool{}
)

type DpOrderReportTab struct {
}

// TableName sets the insert table name for this struct type
func (d *DpOrderReportTab) TableName() string {
return "dp_order_report_tab"
}

model can not generate varchar size in mysql

table create statement

DROP TABLE IF EXISTS `express_company`;
CREATE TABLE `express_company`  (
  `id` int(0) UNSIGNED NOT NULL AUTO_INCREMENT COMMENT '主键',
  `express_name` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_bin NOT NULL COMMENT '快递公司名称',
  PRIMARY KEY (`id`) USING BTREE
) ENGINE = InnoDB AUTO_INCREMENT = 7 CHARACTER SET = utf8mb4 COLLATE = utf8mb4_bin ROW_FORMAT = DYNAMIC;

version:0.9.12

when I use this table to create model,generate code is like:

// ExpressCompany struct is a row record of the express_company table in the daigou database
type ExpressCompany struct {
	//[ 0] id                                             uint                 null: false  primary: true   isArray: false  auto: true   col: uint            len: -1      default: []
	ID uint32 `gorm:"primary_key;AUTO_INCREMENT;column:id;type:uint;" json:"id"`
	//[ 1] express_name                                   varchar              null: false  primary: false  isArray: false  auto: false  col: varchar         len: 0       default: []
	ExpressName string `gorm:"column:express_name;type:varchar;" json:"express_name"`
}

image

model_base.go.tmpl not found error

Hello,

I wanted to create structs from a mysql database for gorm (no other features) like this - from a db hosted on localhost:

gen --sqltype=mysql \
   	--connstr "$DB_USER:$DB_PASS@/$DB_NAME" \
   	--database $DB_NAME  \
   	--json \
    --out ./models \
   	--gorm \
   	--overwrite

what I am getting is this:

Error loading template model_base.go.tmpl not found

am I missing something?

If I copy the file from the gen repo into a local folder and pass the templateDir parameter, I do get results, but all accompanied by this error:

Error in loading model template, error: template: model:20: function "IsNullable" not defined

if you leave --protobuf out of opts, but have --db, it will generate protobuff models tags instead of db:

below does NOT generate sqlx tags in models, but DOES generate protobuf tags

gen -v \
    --sqltype=mysql \
   	--connstr "`cat db_conn_file.txt`" \
   	--json \
   	--out server \
   	--generate-dao \
   	--overwrite \
   	--database trictrac \
    --model=models \
	--module=trictr.ac/server \
	--templateDir=template-gen \
  	--db \
    --guregu

ex:

type AccountMember struct {
	//[ 0] member_id                                      varchar(36)          null: false  primary: true   auto: false  col: varchar         len: 36      default: []
	MemberID string `json:"member_id" protobuf:"string,0,opt,name=member_id"`
	//[ 1] email_address                                  text(65535)          null: true   primary: false  auto: false  col: text            len: 65535   default: [NULL]
	EmailAddress null.String `json:"email_address" protobuf:"string,1,opt,name=email_address"`
	//[ 2] first_name                                     text(65535)          null: true   primary: false  auto: false  col: text            len: 65535   default: [NULL]
	FirstName null.String `json:"first_name" protobuf:"string,2,opt,name=first_name"`
	//[ 3] last_name                                      text(65535)          null: true   primary: false  auto: false  col: text            len: 65535   default: [NULL]
	LastName null.String `json:"last_name" protobuf:"string,3,opt,name=last_name"`
	//[ 4] joined_timestamp                               timestamp            null: false  primary: false  auto: false  col: timestamp       len: -1      default: [current_timestamp()]
	JoinedTimestamp time.Time `json:"joined_timestamp" protobuf:"uint64,4,opt,name=joined_timestamp"`
	//[ 5] role                                           text(65535)          null: false  primary: false  auto: false  col: text            len: 65535   default: []
	Role string `json:"role" protobuf:"string,5,opt,name=role"`
	//[ 6] hashauth                                       text(65535)          null: false  primary: false  auto: false  col: text            len: 65535   default: []
	Hashauth string `json:"hashauth" protobuf:"string,6,opt,name=hashauth"`
}

below DOES generates sqlx tags in models (as well as protobuf)

gen -v \
    --sqltype=mysql \
   	--connstr "`cat db_conn_file.txt`" \
   	--json \
   	--out server \
   	--generate-dao \
   	--overwrite \
   	--database trictrac \
    --model=models \
	--module=trictr.ac/server \
	--templateDir=template-gen \
  	--db \
	--protobuf \
    --guregu

ex:

type AccountMember struct {
	//[ 0] member_id                                      varchar(36)          null: false  primary: true   auto: false  col: varchar         len: 36      default: []
	MemberID string `json:"member_id" db:"member_id" protobuf:"string,0,opt,name=member_id"`
	//[ 1] email_address                                  text(65535)          null: true   primary: false  auto: false  col: text            len: 65535   default: [NULL]
	EmailAddress null.String `json:"email_address" db:"email_address" protobuf:"string,1,opt,name=email_address"`
	//[ 2] first_name                                     text(65535)          null: true   primary: false  auto: false  col: text            len: 65535   default: [NULL]
	FirstName null.String `json:"first_name" db:"first_name" protobuf:"string,2,opt,name=first_name"`
	//[ 3] last_name                                      text(65535)          null: true   primary: false  auto: false  col: text            len: 65535   default: [NULL]
	LastName null.String `json:"last_name" db:"last_name" protobuf:"string,3,opt,name=last_name"`
	//[ 4] joined_timestamp                               timestamp            null: false  primary: false  auto: false  col: timestamp       len: -1      default: [current_timestamp()]
	JoinedTimestamp time.Time `json:"joined_timestamp" db:"joined_timestamp" protobuf:"uint64,4,opt,name=joined_timestamp"`
	//[ 5] role                                           text(65535)          null: false  primary: false  auto: false  col: text            len: 65535   default: []
	Role string `json:"role" db:"role" protobuf:"string,5,opt,name=role"`
	//[ 6] hashauth                                       text(65535)          null: false  primary: false  auto: false  col: text            len: 65535   default: []
	Hashauth string `json:"hashauth" db:"hashauth" protobuf:"string,6,opt,name=hashauth"`
}

this is at commit -> 0c7236f

can not support unsigned int

sql 语句

CREATE TABLE `user`  (
  `id` bigint(0) NOT NULL AUTO_INCREMENT COMMENT '主键id',
  `user_id` int(0) UNSIGNED NOT NULL COMMENT '用户id',
  `role` int(0) NOT NULL DEFAULT 0 COMMENT '在此平台角色0用户1代购2个体商户3推广员4总代',
  `vip_level` int(0) NULL DEFAULT NULL COMMENT 'vip等级',
  `union_id` varchar(45) CHARACTER SET utf8 COLLATE utf8_bin NOT NULL COMMENT '微信唯一索引',
  `open_id` varchar(45) CHARACTER SET utf8 COLLATE utf8_bin NOT NULL COMMENT '微信openid',
  `nick_name` varchar(100) CHARACTER SET utf8 COLLATE utf8_bin NULL DEFAULT NULL COMMENT '微信昵称',
  `avatar_url` varchar(255) CHARACTER SET utf8 COLLATE utf8_bin NOT NULL COMMENT '微信头像',
  `gender` tinyint(0) NOT NULL COMMENT '性别,0男生1女生',
  `country` varchar(100) CHARACTER SET utf8 COLLATE utf8_bin NULL DEFAULT NULL COMMENT '所在国家',
  `province` varchar(100) CHARACTER SET utf8 COLLATE utf8_bin NULL DEFAULT NULL COMMENT '省份',
  `city` varchar(100) CHARACTER SET utf8 COLLATE utf8_bin NULL DEFAULT NULL COMMENT '城市',
  `language` varchar(100) CHARACTER SET utf8 COLLATE utf8_bin NULL DEFAULT NULL COMMENT '语种',
  `bind_user_id` int(0) NULL DEFAULT NULL COMMENT '绑定人员',
  `phone_number` bigint(0) NULL DEFAULT NULL COMMENT '手机号码',
  `due_time` datetime(0) NULL DEFAULT NULL COMMENT '到期时间',
  `create_time` datetime(0) NULL DEFAULT NULL COMMENT '创建时间',
  `update_time` datetime(0) NULL DEFAULT CURRENT_TIMESTAMP(0) COMMENT '修改时间',
  PRIMARY KEY (`id`) USING BTREE,
  UNIQUE INDEX `openid_UNIQUE`(`open_id`) USING BTREE
) ENGINE = InnoDB AUTO_INCREMENT = 3 CHARACTER SET = utf8mb4 COLLATE = utf8mb4_bin ROW_FORMAT = DYNAMIC;

生成的model

type User struct {
	ID          int64       `gorm:"AUTO_INCREMENT;column:id;type:BIGINT;primary_key" json:"id"`                     //[ 0] id                                             bigint               null: false  primary: true   auto: true   col: bigint          len: -1      default: []
	UserID      int         `gorm:"column:user_id;type:INT;" json:"user_id"`                                        //[ 1] user_id                                        int                  null: false  primary: false  auto: false  col: int             len: -1      default: []
	Role        int         `gorm:"column:role;type:INT;default:0;" json:"role"`                                    //[ 2] role                                           int                  null: false  primary: false  auto: false  col: int             len: -1      default: [0]
	VipLevel    null.Int    `gorm:"column:vip_level;type:INT;" json:"vip_level"`                                    //[ 3] vip_level                                      int                  null: true   primary: false  auto: false  col: int             len: -1      default: []
	UnionID     string      `gorm:"column:union_id;type:VARCHAR;size:45;" json:"union_id"`                          //[ 4] union_id                                       varchar(45)          null: false  primary: false  auto: false  col: varchar         len: 45      default: []
	OpenID      string      `gorm:"column:open_id;type:VARCHAR;size:45;" json:"open_id"`                            //[ 5] open_id                                        varchar(45)          null: false  primary: false  auto: false  col: varchar         len: 45      default: []
	NickName    null.String `gorm:"column:nick_name;type:VARCHAR;size:100;" json:"nick_name"`                       //[ 6] nick_name                                      varchar(100)         null: true   primary: false  auto: false  col: varchar         len: 100     default: []
	AvatarURL   string      `gorm:"column:avatar_url;type:VARCHAR;size:255;" json:"avatar_url"`                     //[ 7] avatar_url                                     varchar(255)         null: false  primary: false  auto: false  col: varchar         len: 255     default: []
	Gender      int         `gorm:"column:gender;type:TINYINT;" json:"gender"`                                      //[ 8] gender                                         tinyint              null: false  primary: false  auto: false  col: tinyint         len: -1      default: []
	Country     null.String `gorm:"column:country;type:VARCHAR;size:100;" json:"country"`                           //[ 9] country                                        varchar(100)         null: true   primary: false  auto: false  col: varchar         len: 100     default: []
	Province    null.String `gorm:"column:province;type:VARCHAR;size:100;" json:"province"`                         //[10] province                                       varchar(100)         null: true   primary: false  auto: false  col: varchar         len: 100     default: []
	City        null.String `gorm:"column:city;type:VARCHAR;size:100;" json:"city"`                                 //[11] city                                           varchar(100)         null: true   primary: false  auto: false  col: varchar         len: 100     default: []
	Language    null.String `gorm:"column:language;type:VARCHAR;size:100;" json:"language"`                         //[12] language                                       varchar(100)         null: true   primary: false  auto: false  col: varchar         len: 100     default: []
	BindUserID  null.Int    `gorm:"column:bind_user_id;type:INT;" json:"bind_user_id"`                              //[13] bind_user_id                                   int                  null: true   primary: false  auto: false  col: int             len: -1      default: []
	PhoneNumber null.Int    `gorm:"column:phone_number;type:BIGINT;" json:"phone_number"`                           //[14] phone_number                                   bigint               null: true   primary: false  auto: false  col: bigint          len: -1      default: []
	DueTime     null.Time   `gorm:"column:due_time;type:DATETIME;" json:"due_time"`                                 //[15] due_time                                       datetime             null: true   primary: false  auto: false  col: datetime        len: -1      default: []
	CreateTime  null.Time   `gorm:"column:create_time;type:DATETIME;" json:"create_time"`                           //[16] create_time                                    datetime             null: true   primary: false  auto: false  col: datetime        len: -1      default: []
	UpdateTime  null.Time   `gorm:"column:update_time;type:DATETIME;default:CURRENT_TIMESTAMP;" json:"update_time"` //[17] update_time                                    datetime             null: true   primary: false  auto: false  col: datetime        len: -1      default: [CURRENT_TIMESTAMP]

}

可以看到 从mysql生成golang结构体时,不支持unsigned int, mysql定义的字段类型是unsigned int,但是generated
出来的结构体是int, 如果使用mapping.json配置的话,估计也不能解决.

Not working now?

Run as $ gen -v --connstr "root:roooooot@/test" --package test --database test --table label --json --gorm

Nothing hanppend.

ENV:
mysql Ver 8.0.18 for macos10.14 on x86_64
go version go1.13.1 darwin/amd64

How can I connect to a sqlite3 database file?

I am reviewing the command line options but do not understand how to connect to a sqlite3 database. I have a file.db and the table name is account. I want to create output suitable for a gorm model.

What command line options should I use?

Support for timestamptz type in postgres

Getting this error when using tables (e.g. "mytable") that uses the timestamptz type in postgresql database:-

table: mytable unable to generate struct field: created type: TIMESTAMPTZ error: unknown sql type: timestamptz

Can't connect to mssql; don't find information how to use this tool

Hi,

i tried to get structs of an existing mssql database, but it fails with an error

gen --sqltype "sqlserver" --connstr "server=localhost;user id=sa;password={xxx}" --database xxx  --json --gorm

=> 2019/05/24 14:09:39 unknown db driver *mssql.Driver

same with

gen --sqltype "mssql" --connstr "server=localhost;user id=sa;password={xxx}" --database xxx  --json --gorm

different with "asdasd" instead of "mssql". Is this a bug, or do i use it wrong?

Sqlite

I am having a hard time seeing how other databases than mysql are supported for inspection. I cannot get sqlite database to work with the command line tool, and the code has mysql driver hardcoded.

[Bug report]sslmode issue caused by connstr in "regen" part of Makefile

gen version

0.9.7 (06/09/2020)

OS

macOS 10.14.6

Shell

zsh 5.3 (x86_64-apple-darwin18.0)

Database

~ ❯❯❯ brew info postgresql
postgresql: stable 12.3 (bottled), HEAD

Description

  1. Run gen --sqltype=postgres --connstr=..., it works.

  2. Run make regen with default connstr param,

    --connstr=host=127.0.0.1 \
    port=5432 \
    user=myname \
    password=mypass \
    dbname=mydb \
    sslmode=disable \

it occurred with

Error pinging database: pq: SSL is not enabled on the server

Error in initializing db pq: SSL is not enabled on the server
make: *** [regen] Error 1
  1. change --connstr in Makefile to below and run make regen, it should works well.
    --connstr="host=127.0.0.1 port=5432 user=myname password=mypass dbname=mydb sslmode=disable connect_timeout=10000" \

But --connstr in Makefile had been changed to default format like step 2.

Maybe reason

I'm using zsh with zprezto.
Maybe it only broken in zsh? I don't know.

How to iniitialize data null.String

Hi,

I have struct with null.String data type (generated through smallnest/gen), however I got the error

./user_related_unit_test.go:92:82: cannot use "abc" (type string) as type null.String in field value

when I tried to initialize it:

UserCredentialObject := model.UserCredential{UserID: 1, Sequence: 1, AesPwdOld: "abc", AesPwdNew: null, PinBlockOld: "1234", PinBlockNew: "5678"}

numeric field in postgresql

Hi, I want to generate model from postgresql table below

image

however, when I generate it using gen, the numeric field somehow gone (not included when generate)

image

am I missing something?

Thanks

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.