123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116 |
- package eliza
- import (
- "fmt"
- "math/rand"
- "regexp"
- "strings"
- "time"
- )
- type InteractiveBot interface {
- ReplyTo(statement string) string
- }
- type BotPersonality struct {
- Personality *Personality
- }
- func NewBotPersonality(personality *Personality) *BotPersonality {
- return &BotPersonality{personality}
- }
- func (p *BotPersonality) Greetings() string {
- return p.randChoice(p.Personality.Introductions)
- }
- func (p *BotPersonality) GoodbyeResponse() string {
- return p.randChoice(p.Personality.Goodbyes)
- }
- func (p *BotPersonality) ReplyTo(statement string) string {
-
- statement = p.preprocess(statement)
-
- if p.IsQuitStatement(statement) {
- return p.GoodbyeResponse()
- }
-
-
- for pattern, responses := range p.Personality.Psychobabble {
- re := regexp.MustCompile(pattern)
- matches := re.FindStringSubmatch(statement)
-
- if len(matches) > 0 {
-
-
-
- var fragment string
- if len(matches) > 1 {
- fragment = p.reflect(matches[1])
- }
-
-
- response := p.randChoice(responses)
- if strings.Contains(response, "%s") {
- response = fmt.Sprintf(response, fragment)
- }
- fmt.Printf("For Statement \"%s\" got a hit with pattern \"%s\" Responded With \"%s\"\n", statement, pattern, response)
- return response
- }
- }
-
- return p.randChoice(p.Personality.DefaultResponses)
- }
- func (p *BotPersonality) IsQuitStatement(statement string) bool {
- statement = p.preprocess(statement)
- for _, quitResponse := range p.Personality.QuitResponses {
- if statement == quitResponse {
- return true
- }
- }
- return false
- }
- func (p *BotPersonality) preprocess(statement string) string {
- statement = strings.TrimRight(statement, "\n.!")
- statement = strings.ToLower(statement)
- return statement
- }
- func (p *BotPersonality) reflect(fragment string) string {
- words := strings.Split(fragment, " ")
- for i, word := range words {
- if reflectedWord, ok := p.Personality.ReflectedWords[word]; ok {
- words[i] = reflectedWord
- }
- }
- return strings.Join(words, " ")
- }
- func (p *BotPersonality) randChoice(list []string) string {
-
- if len(list) == 0 {
- return ""
- }
- rand.Seed(time.Now().UnixNano())
- randIndex := rand.Intn(len(list))
- return list[randIndex]
- }
|