ES是一个基于RESTful web接口并且构建在Apache Lucene之上的开源分布式搜索引擎。
es 全文检索所用 服务 端口号 9200
索引 类似于数据库
类型 标识 _doc
文档 行数据 数据所在的地方
分区 默认分区5个,后不能修改
副本 默认1个 日后可以修改
**注:** 6.0之后,创建索引是一个要指定,否则报警告
字段映射
keyword 相当于 =
text 相当于 like
中文分词,前提一定要在es中安装了中文分词插件才可以用
analyzer = ik_max_word
search_analyzer = ik_max_word
总结:
1、elasticsearch是一个基于Lucene的高扩展的分布式搜索服务器,支持开箱即用。
2、elasticsearch隐藏了Lucene的复杂性,对外提供Restful 接口来操作索引、搜索。
突出优点:
1、扩展性好,可部署上百台服务器集群,处理PB级数据。
2、近实时的去索引数据、搜索数据。
es和solr选择哪个?
1、如果你公司现在用的solr可以满足需求就不要换了。
2、如果你公司准备进行全文检索项目的开发,建议优先考虑elasticsearch,因为像Github这样大规模的搜索都在用它。
列出所有索引
列出所有索引(列出所有的数据库)
GET /_cat/indices?v
添加索引
PUT /goods
{
"settings": {
// 副本数
"number_of_replicas": 1,
// 分片数
"number_of_shards": 5
}
}
删除索引
DELETE /goods
修改文档
POST /goods/_doc/1/_update
{
"doc": {"price":100 }
}
查询(搜索)
GET /goods/_search
// 查询是xiaomi9的
GET /goods/_search
{
"query": {
"match": {
"title": "xiaomi9"
}
}
}
// 排序
GET /goods/_search
{
"query": {
"match_all": {}
},
"sort": [
{
"_id": {
"order": "desc"
}
}
]
}
## 进行中文分词搜索
PUT /goods
{
"mappings": {
"_doc":{
"properties":{
"name":{
"type":"text",
"analyzer":"ik_max_word",
"search_analyzer":"ik_max_word"
},
"desn":{
"type":"text",
"analyzer":"ik_max_word",
"search_analyzer":"ik_max_word"
}
}
}
}
}
PHP操作ES
官网:https://www.elastic.co/guide/en/elasticsearch/client/php-api/current/index.html
创建索引
$hosts = [
'127.0.0.1:9200'
];
$client = \Elasticsearch\ClientBuilder::create()->setHosts($hosts)->build();
// 创建索引
$params = [
'index' => 'goods',
'body' => [
'settings' => [
'number_of_shards' => 5,
'number_of_replicas' => 1
],
'mappings' => [
'_doc' => [
'_source' => [
'enabled' => true
],
'properties' => [
'title' => [
'type' => 'keyword'
],
'desn' => [
'type' => 'text',
'analyzer' => 'ik_max_word',
'search_analyzer' => 'ik_max_word'
]
]
]
]
]
];
$response = $client->indices()->create($params);
更新文档
$hosts = [
'127.0.0.1:9200',
];
$client = \Elasticsearch\ClientBuilder::create()->setHosts($hosts)->build();
// 写文档
$params = [
'index' => 'goods',
'type' => '_doc',
'id' => $model->id,
'body' => [
'title' => $model->title,
'desn' => $model->desn,
],
];
$response = $client->index($params);
搜索
$hosts = [
'127.0.0.1:9200',
];
$client = \Elasticsearch\ClientBuilder::create()->setHosts($hosts)->build();
$params = [
'index' => 'goods',
'type' => '_doc',
'body' => [
'query' => [
'match' => [
'title'=>[
'query' => '手机'
]
]
]
]
];
$results = $client->search($params);
dump($results);