ollama/llm/llm.go

75 lines
1.7 KiB
Go
Raw Normal View History

2023-07-21 20:33:56 +00:00
package llm
import (
"fmt"
"log"
2023-07-21 20:33:56 +00:00
"os"
"github.com/pbnjay/memory"
2023-07-21 20:33:56 +00:00
"github.com/jmorganca/ollama/api"
)
type LLM interface {
Predict([]int, string, func(api.GenerateResponse)) error
Embedding(string) ([]float64, error)
Encode(string) []int
Decode(...int) string
SetOptions(api.Options)
Close()
}
func New(model string, adapters []string, opts api.Options) (LLM, error) {
2023-07-21 20:33:56 +00:00
if _, err := os.Stat(model); err != nil {
return nil, err
}
f, err := os.Open(model)
if err != nil {
return nil, err
}
2023-08-14 23:08:02 +00:00
defer f.Close()
2023-07-21 20:33:56 +00:00
ggml, err := DecodeGGML(f, ModelFamilyLlama)
if err != nil {
return nil, err
}
2023-08-17 18:37:27 +00:00
switch ggml.FileType().String() {
case "F32", "F16", "Q5_0", "Q5_1", "Q8_0":
if opts.NumGPU != 0 {
2023-08-17 18:37:27 +00:00
// F32, F16, Q5_0, Q5_1, and Q8_0 do not support Metal API and will
// cause the runner to segmentation fault so disable GPU
log.Printf("WARNING: GPU disabled for F32, F16, Q5_0, Q5_1, and Q8_0")
opts.NumGPU = 0
}
}
totalResidentMemory := memory.TotalMemory()
2023-08-17 18:37:27 +00:00
switch ggml.ModelType() {
case ModelType3B, ModelType7B:
if totalResidentMemory < 8*1024*1024 {
return nil, fmt.Errorf("model requires at least 8GB of memory")
}
case ModelType13B:
if totalResidentMemory < 16*1024*1024 {
return nil, fmt.Errorf("model requires at least 16GB of memory")
}
case ModelType30B:
if totalResidentMemory < 32*1024*1024 {
return nil, fmt.Errorf("model requires at least 32GB of memory")
}
case ModelType65B:
if totalResidentMemory < 64*1024*1024 {
return nil, fmt.Errorf("model requires at least 64GB of memory")
}
}
2023-08-17 18:37:27 +00:00
switch ggml.ModelFamily() {
2023-07-21 20:33:56 +00:00
case ModelFamilyLlama:
return newLlama(model, adapters, opts)
2023-07-21 20:33:56 +00:00
default:
2023-08-17 18:37:27 +00:00
return nil, fmt.Errorf("unknown ggml type: %s", ggml.ModelFamily())
2023-07-21 20:33:56 +00:00
}
}