1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177
|
package main
import (
"context"
"fmt"
"log"
"os"
"time"
"github.com/meilisearch/meilisearch-go"
)
// Product represents a product document
type Product struct {
ID int `json:"id"`
Name string `json:"name"`
Description string `json:"description"`
Category string `json:"category"`
Price float64 `json:"price"`
Brand string `json:"brand"`
Tags []string `json:"tags"`
InStock bool `json:"in_stock"`
}
func main() {
// Initialize the Meilisearch client
host := getenv("MEILI_HOST", "http://localhost:7700")
apiKey := os.Getenv("MEILI_API_KEY")
client := meilisearch.New(host, meilisearch.WithAPIKey(apiKey))
defer client.Close()
// Test connection
fmt.Println("Testing connection to Meilisearch...")
if !client.IsHealthy() {
log.Fatal("Meilisearch is not available")
}
fmt.Println("ā
Connected to Meilisearch")
// Setup the products index
if err := setupProductsIndex(client); err != nil {
log.Fatalf("Failed to setup products index: %v", err)
}
// Demonstrate multi-search capabilities
fmt.Println("\nš Multi-Search Examples")
fmt.Println("========================")
// Perform multi-search with different queries
multiSearchRequest := &meilisearch.MultiSearchRequest{
Queries: []*meilisearch.SearchRequest{
{
IndexUID: "products",
Query: "laptop",
Limit: 5,
Filter: []string{`category = "electronics"`},
},
{
IndexUID: "products",
Query: "coffee",
Limit: 3,
Filter: []string{"in_stock = true"},
},
{
IndexUID: "products",
Query: "",
Limit: 10,
Filter: []string{"price < 100"},
Sort: []string{"price:asc"},
},
},
}
// Execute multi-search
results, err := client.MultiSearch(multiSearchRequest)
if err != nil {
log.Fatalf("Multi-search failed: %v", err)
}
// Display results for each query
fmt.Printf("š Executed %d search queries simultaneously:\n\n", len(results.Results))
for i, result := range results.Results {
query := multiSearchRequest.Queries[i]
fmt.Printf("Query %d: '%s' in %s\n", i+1, query.Query, query.IndexUID)
fmt.Printf("Filter: %v\n", query.Filter)
fmt.Printf("Found %d results:\n", result.EstimatedTotalHits)
products := make([]Product, 0)
if err := result.Hits.DecodeInto(&products); err != nil {
log.Printf("Failed to decode results: %v", err)
continue
}
for j, product := range products {
fmt.Printf(" %d. %s (ID: %d) - $%.2f\n", j+1, product.Name, product.ID, product.Price)
}
fmt.Println()
}
fmt.Println("Multi-search example completed successfully! š")
}
func setupProductsIndex(client meilisearch.ServiceManager) error {
fmt.Println("Setting up products index...")
indexUID := "products"
// Create index
task, err := client.CreateIndex(&meilisearch.IndexConfig{
Uid: indexUID,
PrimaryKey: "id",
})
if err != nil {
log.Printf("Index might already exist: %v", err)
} else {
ctx, cancel := context.WithTimeout(context.Background(), 5*time.Second)
defer cancel()
_, err = client.WaitForTaskWithContext(ctx, task.TaskUID, 100*time.Millisecond)
if err != nil {
return fmt.Errorf("index creation failed: %w", err)
}
}
// Configure filterable/sortable attributes required by the queries below
index := client.Index(indexUID)
settingsTask, err := index.UpdateSettings(&meilisearch.Settings{
FilterableAttributes: []string{"category", "in_stock", "price", "brand"},
SortableAttributes: []string{"price"},
})
if err != nil {
return fmt.Errorf("failed to update settings: %w", err)
}
{
ctx, cancel := context.WithTimeout(context.Background(), 5*time.Second)
defer cancel()
if _, err := client.WaitForTaskWithContext(ctx, settingsTask.TaskUID, 100*time.Millisecond); err != nil {
return fmt.Errorf("settings update failed: %w", err)
}
}
// Reuse index handle
// Add sample products
products := []Product{
{ID: 1, Name: "Gaming Laptop", Description: "High-performance laptop for gaming", Category: "electronics", Price: 1299.99, Brand: "TechBrand", Tags: []string{"gaming", "laptop", "computer"}, InStock: true},
{ID: 2, Name: "Coffee Maker", Description: "Automatic drip coffee maker", Category: "appliances", Price: 89.99, Brand: "BrewMaster", Tags: []string{"coffee", "kitchen", "appliance"}, InStock: true},
{ID: 3, Name: "Wireless Mouse", Description: "Ergonomic wireless mouse", Category: "electronics", Price: 29.99, Brand: "TechBrand", Tags: []string{"mouse", "wireless", "computer"}, InStock: true},
{ID: 4, Name: "Coffee Beans", Description: "Premium arabica coffee beans", Category: "food", Price: 24.99, Brand: "CoffeeCorp", Tags: []string{"coffee", "beans", "premium"}, InStock: false},
{ID: 5, Name: "Bluetooth Headphones", Description: "Noise-canceling headphones", Category: "electronics", Price: 199.99, Brand: "AudioTech", Tags: []string{"headphones", "bluetooth", "audio"}, InStock: true},
}
addTask, err := index.AddDocuments(products, nil)
if err != nil {
return fmt.Errorf("failed to add documents: %w", err)
}
ctx, cancel := context.WithTimeout(context.Background(), 10*time.Second)
defer cancel()
_, err = client.WaitForTaskWithContext(ctx, addTask.TaskUID, 100*time.Millisecond)
if err != nil {
return fmt.Errorf("failed to wait for document addition: %w", err)
}
fmt.Println("ā
Products index setup completed!")
return nil
}
// getenv returns the value of the environment variable named by the key,
// or def if the variable is not present or empty.
func getenv(key, def string) string {
if v := os.Getenv(key); v != "" {
return v
}
return def
}
|