1
0
mirror of https://github.com/gogf/gf.git synced 2025-04-05 11:18:50 +08:00

feat(database/gdb): add Raw support for Fields function of gdb.Model (#3873)

This commit is contained in:
John Guo 2024-10-21 09:22:31 +08:00 committed by GitHub
parent b1d875a31f
commit 7dd38a1700
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
8 changed files with 127 additions and 71 deletions

View File

@ -4838,3 +4838,25 @@ func Test_OrderBy_Statement_Generated(t *testing.T) {
t.Assert(rawSql, expectSql) t.Assert(rawSql, expectSql)
}) })
} }
func Test_Fields_Raw(t *testing.T) {
gtest.C(t, func(t *gtest.T) {
table := createInitTable()
defer dropTable(table)
one, err := db.Model(table).Fields(gdb.Raw("1")).One()
t.AssertNil(err)
t.Assert(one["1"], 1)
one, err = db.Model(table).Fields(gdb.Raw("2")).One()
t.AssertNil(err)
t.Assert(one["2"], 2)
one, err = db.Model(table).Fields(gdb.Raw("2")).Where("id", 2).One()
t.AssertNil(err)
t.Assert(one["2"], 2)
one, err = db.Model(table).Fields(gdb.Raw("2")).Where("id", 10000000000).One()
t.AssertNil(err)
t.Assert(len(one), 0)
})
}

View File

