1
0
mirror of https://github.com/MontFerret/ferret.git synced 2024-12-16 11:37:36 +02:00
ferret/pkg/runtime/values/string.go
3timeslazy f91fbf6f8c Feature/#95 deepclone (#101)
* rename method Clone to Copy

* added Cloneable interface

* added Value to Cloneable interface

* implemented Cloneable intefrace by array

* implemented Cloneable interface by Object

* unit tests for Object.Clone

* move core.IsCloneable to value.go

* change Clone function

* move IsClonable to package values
2018-10-12 11:58:08 -04:00

126 lines
2.0 KiB
Go

package values
import (
"encoding/json"
"fmt"
"hash/fnv"
"strings"
"github.com/MontFerret/ferret/pkg/runtime/core"
"github.com/pkg/errors"
)
type String string
var EmptyString = String("")
var SpaceString = String(" ")
func NewString(input string) String {
if input == "" {
return EmptyString
}
return String(input)
}
func NewStringFromRunes(input []rune) String {
if len(input) == 0 {
return EmptyString
}
return String(input)
}
func ParseString(input interface{}) (String, error) {
if core.IsNil(input) {
return EmptyString, nil
}
str, ok := input.(string)
if ok {
if str != "" {
return String(str), nil
}
return EmptyString, nil
}
stringer, ok := input.(fmt.Stringer)
if ok {
return String(stringer.String()), nil
}
return EmptyString, errors.Wrap(core.ErrInvalidType, "expected 'string'")
}
func ParseStringP(input interface{}) String {
res, err := ParseString(input)
if err != nil {
panic(err)
}
return res
}
func (t String) MarshalJSON() ([]byte, error) {
return json.Marshal(string(t))
}
func (t String) Type() core.Type {
return core.StringType
}
func (t String) String() string {
return string(t)
}
func (t String) Compare(other core.Value) int {
switch other.Type() {
case core.StringType:
return strings.Compare(string(t), other.Unwrap().(string))
default:
if other.Type() > core.DateTimeType {
return -1
}
return 1
}
}
func (t String) Unwrap() interface{} {
return string(t)
}
func (t String) Hash() uint64 {
h := fnv.New64a()
h.Write([]byte(t.Type().String()))
h.Write([]byte(":"))
h.Write([]byte(t))
return h.Sum64()
}
func (t String) Copy() core.Value {
return t
}
func (t String) Length() Int {
return Int(len(t))
}
func (t String) Contains(other String) Boolean {
return t.IndexOf(other) > -1
}
func (t String) IndexOf(other String) Int {
return Int(strings.Index(string(t), string(other)))
}
func (t String) Concat(other core.Value) String {
return String(string(t) + other.String())
}