data:image/s3,"s3://crabby-images/02ace/02ace956f9868cf2a1a780bd2c0a517cd3a46077" alt="JAR search and dependency download from the Maven repository"
org.codelibs.elasticsearch.configsync.service.ConfigSyncService Maven / Gradle / Ivy
/*
* Copyright 2012-2022 CodeLibs Project and the Others.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND,
* either express or implied. See the License for the specific language
* governing permissions and limitations under the License.
*/
package org.codelibs.elasticsearch.configsync.service;
import static org.elasticsearch.action.ActionListener.wrap;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStreamReader;
import java.io.Reader;
import java.nio.charset.StandardCharsets;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.security.AccessController;
import java.security.PrivilegedAction;
import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Date;
import java.util.HashMap;
import java.util.Iterator;
import java.util.List;
import java.util.Map;
import java.util.TimeZone;
import java.util.concurrent.atomic.AtomicBoolean;
import java.util.function.Function;
import org.apache.commons.codec.binary.Base64;
import org.apache.commons.codec.binary.Base64OutputStream;
import org.apache.logging.log4j.LogManager;
import org.apache.logging.log4j.Logger;
import org.codelibs.elasticsearch.configsync.action.ConfigFileFlushResponse;
import org.codelibs.elasticsearch.configsync.action.ConfigResetSyncResponse;
import org.codelibs.elasticsearch.configsync.action.TransportFileFlushAction;
import org.codelibs.elasticsearch.configsync.action.TransportResetSyncAction;
import org.elasticsearch.ElasticsearchException;
import org.elasticsearch.ElasticsearchSecurityException;
import org.elasticsearch.action.ActionListener;
import org.elasticsearch.action.ActionResponse;
import org.elasticsearch.action.admin.cluster.health.ClusterHealthResponse;
import org.elasticsearch.action.delete.DeleteResponse;
import org.elasticsearch.action.index.IndexResponse;
import org.elasticsearch.action.search.SearchResponse;
import org.elasticsearch.action.support.WriteRequest.RefreshPolicy;
import org.elasticsearch.client.internal.Client;
import org.elasticsearch.cluster.ClusterState;
import org.elasticsearch.cluster.health.ClusterHealthStatus;
import org.elasticsearch.cluster.node.DiscoveryNode;
import org.elasticsearch.cluster.node.DiscoveryNodes;
import org.elasticsearch.cluster.service.ClusterService;
import org.elasticsearch.common.component.AbstractLifecycleComponent;
import org.elasticsearch.common.component.LifecycleListener;
import org.elasticsearch.common.io.Streams;
import org.elasticsearch.common.settings.SecureSetting;
import org.elasticsearch.common.settings.SecureString;
import org.elasticsearch.common.settings.Setting;
import org.elasticsearch.common.settings.Setting.Property;
import org.elasticsearch.common.settings.Settings;
import org.elasticsearch.core.TimeValue;
import org.elasticsearch.env.Environment;
import org.elasticsearch.index.IndexNotFoundException;
import org.elasticsearch.index.query.QueryBuilder;
import org.elasticsearch.index.query.QueryBuilders;
import org.elasticsearch.search.SearchHit;
import org.elasticsearch.search.SearchHits;
import org.elasticsearch.search.sort.SortOrder;
import org.elasticsearch.threadpool.Scheduler.ScheduledCancellable;
import org.elasticsearch.threadpool.ThreadPool;
import org.elasticsearch.threadpool.ThreadPool.Names;
import org.elasticsearch.xcontent.XContentBuilder;
import org.elasticsearch.xcontent.XContentFactory;
import org.elasticsearch.xcontent.json.JsonXContent;
public class ConfigSyncService extends AbstractLifecycleComponent {
private static final Logger logger = LogManager.getLogger(ConfigSyncService.class);
public static final Setting FILE_UPDATER_ENABLED_SETTING =
Setting.boolSetting("configsync.file_updater.enabled", true, Property.NodeScope);
public static final Setting FLUSH_INTERVAL_SETTING =
Setting.timeSetting("configsync.flush_interval", TimeValue.timeValueMinutes(1), Property.NodeScope, Property.Dynamic);
public static final Setting SCROLL_SIZE_SETTING = Setting.intSetting("configsync.scroll_size", 1, Property.NodeScope);
public static final Setting SCROLL_TIME_SETTING =
Setting.timeSetting("configsync.scroll_time", TimeValue.timeValueMinutes(1), Property.NodeScope);
public static final Setting CONFIG_PATH_SETTING = Setting.simpleString("configsync.config_path", Property.NodeScope);
public static final Setting INDEX_SETTING =
new Setting<>("configsync.index", s -> "configsync", Function.identity(), Property.NodeScope);
public static final Setting XPACK_SECURITY_USER_SETTING =
new Setting<>("configsync.xpack.security.user", s -> "elastic", Function.identity(), Property.NodeScope);
public static final Setting XPACK_SECURITY_PASSWORD_SETTING =
SecureSetting.secureString("configsync.xpack.security.password", null);
private static final String FILE_MAPPING_JSON = "configsync/file_mapping.json";
public static final String TIMESTAMP = "@timestamp";
public static final String CONTENT = "content";
public static final String PATH = "path";
private final Client client;
private final String index;
private String configPath;
private final ThreadPool threadPool;
private final TimeValue scrollForUpdate;
private final int sizeForUpdate;
private Date lastChecked = new Date(0);
private ConfigFileUpdater configFileUpdater;
private final ClusterService clusterService;
private ScheduledCancellable scheduledCancellable;
private final boolean fileUpdaterEnabled;
private final String authorizationToken;
private final TimeValue flushInterval;
private TransportFileFlushAction fileFlushAction;
private TransportResetSyncAction resetSyncAction;
private static String xpackSecurityToken(final String s) {
if (s == null || s.trim().length() == 0) {
return "";
}
final String basicAuth = java.util.Base64.getEncoder().encodeToString(s.getBytes(StandardCharsets.UTF_8));
return "Basic " + basicAuth;
}
public ConfigSyncService(final Client client, final ClusterService clusterService, final Environment environment, final ThreadPool threadPool) {
this.client = client;
this.clusterService = clusterService;
this.threadPool = threadPool;
if (logger.isDebugEnabled()) {
logger.debug("Creating ConfigSyncService");
}
final Settings settings = environment.settings();
index = INDEX_SETTING.get(settings);
configPath = CONFIG_PATH_SETTING.get(settings);
if (configPath.length() == 0) {
configPath = environment.configFile().toFile().getAbsolutePath();
}
scrollForUpdate = SCROLL_TIME_SETTING.get(settings);
sizeForUpdate = SCROLL_SIZE_SETTING.get(settings);
fileUpdaterEnabled = FILE_UPDATER_ENABLED_SETTING.get(settings);
flushInterval = FLUSH_INTERVAL_SETTING.get(settings);
try (final SecureString password = XPACK_SECURITY_PASSWORD_SETTING.get(settings)) {
if (password.length() > 0) {
final String user = XPACK_SECURITY_USER_SETTING.get(settings);
authorizationToken = xpackSecurityToken(user + ":" + password.toString());
logger.info("Created authorization token for {}", user);
} else {
authorizationToken = "";
}
}
}
private Client client() {
if (authorizationToken.length() > 0) {
return client.filterWithHeader(Collections.singletonMap("Authorization", authorizationToken));
}
return this.client;
}
private TimeValue startUpdater() {
configFileUpdater = new ConfigFileUpdater();
if (scheduledCancellable != null) {
scheduledCancellable.cancel();
}
final TimeValue interval =
clusterService.state().getMetadata().settings().getAsTime(FLUSH_INTERVAL_SETTING.getKey(), flushInterval);
if (interval.millis() < 0) {
if (logger.isDebugEnabled()) {
logger.debug("ConfigFileUpdater is not scheduled.");
}
} else {
scheduledCancellable = threadPool.schedule(configFileUpdater, interval, Names.SAME);
if (logger.isDebugEnabled()) {
logger.debug("Scheduled ConfigFileUpdater with {}", interval);
}
}
return interval;
}
@Override
protected void doStart() {
if (logger.isDebugEnabled()) {
logger.debug("Starting ConfigSyncService");
}
clusterService.addLifecycleListener(new LifecycleListener() {
@Override
public void afterStart() {
waitForClusterReady();
}
});
}
private void waitForClusterReady() {
client.admin().cluster().prepareHealth().setWaitForGreenStatus().execute(wrap(res -> {
if (res.isTimedOut()) {
logger.warn("Cluster service was timeouted.");
}
checkIfIndexExists(wrap(response -> {
if (fileUpdaterEnabled) {
final TimeValue time = startUpdater();
if (time.millis() >= 0) {
logger.info("ConfigFileUpdater is started at {} intervals.", time);
}
}
}, e -> {
if (e instanceof ElasticsearchSecurityException) {
if (logger.isDebugEnabled()) {
logger.debug("Could not create configsync. Retrying to start it.", e);
}
} else {
logger.warn("Could not create configsync. Retrying to start it.", e);
}
threadPool.schedule(this::waitForClusterReady, TimeValue.timeValueSeconds(15), Names.GENERIC);
}));
}, e -> {
logger.warn("Could not start ConfigFileUpdater. Retrying to start it.", e);
threadPool.schedule(this::waitForClusterReady, TimeValue.timeValueSeconds(15), Names.GENERIC);
}));
}
private void checkIfIndexExists(final ActionListener listener) {
client().admin().indices().prepareGetIndex().addIndices(index).execute(wrap(response -> {
if (response.indices().length > 0) {
if (logger.isDebugEnabled()) {
logger.debug("{} exists.", index);
}
listener.onResponse(response);
} else {
createIndex(listener);
}
}, e -> {
if (e instanceof IndexNotFoundException) {
createIndex(listener);
} else {
listener.onFailure(e);
}
}));
}
private void createIndex(final ActionListener listener) {
try (final Reader in = new InputStreamReader(ConfigSyncService.class.getClassLoader().getResourceAsStream(FILE_MAPPING_JSON),
StandardCharsets.UTF_8)) {
final String source = Streams.copyToString(in);
final XContentBuilder settingsBuilder = XContentFactory.jsonBuilder()//
.startObject()//
.startObject("index")//
.field("number_of_shards", 1)//
.field("number_of_replicas", 0)//
.field("auto_expand_replicas", "0-all")//
.endObject()//
.endObject();
client().admin().indices().prepareCreate(index).setSettings(settingsBuilder).setMapping(source)
.execute(wrap(response -> waitForIndex(listener), listener::onFailure));
} catch (final IOException e) {
listener.onFailure(e);
}
}
private void waitForIndex(final ActionListener listener) {
client.admin().cluster().prepareHealth(index).setWaitForYellowStatus()
.execute(wrap(response -> listener.onResponse(response), listener::onFailure));
}
@Override
protected void doStop() {
if (configFileUpdater != null) {
configFileUpdater.terminate();
}
}
@Override
protected void doClose() {
}
public void store(final String path, final byte[] contentArray, final ActionListener listener) {
checkIfIndexExists(wrap(response -> {
try {
final String id = getId(path);
final XContentBuilder builder = JsonXContent.contentBuilder();
builder.startObject();
builder.field(PATH, path);
builder.field(CONTENT, contentArray);
builder.field(TIMESTAMP, new Date());
builder.endObject();
client().prepareIndex(index).setId(id).setSource(builder).setRefreshPolicy(RefreshPolicy.IMMEDIATE).execute(listener);
} catch (final IOException e) {
throw new ElasticsearchException("Failed to register " + path, e);
}
}, listener::onFailure));
}
public void getPaths(final int from, final int size, final String[] fields, final String sortField, final String sortOrder,
final ActionListener> listener) {
checkIfIndexExists(wrap(res -> {
final boolean hasFields = ((fields != null) && (fields.length != 0));
client().prepareSearch(index).setSize(size).setFrom(from).setFetchSource(hasFields ? fields : new String[] { PATH }, null)
.addSort(sortField, SortOrder.DESC.toString().equalsIgnoreCase(sortOrder) ? SortOrder.DESC : SortOrder.ASC)
.execute(wrap(response -> {
final List
© 2015 - 2025 Weber Informatics LLC | Privacy Policy