Spaces:
Build error
Build error
File size: 14,537 Bytes
d8435ba |
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 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 |
mod api;
mod auth;
mod logging;
mod tonic_telemetry;
pub(super) mod verification;
use std::io;
use std::net::{IpAddr, SocketAddr};
use std::sync::Arc;
use std::time::Duration;
use ::api::grpc::grpc_health_v1::health_check_response::ServingStatus;
use ::api::grpc::grpc_health_v1::health_server::{Health, HealthServer};
use ::api::grpc::grpc_health_v1::{
HealthCheckRequest as ProtocolHealthCheckRequest,
HealthCheckResponse as ProtocolHealthCheckResponse,
};
use ::api::grpc::qdrant::collections_internal_server::CollectionsInternalServer;
use ::api::grpc::qdrant::collections_server::CollectionsServer;
use ::api::grpc::qdrant::points_internal_server::PointsInternalServer;
use ::api::grpc::qdrant::points_server::PointsServer;
use ::api::grpc::qdrant::qdrant_internal_server::{QdrantInternal, QdrantInternalServer};
use ::api::grpc::qdrant::qdrant_server::{Qdrant, QdrantServer};
use ::api::grpc::qdrant::shard_snapshots_server::ShardSnapshotsServer;
use ::api::grpc::qdrant::snapshots_server::SnapshotsServer;
use ::api::grpc::qdrant::{
GetConsensusCommitRequest, GetConsensusCommitResponse, HealthCheckReply, HealthCheckRequest,
WaitOnConsensusCommitRequest, WaitOnConsensusCommitResponse,
};
use ::api::grpc::QDRANT_DESCRIPTOR_SET;
use ::api::rest::models::VersionInfo;
use collection::operations::verification::new_unchecked_verification_pass;
use storage::content_manager::consensus_manager::ConsensusStateRef;
use storage::content_manager::toc::TableOfContent;
use storage::dispatcher::Dispatcher;
use storage::rbac::Access;
use tokio::runtime::Handle;
use tokio::signal;
use tonic::codec::CompressionEncoding;
use tonic::transport::{Server, ServerTlsConfig};
use tonic::{Request, Response, Status};
use crate::common::auth::AuthKeys;
use crate::common::helpers;
use crate::common::http_client::HttpClient;
use crate::common::telemetry_ops::requests_telemetry::TonicTelemetryCollector;
use crate::settings::Settings;
use crate::tonic::api::collections_api::CollectionsService;
use crate::tonic::api::collections_internal_api::CollectionsInternalService;
use crate::tonic::api::points_api::PointsService;
use crate::tonic::api::points_internal_api::PointsInternalService;
use crate::tonic::api::snapshots_api::{ShardSnapshotsService, SnapshotsService};
#[derive(Default)]
pub struct QdrantService {}
#[tonic::async_trait]
impl Qdrant for QdrantService {
async fn health_check(
&self,
_request: Request<HealthCheckRequest>,
) -> Result<Response<HealthCheckReply>, Status> {
Ok(Response::new(VersionInfo::default().into()))
}
}
// Additional health check service that follows gRPC health check protocol as described in #2614
#[derive(Default)]
pub struct HealthService {}
#[tonic::async_trait]
impl Health for HealthService {
async fn check(
&self,
_request: Request<ProtocolHealthCheckRequest>,
) -> Result<Response<ProtocolHealthCheckResponse>, Status> {
let response = ProtocolHealthCheckResponse {
status: ServingStatus::Serving as i32,
};
Ok(Response::new(response))
}
}
pub struct QdrantInternalService {
/// Qdrant settings
settings: Settings,
/// Consensus state
consensus_state: ConsensusStateRef,
}
impl QdrantInternalService {
fn new(settings: Settings, consensus_state: ConsensusStateRef) -> Self {
Self {
settings,
consensus_state,
}
}
}
#[tonic::async_trait]
impl QdrantInternal for QdrantInternalService {
async fn get_consensus_commit(
&self,
_: tonic::Request<GetConsensusCommitRequest>,
) -> Result<Response<GetConsensusCommitResponse>, Status> {
let persistent = self.consensus_state.persistent.read();
let commit = persistent.state.hard_state.commit as _;
let term = persistent.state.hard_state.term as _;
Ok(Response::new(GetConsensusCommitResponse { commit, term }))
}
async fn wait_on_consensus_commit(
&self,
request: Request<WaitOnConsensusCommitRequest>,
) -> Result<Response<WaitOnConsensusCommitResponse>, Status> {
let request = request.into_inner();
let commit = request.commit as u64;
let term = request.term as u64;
let timeout = Duration::from_secs(request.timeout as u64);
let consensus_tick = Duration::from_millis(self.settings.cluster.consensus.tick_period_ms);
let ok = self
.consensus_state
.wait_for_consensus_commit(commit, term, consensus_tick, timeout)
.await
.is_ok();
Ok(Response::new(WaitOnConsensusCommitResponse { ok }))
}
}
#[cfg(not(unix))]
async fn wait_stop_signal(for_what: &str) {
signal::ctrl_c().await.unwrap();
log::debug!("Stopping {for_what} on SIGINT");
}
#[cfg(unix)]
async fn wait_stop_signal(for_what: &str) {
let mut term = signal::unix::signal(signal::unix::SignalKind::terminate()).unwrap();
let mut inrt = signal::unix::signal(signal::unix::SignalKind::interrupt()).unwrap();
tokio::select! {
_ = term.recv() => log::debug!("Stopping {for_what} on SIGTERM"),
_ = inrt.recv() => log::debug!("Stopping {for_what} on SIGINT"),
}
}
pub fn init(
dispatcher: Arc<Dispatcher>,
telemetry_collector: Arc<parking_lot::Mutex<TonicTelemetryCollector>>,
settings: Settings,
grpc_port: u16,
runtime: Handle,
) -> io::Result<()> {
runtime.block_on(async {
let socket =
SocketAddr::from((settings.service.host.parse::<IpAddr>().unwrap(), grpc_port));
let qdrant_service = QdrantService::default();
let health_service = HealthService::default();
let collections_service = CollectionsService::new(dispatcher.clone());
let points_service = PointsService::new(dispatcher.clone(), settings.service.clone());
let snapshot_service = SnapshotsService::new(dispatcher.clone());
// Only advertise the public services. By default, all services in QDRANT_DESCRIPTOR_SET
// will be advertised, so explicitly list the services to be included.
let reflection_service = tonic_reflection::server::Builder::configure()
.register_encoded_file_descriptor_set(QDRANT_DESCRIPTOR_SET)
.with_service_name("qdrant.Collections")
.with_service_name("qdrant.Points")
.with_service_name("qdrant.Snapshots")
.with_service_name("qdrant.Qdrant")
.with_service_name("grpc.health.v1.Health")
.build()
.unwrap();
log::info!("Qdrant gRPC listening on {}", grpc_port);
let mut server = Server::builder();
if settings.service.enable_tls {
log::info!("TLS enabled for gRPC API (TTL not supported)");
let tls_server_config = helpers::load_tls_external_server_config(settings.tls()?)?;
server = server
.tls_config(tls_server_config)
.map_err(helpers::tonic_error_to_io_error)?;
} else {
log::info!("TLS disabled for gRPC API");
}
// The stack of middleware that our service will be wrapped in
let middleware_layer = tower::ServiceBuilder::new()
.layer(logging::LoggingMiddlewareLayer::new())
.layer(tonic_telemetry::TonicTelemetryLayer::new(
telemetry_collector,
))
.option_layer({
AuthKeys::try_create(
&settings.service,
dispatcher
.toc(
&Access::full("For tonic auth middleware"),
&new_unchecked_verification_pass(),
)
.clone(),
)
.map(auth::AuthLayer::new)
})
.into_inner();
server
.layer(middleware_layer)
.add_service(reflection_service)
.add_service(
QdrantServer::new(qdrant_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.add_service(
CollectionsServer::new(collections_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.add_service(
PointsServer::new(points_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.add_service(
SnapshotsServer::new(snapshot_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.add_service(
HealthServer::new(health_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.serve_with_shutdown(socket, async {
wait_stop_signal("gRPC service").await;
})
.await
.map_err(helpers::tonic_error_to_io_error)
})?;
Ok(())
}
#[allow(clippy::too_many_arguments)]
pub fn init_internal(
toc: Arc<TableOfContent>,
consensus_state: ConsensusStateRef,
telemetry_collector: Arc<parking_lot::Mutex<TonicTelemetryCollector>>,
settings: Settings,
host: String,
internal_grpc_port: u16,
tls_config: Option<ServerTlsConfig>,
to_consensus: tokio::sync::mpsc::Sender<crate::consensus::Message>,
runtime: Handle,
) -> std::io::Result<()> {
use ::api::grpc::qdrant::raft_server::RaftServer;
use crate::tonic::api::raft_api::RaftService;
let http_client = HttpClient::from_settings(&settings)?;
runtime
.block_on(async {
let socket = SocketAddr::from((host.parse::<IpAddr>().unwrap(), internal_grpc_port));
let qdrant_service = QdrantService::default();
let points_internal_service =
PointsInternalService::new(toc.clone(), settings.service.clone());
let qdrant_internal_service =
QdrantInternalService::new(settings, consensus_state.clone());
let collections_internal_service = CollectionsInternalService::new(toc.clone());
let shard_snapshots_service = ShardSnapshotsService::new(toc.clone(), http_client);
let raft_service = RaftService::new(to_consensus, consensus_state);
log::debug!("Qdrant internal gRPC listening on {}", internal_grpc_port);
let mut server = Server::builder()
// Internally use a high limit for pending accept streams.
// We can have a huge number of reset/dropped HTTP2 streams in our internal
// communication when there are a lot of clients dropping connections. This
// internally causes an GOAWAY/ENHANCE_YOUR_CALM error breaking cluster consensus.
// We prefer to keep more pending reset streams even though this may be expensive,
// versus an internal error that is very hard to handle.
// More info: <https://github.com/qdrant/qdrant/issues/1907>
.http2_max_pending_accept_reset_streams(Some(1024));
if let Some(config) = tls_config {
log::info!("TLS enabled for internal gRPC API (TTL not supported)");
server = server.tls_config(config)?;
} else {
log::info!("TLS disabled for internal gRPC API");
};
// The stack of middleware that our service will be wrapped in
let middleware_layer = tower::ServiceBuilder::new()
.layer(logging::LoggingMiddlewareLayer::new())
.layer(tonic_telemetry::TonicTelemetryLayer::new(
telemetry_collector,
))
.into_inner();
server
.layer(middleware_layer)
.add_service(
QdrantServer::new(qdrant_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.add_service(
QdrantInternalServer::new(qdrant_internal_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.add_service(
CollectionsInternalServer::new(collections_internal_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.add_service(
PointsInternalServer::new(points_internal_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.add_service(
ShardSnapshotsServer::new(shard_snapshots_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.add_service(
RaftServer::new(raft_service)
.send_compressed(CompressionEncoding::Gzip)
.accept_compressed(CompressionEncoding::Gzip)
.max_decoding_message_size(usize::MAX),
)
.serve_with_shutdown(socket, async {
wait_stop_signal("internal gRPC").await;
})
.await
})
.unwrap();
Ok(())
}
|