cmd/datanode/
builder.rs

1// Copyright 2023 Greptime Team
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7//     http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15use std::sync::Arc;
16
17use cache::build_datanode_cache_registry;
18use catalog::kvbackend::MetaKvBackend;
19use common_base::Plugins;
20use common_meta::cache::LayeredCacheRegistryBuilder;
21use common_telemetry::info;
22use common_version::{short_version, version};
23use datanode::datanode::DatanodeBuilder;
24use datanode::service::DatanodeServiceBuilder;
25use meta_client::MetaClientType;
26use snafu::{OptionExt, ResultExt};
27use tracing_appender::non_blocking::WorkerGuard;
28
29use crate::datanode::{DatanodeOptions, Instance, APP_NAME};
30use crate::error::{MetaClientInitSnafu, MissingConfigSnafu, Result, StartDatanodeSnafu};
31use crate::log_versions;
32
33/// Builder for Datanode instance.
34pub struct InstanceBuilder {
35    guard: Vec<WorkerGuard>,
36    opts: DatanodeOptions,
37    datanode_builder: DatanodeBuilder,
38}
39
40impl InstanceBuilder {
41    /// Try to create a new [InstanceBuilder], and do some initialization work like allocating
42    /// runtime resources, setting up global logging and plugins, etc.
43    pub async fn try_new_with_init(
44        mut opts: DatanodeOptions,
45        mut plugins: Plugins,
46    ) -> Result<Self> {
47        let guard = Self::init(&mut opts, &mut plugins).await?;
48
49        let datanode_builder = Self::datanode_builder(&opts, plugins).await?;
50
51        Ok(Self {
52            guard,
53            opts,
54            datanode_builder,
55        })
56    }
57
58    async fn init(opts: &mut DatanodeOptions, plugins: &mut Plugins) -> Result<Vec<WorkerGuard>> {
59        common_runtime::init_global_runtimes(&opts.runtime);
60
61        let dn_opts = &mut opts.component;
62        let guard = common_telemetry::init_global_logging(
63            APP_NAME,
64            &dn_opts.logging,
65            &dn_opts.tracing,
66            dn_opts.node_id.map(|x| x.to_string()),
67            None,
68        );
69
70        log_versions(version(), short_version(), APP_NAME);
71
72        plugins::setup_datanode_plugins(plugins, &opts.plugins, dn_opts)
73            .await
74            .context(StartDatanodeSnafu)?;
75
76        dn_opts.grpc.detect_server_addr();
77
78        info!("Initialized Datanode instance with {:#?}", opts);
79        Ok(guard)
80    }
81
82    async fn datanode_builder(opts: &DatanodeOptions, plugins: Plugins) -> Result<DatanodeBuilder> {
83        let dn_opts = &opts.component;
84
85        let member_id = dn_opts
86            .node_id
87            .context(MissingConfigSnafu { msg: "'node_id'" })?;
88        let meta_client_options = dn_opts.meta_client.as_ref().context(MissingConfigSnafu {
89            msg: "meta client options",
90        })?;
91        let client = meta_client::create_meta_client(
92            MetaClientType::Datanode { member_id },
93            meta_client_options,
94            Some(&plugins),
95        )
96        .await
97        .context(MetaClientInitSnafu)?;
98
99        let backend = Arc::new(MetaKvBackend {
100            client: client.clone(),
101        });
102        let mut builder = DatanodeBuilder::new(dn_opts.clone(), plugins.clone(), backend.clone());
103
104        let registry = Arc::new(
105            LayeredCacheRegistryBuilder::default()
106                .add_cache_registry(build_datanode_cache_registry(backend))
107                .build(),
108        );
109        builder
110            .with_cache_registry(registry)
111            .with_meta_client(client.clone());
112        Ok(builder)
113    }
114
115    /// Get the mutable builder for Datanode, in case you want to change some fields before the
116    /// final construction.
117    pub fn mut_datanode_builder(&mut self) -> &mut DatanodeBuilder {
118        &mut self.datanode_builder
119    }
120
121    /// Try to build the Datanode instance.
122    pub async fn build(self) -> Result<Instance> {
123        let mut datanode = self
124            .datanode_builder
125            .build()
126            .await
127            .context(StartDatanodeSnafu)?;
128
129        let services = DatanodeServiceBuilder::new(&self.opts.component)
130            .with_default_grpc_server(&datanode.region_server())
131            .enable_http_service()
132            .build()
133            .context(StartDatanodeSnafu)?;
134        datanode.setup_services(services);
135
136        Ok(Instance::new(datanode, self.guard))
137    }
138}