@ -650,6 +650,7 @@ func Test_Model_AllAndCount(t *testing.T) {
t.Assert(len(result), TableSize) t.Assert(len(result), TableSize)
t.Assert(count, TableSize) t.Assert(count, TableSize)
}) })
// AllAndCount with no data // AllAndCount with no data
gtest.C(t, func(t *gtest.T) { gtest.C(t, func(t *gtest.T) {
result, count, err := db.Model(table).Where("id<0").AllAndCount(false) result, count, err := db.Model(table).Where("id<0").AllAndCount(false)

View File

@ -344,8 +344,8 @@ func doQuoteString(s, charLeft, charRight string) string {
return gstr.Join(array1, ",") return gstr.Join(array1, ",")
} }
func getFieldsFromStructOrMap(structOrMap interface{}) (fields []string) { func getFieldsFromStructOrMap(structOrMap any) (fields []any) {
fields = []string{} fields = []any{}
if utils.IsStruct(structOrMap) { if utils.IsStruct(structOrMap) {
structFields, _ := gstructs.Fields(gstructs.FieldsInput{ structFields, _ := gstructs.Fields(gstructs.FieldsInput{
Pointer: structOrMap, Pointer: structOrMap,
@ -362,7 +362,7 @@ func getFieldsFromStructOrMap(structOrMap interface{}) (fields []string) {
} }
} }
} else { } else {
fields = gutil.Keys(structOrMap) fields = gconv.Interfaces(gutil.Keys(structOrMap))
} }
return return
} }

View File

@ -24,8 +24,8 @@ type Model struct {
linkType int // Mark for operation on master or slave. linkType int // Mark for operation on master or slave.
tablesInit string // Table names when model initialization. tablesInit string // Table names when model initialization.
tables string // Operation table names, which can be more than one table names and aliases, like: "user", "user u", "user u, user_detail ud". tables string // Operation table names, which can be more than one table names and aliases, like: "user", "user u", "user u, user_detail ud".
fields string // Operation fields, multiple fields joined using char ','. fields []any // Operation fields, multiple fields joined using char ','.
fieldsEx []string // Excluded operation fields, it here uses slice instead of string type for quick filtering. fieldsEx []any // Excluded operation fields, it here uses slice instead of string type for quick filtering.
withArray []interface{} // Arguments for With feature. withArray []interface{} // Arguments for With feature.
withAll bool // Enable model association operations on all objects that have "with" tag in the struct. withAll bool // Enable model association operations on all objects that have "with" tag in the struct.
extraArgs []interface{} // Extra custom arguments for sql, which are prepended to the arguments before sql committed to underlying driver. extraArgs []interface{} // Extra custom arguments for sql, which are prepended to the arguments before sql committed to underlying driver.
@ -65,7 +65,7 @@ type ChunkHandler func(result Result, err error) bool
const ( const (
linkTypeMaster = 1 linkTypeMaster = 1
linkTypeSlave = 2 linkTypeSlave = 2
defaultFields = "*" defaultField = "*"
whereHolderOperatorWhere = 1 whereHolderOperatorWhere = 1
whereHolderOperatorAnd = 2 whereHolderOperatorAnd = 2
whereHolderOperatorOr = 3 whereHolderOperatorOr = 3
@ -132,7 +132,6 @@ func (c *Core) Model(tableNameQueryOrStruct ...interface{}) *Model {
schema: c.schema, schema: c.schema,
tablesInit: tableStr, tablesInit: tableStr,
tables: tableStr, tables: tableStr,
fields: defaultFields,
start: -1, start: -1,
offset: -1, offset: -1,
filter: true, filter: true,
@ -281,8 +280,12 @@ func (m *Model) Clone() *Model {
newModel.whereBuilder = m.whereBuilder.Clone() newModel.whereBuilder = m.whereBuilder.Clone()
newModel.whereBuilder.model = newModel newModel.whereBuilder.model = newModel
// Shallow copy slice attributes. // Shallow copy slice attributes.
if n := len(m.fields); n > 0 {
newModel.fields = make([]any, n)
copy(newModel.fields, m.fields)
}
if n := len(m.fieldsEx); n > 0 { if n := len(m.fieldsEx); n > 0 {
newModel.fieldsEx = make([]string, n) newModel.fieldsEx = make([]any, n)
copy(newModel.fieldsEx, m.fieldsEx) copy(newModel.fieldsEx, m.fieldsEx)
} }
if n := len(m.extraArgs); n > 0 { if n := len(m.extraArgs); n > 0 {

View File

@ -33,7 +33,7 @@ func (m *Model) Fields(fieldNamesOrMapStruct ...interface{}) *Model {
return m return m
} }
model := m.getModel() model := m.getModel()
return model.appendFieldsByStr(gstr.Join(fields, ",")) return model.appendToFields(fields...)
} }
// FieldsPrefix performs as function Fields but add extra prefix for each field. // FieldsPrefix performs as function Fields but add extra prefix for each field.
@ -45,9 +45,11 @@ func (m *Model) FieldsPrefix(prefixOrAlias string, fieldNamesOrMapStruct ...inte
if len(fields) == 0 { if len(fields) == 0 {
return m return m
} }
gstr.PrefixArray(fields, prefixOrAlias+".") for i, field := range fields {
fields[i] = prefixOrAlias + "." + gconv.String(field)
}
model := m.getModel() model := m.getModel()
return model.appendFieldsByStr(gstr.Join(fields, ",")) return model.appendToFields(fields...)
} }
// FieldsEx appends `fieldNamesOrMapStruct` to the excluded operation fields of the model, // FieldsEx appends `fieldNamesOrMapStruct` to the excluded operation fields of the model,
@ -84,7 +86,9 @@ func (m *Model) FieldsExPrefix(prefixOrAlias string, fieldNamesOrMapStruct ...in
m.getTableNameByPrefixOrAlias(prefixOrAlias), m.getTableNameByPrefixOrAlias(prefixOrAlias),
fieldNamesOrMapStruct..., fieldNamesOrMapStruct...,
) )
gstr.PrefixArray(model.fieldsEx, prefixOrAlias+".") for i, field := range model.fieldsEx {
model.fieldsEx[i] = prefixOrAlias + "." + gconv.String(field)
}
return model return model
} }
@ -95,7 +99,7 @@ func (m *Model) FieldCount(column string, as ...string) *Model {
asStr = fmt.Sprintf(` AS %s`, m.db.GetCore().QuoteWord(as[0])) asStr = fmt.Sprintf(` AS %s`, m.db.GetCore().QuoteWord(as[0]))
} }
model := m.getModel() model := m.getModel()
return model.appendFieldsByStr( return model.appendToFields(
fmt.Sprintf(`COUNT(%s)%s`, m.QuoteWord(column), asStr), fmt.Sprintf(`COUNT(%s)%s`, m.QuoteWord(column), asStr),
) )
} }
@ -107,7 +111,7 @@ func (m *Model) FieldSum(column string, as ...string) *Model {
asStr = fmt.Sprintf(` AS %s`, m.db.GetCore().QuoteWord(as[0])) asStr = fmt.Sprintf(` AS %s`, m.db.GetCore().QuoteWord(as[0]))
} }
model := m.getModel() model := m.getModel()
return model.appendFieldsByStr( return model.appendToFields(
fmt.Sprintf(`SUM(%s)%s`, m.QuoteWord(column), asStr), fmt.Sprintf(`SUM(%s)%s`, m.QuoteWord(column), asStr),
) )
} }
@ -119,7 +123,7 @@ func (m *Model) FieldMin(column string, as ...string) *Model {
asStr = fmt.Sprintf(` AS %s`, m.db.GetCore().QuoteWord(as[0])) asStr = fmt.Sprintf(` AS %s`, m.db.GetCore().QuoteWord(as[0]))
} }
model := m.getModel() model := m.getModel()
return model.appendFieldsByStr( return model.appendToFields(
fmt.Sprintf(`MIN(%s)%s`, m.QuoteWord(column), asStr), fmt.Sprintf(`MIN(%s)%s`, m.QuoteWord(column), asStr),
) )
} }
@ -131,7 +135,7 @@ func (m *Model) FieldMax(column string, as ...string) *Model {
asStr = fmt.Sprintf(` AS %s`, m.db.GetCore().QuoteWord(as[0])) asStr = fmt.Sprintf(` AS %s`, m.db.GetCore().QuoteWord(as[0]))
} }
model := m.getModel() model := m.getModel()
return model.appendFieldsByStr( return model.appendToFields(
fmt.Sprintf(`MAX(%s)%s`, m.QuoteWord(column), asStr), fmt.Sprintf(`MAX(%s)%s`, m.QuoteWord(column), asStr),
) )
} }
@ -143,7 +147,7 @@ func (m *Model) FieldAvg(column string, as ...string) *Model {
asStr = fmt.Sprintf(` AS %s`, m.db.GetCore().QuoteWord(as[0])) asStr = fmt.Sprintf(` AS %s`, m.db.GetCore().QuoteWord(as[0]))
} }
model := m.getModel() model := m.getModel()
return model.appendFieldsByStr( return model.appendToFields(
fmt.Sprintf(`AVG(%s)%s`, m.QuoteWord(column), asStr), fmt.Sprintf(`AVG(%s)%s`, m.QuoteWord(column), asStr),
) )
} }
@ -218,7 +222,7 @@ func (m *Model) HasField(field string) (bool, error) {
} }
// getFieldsFrom retrieves, filters and returns fields name from table `table`. // getFieldsFrom retrieves, filters and returns fields name from table `table`.
func (m *Model) filterFieldsFrom(table string, fieldNamesOrMapStruct ...interface{}) []string { func (m *Model) filterFieldsFrom(table string, fieldNamesOrMapStruct ...any) []any {
length := len(fieldNamesOrMapStruct) length := len(fieldNamesOrMapStruct)
if length == 0 { if length == 0 {
return nil return nil
@ -227,7 +231,7 @@ func (m *Model) filterFieldsFrom(table string, fieldNamesOrMapStruct ...interfac
// String slice. // String slice.
case length >= 2: case length >= 2:
return m.mappingAndFilterToTableFields( return m.mappingAndFilterToTableFields(
table, gconv.Strings(fieldNamesOrMapStruct), true, table, fieldNamesOrMapStruct, true,
) )
// It needs type asserting. // It needs type asserting.
@ -235,13 +239,13 @@ func (m *Model) filterFieldsFrom(table string, fieldNamesOrMapStruct ...interfac
structOrMap := fieldNamesOrMapStruct[0] structOrMap := fieldNamesOrMapStruct[0]
switch r := structOrMap.(type) { switch r := structOrMap.(type) {
case string: case string:
return m.mappingAndFilterToTableFields(table, []string{r}, false) return m.mappingAndFilterToTableFields(table, []any{r}, false)
case []string: case []string:
return m.mappingAndFilterToTableFields(table, r, true) return m.mappingAndFilterToTableFields(table, gconv.Interfaces(r), true)
case Raw, *Raw: case Raw, *Raw:
return []string{gconv.String(structOrMap)} return []any{structOrMap}
default: default:
return m.mappingAndFilterToTableFields(table, getFieldsFromStructOrMap(structOrMap), true) return m.mappingAndFilterToTableFields(table, getFieldsFromStructOrMap(structOrMap), true)
@ -252,19 +256,13 @@ func (m *Model) filterFieldsFrom(table string, fieldNamesOrMapStruct ...interfac
} }
} }
func (m *Model) appendFieldsByStr(fields string) *Model { func (m *Model) appendToFields(fields ...any) *Model {
if fields != "" { if len(fields) == 0 {
model := m.getModel() return m
if model.fields == defaultFields {
model.fields = ""
}
if model.fields != "" {
model.fields += ","
}
model.fields += fields
return model
} }
return m model := m.getModel()
model.fields = append(model.fields, fields...)
return model
} }
func (m *Model) isFieldInFieldsEx(field string) bool { func (m *Model) isFieldInFieldsEx(field string) bool {

View File

@ -54,7 +54,7 @@ func (m *Model) AllAndCount(useFieldForCount bool) (result Result, totalCount in
// If useFieldForCount is false, set the fields to a constant value of 1 for counting // If useFieldForCount is false, set the fields to a constant value of 1 for counting
if !useFieldForCount { if !useFieldForCount {
countModel.fields = "1" countModel.fields = []any{Raw("1")}
} }
// Get the total count of records // Get the total count of records
@ -178,7 +178,7 @@ func (m *Model) Array(fieldsAndWhere ...interface{}) ([]Value, error) {
func (m *Model) doStruct(pointer interface{}, where ...interface{}) error { func (m *Model) doStruct(pointer interface{}, where ...interface{}) error {
model := m model := m
// Auto selecting fields by struct attributes. // Auto selecting fields by struct attributes.
if len(model.fieldsEx) == 0 && (model.fields == "" || model.fields == "*") { if len(model.fieldsEx) == 0 && len(model.fields) == 0 {
if v, ok := pointer.(reflect.Value); ok { if v, ok := pointer.(reflect.Value); ok {
model = m.Fields(v.Interface()) model = m.Fields(v.Interface())
} else { } else {
@ -214,7 +214,7 @@ func (m *Model) doStruct(pointer interface{}, where ...interface{}) error {
func (m *Model) doStructs(pointer interface{}, where ...interface{}) error { func (m *Model) doStructs(pointer interface{}, where ...interface{}) error {
model := m model := m
// Auto selecting fields by struct attributes. // Auto selecting fields by struct attributes.
if len(model.fieldsEx) == 0 && (model.fields == "" || model.fields == "*") { if len(model.fieldsEx) == 0 && len(model.fields) == 0 {
if v, ok := pointer.(reflect.Value); ok { if v, ok := pointer.(reflect.Value); ok {
model = m.Fields( model = m.Fields(
reflect.New( reflect.New(
@ -316,7 +316,7 @@ func (m *Model) ScanAndCount(pointer interface{}, totalCount *int, useFieldForCo
countModel := m.Clone() countModel := m.Clone()
// If useFieldForCount is false, set the fields to a constant value of 1 for counting // If useFieldForCount is false, set the fields to a constant value of 1 for counting
if !useFieldForCount { if !useFieldForCount {
countModel.fields = "1" countModel.fields = []any{Raw("1")}
} }
// Get the total count of records // Get the total count of records
@ -343,7 +343,7 @@ func (m *Model) ScanList(structSlicePointer interface{}, bindToAttrName string,
if err != nil { if err != nil {
return err return err
} }
if m.fields != defaultFields || len(m.fieldsEx) != 0 { if len(m.fields) > 0 || len(m.fieldsEx) != 0 {
// There are custom fields. // There are custom fields.
result, err = m.All() result, err = m.All()
} else { } else {
@ -604,7 +604,9 @@ func (m *Model) doGetAll(ctx context.Context, limit1 bool, where ...interface{})
} }
// doGetAllBySql does the select statement on the database. // doGetAllBySql does the select statement on the database.
func (m *Model) doGetAllBySql(ctx context.Context, queryType queryType, sql string, args ...interface{}) (result Result, err error) { func (m *Model) doGetAllBySql(
ctx context.Context, queryType queryType, sql string, args ...interface{},
) (result Result, err error) {
if result, err = m.getSelectResultFromCache(ctx, sql, args...); err != nil || result != nil { if result, err = m.getSelectResultFromCache(ctx, sql, args...); err != nil || result != nil {
return return
} }
@ -635,10 +637,10 @@ func (m *Model) getFormattedSqlAndArgs(
switch queryType { switch queryType {
case queryTypeCount: case queryTypeCount:
queryFields := "COUNT(1)" queryFields := "COUNT(1)"
if m.fields != "" && m.fields != "*" { if len(m.fields) > 0 {
// DO NOT quote the m.fields here, in case of fields like: // DO NOT quote the m.fields here, in case of fields like:
// DISTINCT t.user_id uid // DISTINCT t.user_id uid
queryFields = fmt.Sprintf(`COUNT(%s%s)`, m.distinct, m.fields) queryFields = fmt.Sprintf(`COUNT(%s%s)`, m.distinct, m.getFieldsAsStr())
} }
// Raw SQL Model. // Raw SQL Model.
if m.rawSql != "" { if m.rawSql != "" {
@ -691,29 +693,50 @@ func (m *Model) getAutoPrefix() string {
return autoPrefix return autoPrefix
} }
func (m *Model) getFieldsAsStr() string {
var (
fieldsStr string
core = m.db.GetCore()
)
for _, v := range m.fields {
field := gconv.String(v)
switch {
case gstr.ContainsAny(field, "()"):
case gstr.ContainsAny(field, ". "):
default:
switch v.(type) {
case Raw, *Raw:
default:
field = core.QuoteString(field)
}
}
if fieldsStr != "" {
fieldsStr += ","
}
fieldsStr += field
}
return fieldsStr
}
// getFieldsFiltered checks the fields and fieldsEx attributes, filters and returns the fields that will // getFieldsFiltered checks the fields and fieldsEx attributes, filters and returns the fields that will
// really be committed to underlying database driver. // really be committed to underlying database driver.
func (m *Model) getFieldsFiltered() string { func (m *Model) getFieldsFiltered() string {
if len(m.fieldsEx) == 0 { if len(m.fieldsEx) == 0 && len(m.fields) == 0 {
// No filtering, containing special chars. return defaultField
if gstr.ContainsAny(m.fields, "()") { }
return m.fields if len(m.fieldsEx) == 0 && len(m.fields) > 0 {
} return m.getFieldsAsStr()
// No filtering.
if !gstr.ContainsAny(m.fields, ". ") {
return m.db.GetCore().QuoteString(m.fields)
}
return m.fields
} }
var ( var (
fieldsArray []string fieldsArray []string
fieldsExSet = gset.NewStrSetFrom(m.fieldsEx) fieldsExSet = gset.NewStrSetFrom(gconv.Strings(m.fieldsEx))
) )
if m.fields != "*" { if len(m.fields) > 0 {
// Filter custom fields with fieldEx. // Filter custom fields with fieldEx.
fieldsArray = make([]string, 0, 8) fieldsArray = make([]string, 0, 8)
for _, v := range gstr.SplitAndTrim(m.fields, ",") { for _, v := range m.fields {
fieldsArray = append(fieldsArray, v[gstr.PosR(v, "-")+1:]) field := gconv.String(v)
fieldsArray = append(fieldsArray, field[gstr.PosR(field, "-")+1:])
} }
} else { } else {
if gstr.Contains(m.tables, " ") { if gstr.Contains(m.tables, " ") {

View File

@ -14,6 +14,7 @@ import (
"github.com/gogf/gf/v2/os/gtime" "github.com/gogf/gf/v2/os/gtime"
"github.com/gogf/gf/v2/text/gregex" "github.com/gogf/gf/v2/text/gregex"
"github.com/gogf/gf/v2/text/gstr" "github.com/gogf/gf/v2/text/gstr"
"github.com/gogf/gf/v2/util/gconv"
"github.com/gogf/gf/v2/util/gutil" "github.com/gogf/gf/v2/util/gutil"
) )
@ -52,7 +53,7 @@ func (m *Model) getModel() *Model {
// Eg: // Eg:
// ID -> id // ID -> id
// NICK_Name -> nickname. // NICK_Name -> nickname.
func (m *Model) mappingAndFilterToTableFields(table string, fields []string, filter bool) []string { func (m *Model) mappingAndFilterToTableFields(table string, fields []any, filter bool) []any {
var fieldsTable = table var fieldsTable = table
if fieldsTable != "" { if fieldsTable != "" {
hasTable, _ := m.db.GetCore().HasTable(fieldsTable) hasTable, _ := m.db.GetCore().HasTable(fieldsTable)
@ -68,18 +69,24 @@ func (m *Model) mappingAndFilterToTableFields(table string, fields []string, fil
if len(fieldsMap) == 0 { if len(fieldsMap) == 0 {
return fields return fields
} }
var outputFieldsArray = make([]string, 0) var outputFieldsArray = make([]any, 0)
fieldsKeyMap := make(map[string]interface{}, len(fieldsMap)) fieldsKeyMap := make(map[string]interface{}, len(fieldsMap))
for k := range fieldsMap { for k := range fieldsMap {
fieldsKeyMap[k] = nil fieldsKeyMap[k] = nil
} }
for _, field := range fields { for _, field := range fields {
var inputFieldsArray []string var (
if gregex.IsMatchString(regularFieldNameWithoutDotRegPattern, field) { fieldStr = gconv.String(field)
inputFieldsArray = append(inputFieldsArray, field) inputFieldsArray []string
} else if gregex.IsMatchString(regularFieldNameWithCommaRegPattern, field) { )
inputFieldsArray = gstr.SplitAndTrim(field, ",") switch {
} else { case gregex.IsMatchString(regularFieldNameWithoutDotRegPattern, fieldStr):
inputFieldsArray = append(inputFieldsArray, fieldStr)
case gregex.IsMatchString(regularFieldNameWithCommaRegPattern, fieldStr):
inputFieldsArray = gstr.SplitAndTrim(fieldStr, ",")
default:
// Example: // Example:
// user.id, user.name // user.id, user.name
// replace(concat_ws(',',lpad(s.id, 6, '0'),s.name),',','') `code` // replace(concat_ws(',',lpad(s.id, 6, '0'),s.name),',','') `code`
@ -186,26 +193,26 @@ func (m *Model) doMappingAndFilterForInsertOrUpdateDataMap(data Map, allowOmitEm
data = tempMap data = tempMap
} }
if len(m.fields) > 0 && m.fields != "*" { if len(m.fields) > 0 {
// Keep specified fields. // Keep specified fields.
var ( var (
set = gset.NewStrSetFrom(gstr.SplitAndTrim(m.fields, ",")) fieldSet = gset.NewStrSetFrom(gconv.Strings(m.fields))
charL, charR = m.db.GetChars() charL, charR = m.db.GetChars()
chars = charL + charR chars = charL + charR
) )
set.Walk(func(item string) string { fieldSet.Walk(func(item string) string {
return gstr.Trim(item, chars) return gstr.Trim(item, chars)
}) })
for k := range data { for k := range data {
k = gstr.Trim(k, chars) k = gstr.Trim(k, chars)
if !set.Contains(k) { if !fieldSet.Contains(k) {
delete(data, k) delete(data, k)
} }
} }
} else if len(m.fieldsEx) > 0 { } else if len(m.fieldsEx) > 0 {
// Filter specified fields. // Filter specified fields.
for _, v := range m.fieldsEx { for _, v := range m.fieldsEx {
delete(data, v) delete(data, gconv.String(v))
} }
} }
return data, nil return data, nil

View File

@ -18,9 +18,9 @@ const (
) )
// Keys retrieves and returns the keys from given map or struct. // Keys retrieves and returns the keys from given map or struct.
func Keys(mapOrStruct interface{}) (keysOrAttrs []string) { func Keys(mapOrStruct any) (keysOrAttrs []string) {
keysOrAttrs = make([]string, 0) keysOrAttrs = make([]string, 0)
if m, ok := mapOrStruct.(map[string]interface{}); ok { if m, ok := mapOrStruct.(map[string]any); ok {
for k := range m { for k := range m {
keysOrAttrs = append(keysOrAttrs, k) keysOrAttrs = append(keysOrAttrs, k)
} }
@ -63,6 +63,7 @@ func Keys(mapOrStruct interface{}) (keysOrAttrs []string) {
keysOrAttrs = append(keysOrAttrs, fieldType.Name) keysOrAttrs = append(keysOrAttrs, fieldType.Name)
} }
} }
default:
} }
return return
} }
@ -108,6 +109,7 @@ func Values(mapOrStruct interface{}) (values []interface{}) {
values = append(values, reflectValue.Field(i).Interface()) values = append(values, reflectValue.Field(i).Interface())
} }
} }
default:
} }
return return
} }