Commit 25e92101 authored by SugrP's avatar SugrP

PA4 final submission

parent ec918415
# Copyright 2020 the gRPC authors.
#
# 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.
licenses(["notice"]) # 3-clause BSD
cc_binary(
name = "keyvaluestore_client",
srcs = [
"caching_interceptor.h",
"client.cc",
],
defines = ["BAZEL_BUILD"],
deps = [
"//:grpc++",
"//examples/protos:keyvaluestore",
],
)
cc_binary(
name = "keyvaluestore_server",
srcs = ["server.cc"],
defines = ["BAZEL_BUILD"],
deps = [
"//:grpc++",
"//examples/protos:keyvaluestore",
],
)
# Copyright 2021 the gRPC authors.
#
# 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.
#
# cmake build file for C++ keyvaluestore example.
# Assumes protobuf and gRPC have been installed using cmake.
# See cmake_externalproject/CMakeLists.txt for all-in-one cmake build
# that automatically builds all the dependencies before building keyvaluestore.
cmake_minimum_required(VERSION 3.5.1)
project(KeyValueStore C CXX)
include(../cmake/common.cmake)
# Proto file
get_filename_component(kvs_proto "proto/keyvalue.proto" ABSOLUTE)
get_filename_component(kvs_proto_path "${kvs_proto}" PATH)
# Generated sources
set(kvs_proto_srcs "${CMAKE_CURRENT_BINARY_DIR}/keyvalue.pb.cc")
set(kvs_proto_hdrs "${CMAKE_CURRENT_BINARY_DIR}/keyvalue.pb.h")
set(kvs_grpc_srcs "${CMAKE_CURRENT_BINARY_DIR}/keyvalue.grpc.pb.cc")
set(kvs_grpc_hdrs "${CMAKE_CURRENT_BINARY_DIR}/keyvalue.grpc.pb.h")
add_custom_command(
OUTPUT "${kvs_proto_srcs}" "${kvs_proto_hdrs}" "${kvs_grpc_srcs}" "${kvs_grpc_hdrs}"
COMMAND ${_PROTOBUF_PROTOC}
ARGS --grpc_out "${CMAKE_CURRENT_BINARY_DIR}"
--cpp_out "${CMAKE_CURRENT_BINARY_DIR}"
-I "${kvs_proto_path}"
--plugin=protoc-gen-grpc="${_GRPC_CPP_PLUGIN_EXECUTABLE}"
"${kvs_proto}"
DEPENDS "${kvs_proto}")
# Include generated *.pb.h files
include_directories("${CMAKE_CURRENT_BINARY_DIR}")
# kvs_grpc_proto
add_library(kvs_grpc_proto
${kvs_grpc_srcs}
${kvs_grpc_hdrs}
${kvs_proto_srcs}
${kvs_proto_hdrs})
target_link_libraries(kvs_grpc_proto
${_REFLECTION}
${_GRPC_GRPCPP}
${_PROTOBUF_LIBPROTOBUF})
# client
add_executable(client "KVClient.cc")
target_link_libraries(client
kvs_grpc_proto
${_REFLECTION}
${_GRPC_GRPCPP}
${_PROTOBUF_LIBPROTOBUF})
# server
add_executable(server "KVServer.cc")
target_link_libraries(server
kvs_grpc_proto
${_REFLECTION}
${_GRPC_GRPCPP}
${_PROTOBUF_LIBPROTOBUF})
include_directories("storage")
#include <iostream>
#include <memory>
#include <string>
#include <grpc/support/log.h>
#include <grpcpp/grpcpp.h>
#include "proto/keyvalue.grpc.pb.h"
#include "KVStorage.hpp"
#include <chrono>
using namespace std::chrono;
using grpc::Channel;
using grpc::ClientAsyncResponseReader;
using grpc::ClientContext;
using grpc::CompletionQueue;
using grpc::Status;
using keyvaluestore::KeyValueStore;
using keyvaluestore::Response;
using keyvaluestore::Request;
class KeyValueClient {
public:
explicit KeyValueClient(std::shared_ptr<Channel> channel)
: stub_(KeyValueStore::NewStub(channel)) {}
// Assembles the client's payload, sends it and presents the response back
// from the server.
std::string GetValue(const std::string &user) {
// Data we are sending to the server.
Request request;
request.set_key(user);
request.set_type(1);
// Container for the data we expect from the server.
Response reply;
// Context for the client. It could be used to convey extra information to
// the server and/or tweak certain RPC behaviors.
ClientContext context;
// The producer-consumer queue we use to communicate asynchronously with the
// gRPC runtime.
CompletionQueue cq;
// Storage for the status of the RPC upon completion.
Status status;
// stub_->PrepareAsyncSayHello() creates an RPC object, returning
// an instance to store in "call" but does not actually start the RPC
// Because we are using the asynchronous API, we need to hold on to
// the "call" instance in order to get updates on the ongoing RPC.
std::unique_ptr<ClientAsyncResponseReader<Response> > rpc(
stub_->PrepareAsyncGetValues(&context, request, &cq));
// StartCall initiates the RPC call
rpc->StartCall();
// Request that, upon completion of the RPC, "reply" be updated with the
// server's response; "status" with the indication of whether the operation
// was successful. Tag the request with the integer 1.
rpc->Finish(&reply, &status, (void *) 1);
void *got_tag;
bool ok = false;
// Block until the next result is available in the completion queue "cq".
// The return value of Next should always be checked. This return value
// tells us whether there is any kind of event or the cq_ is shutting down.
GPR_ASSERT(cq.Next(&got_tag, &ok));
// Verify that the result from "cq" corresponds, by its tag, our previous
// request.
GPR_ASSERT(got_tag == (void *) 1);
// ... and that the request was completed successfully. Note that "ok"
// corresponds solely to the request for updates introduced by Finish().
GPR_ASSERT(ok);
// Act upon the status of the actual RPC.
if (status.ok()) {
return reply.value();
} else {
return "RPC failed";
}
}
std::string PutValue(const std::string &key, const std::string &value) {
// Data we are sending to the server.
Request request;
request.set_key(key);
request.set_value(value);
request.set_type(2);
// Container for the data we expect from the server.
Response reply;
// Context for the client. It could be used to convey extra information to
// the server and/or tweak certain RPC behaviors.
ClientContext context;
// The producer-consumer queue we use to communicate asynchronously with the
// gRPC runtime.
CompletionQueue cq;
// Storage for the status of the RPC upon completion.
Status status;
// stub_->PrepareAsyncSayHello() creates an RPC object, returning
// an instance to store in "call" but does not actually start the RPC
// Because we are using the asynchronous API, we need to hold on to
// the "call" instance in order to get updates on the ongoing RPC.
std::unique_ptr<ClientAsyncResponseReader<Response> > rpc(
stub_->PrepareAsyncPutValues(&context, request, &cq));
// StartCall initiates the RPC call
rpc->StartCall();
// Request that, upon completion of the RPC, "reply" be updated with the
// server's response; "status" with the indication of whether the operation
// was successful. Tag the request with the integer 1.
rpc->Finish(&reply, &status, (void *) 1);
void *got_tag;
bool ok = false;
// Block until the next result is available in the completion queue "cq".
// The return value of Next should always be checked. This return value
// tells us whether there is any kind of event or the cq_ is shutting down.
GPR_ASSERT(cq.Next(&got_tag, &ok));
// Verify that the result from "cq" corresponds, by its tag, our previous
// request.
GPR_ASSERT(got_tag == (void *) 1);
// ... and that the request was completed successfully. Note that "ok"
// corresponds solely to the request for updates introduced by Finish().
GPR_ASSERT(ok);
// Act upon the status of the actual RPC.
if (status.ok()) {
return reply.value();
} else {
return "RPC failed";
}
}
std::string DelValue(const std::string &user) {
// Data we are sending to the server.
Request request;
request.set_key(user);
request.set_type(3);
// Container for the data we expect from the server.
Response reply;
// Context for the client. It could be used to convey extra information to
// the server and/or tweak certain RPC behaviors.
ClientContext context;
// The producer-consumer queue we use to communicate asynchronously with the
// gRPC runtime.
CompletionQueue cq;
// Storage for the status of the RPC upon completion.
Status status;
// stub_->PrepareAsyncSayHello() creates an RPC object, returning
// an instance to store in "call" but does not actually start the RPC
// Because we are using the asynchronous API, we need to hold on to
// the "call" instance in order to get updates on the ongoing RPC.
std::unique_ptr<ClientAsyncResponseReader<Response> > rpc(
stub_->PrepareAsyncDelValue(&context, request, &cq));
// StartCall initiates the RPC call
rpc->StartCall();
// Request that, upon completion of the RPC, "reply" be updated with the
// server's response; "status" with the indication of whether the operation
// was successful. Tag the request with the integer 1.
rpc->Finish(&reply, &status, (void *) 1);
void *got_tag;
bool ok = false;
// Block until the next result is available in the completion queue "cq".
// The return value of Next should always be checked. This return value
// tells us whether there is any kind of event or the cq_ is shutting down.
GPR_ASSERT(cq.Next(&got_tag, &ok));
// Verify that the result from "cq" corresponds, by its tag, our previous
// request.
GPR_ASSERT(got_tag == (void *) 1);
// ... and that the request was completed successfully. Note that "ok"
// corresponds solely to the request for updates introduced by Finish().
GPR_ASSERT(ok);
// Act upon the status of the actual RPC.
if (status.ok()) {
return reply.value();
} else {
return "RPC failed";
}
}
private:
// Out of the passed in Channel comes the stub, stored here, our view of the
// server's exposed services.
std::unique_ptr<KeyValueStore::Stub> stub_;
};
int main(int argc, char **argv) {
// Instantiate the client. It requires a channel, out of which the actual RPCs
// are created. This channel models a connection to an endpoint (in this case,
// localhost at port 50051). We indicate that the channel isn't authenticated
// (use of InsecureChannelCredentials()).
int choice;
std::cout << "Choose the mode: 1.Batch mode\t 2. Interactive mode\n";
std::cout << "Enter choice:";
std::cin >> choice;
FileService *fileService = new FileService();
std::map<std::string, int> configMap = fileService->getConfig();
KeyValueClient keyValueClient(grpc::CreateChannel(
"localhost:"+ std::to_string(configMap["LISTENING_PORT"]), grpc::InsecureChannelCredentials()));
// switch(choice){
// case 1: //batch mode
if ( choice == 1){
int t=0;
int min=INT_MAX;
int max=0;
int num_of_req=0;
std::vector<std::vector<std::string>> vector = fileService->getClientConfig();
for(const auto v : vector){
num_of_req++;
std::string arg = v.at(0);
std::string arg2;
std::string arg1;
if(v.size()==2)
arg1 = v.at(1);
else if(v.size()==3)
{
arg1 = v.at(1);
arg2 = v.at(2);
}
if (arg == "GET") {
auto start = high_resolution_clock::now();
std::string reply = keyValueClient.GetValue(arg1); // The actual RPC call!
auto stop = high_resolution_clock::now();
auto duration = duration_cast<microseconds>(stop - start);
std::cout << "\n";
std::cout << "KeyValueStore received: " << reply << std::endl;
std::cout << "Time taken for GET operation: " << duration.count() << " microseconds" << std::endl;
if(duration.count()<=min) min=duration.count();
if(duration.count()>=max) max=duration.count();
t+=duration.count();
} else if (arg == "PUT") {
std::string value = argv[3];
auto start = high_resolution_clock::now();
std::string put = keyValueClient.PutValue(arg1, arg2); // The actual RPC call!
auto stop = high_resolution_clock::now();
auto duration = duration_cast<microseconds>(stop - start);
std::cout << "\n";
std::cout << "KeyValueStore received: " << put << std::endl;
std::cout << "Time taken for PUT operation: " << duration.count() << " microseconds" << std::endl;
if(duration.count()<=min) min=duration.count();
if(duration.count()>=max) max=duration.count();
t+=duration.count();
} else if (arg == "DEL") {
auto start = high_resolution_clock::now();
std::string del = keyValueClient.DelValue(arg1); // The actual RPC call!
auto stop = high_resolution_clock::now();
auto duration = duration_cast<microseconds>(stop - start);
std::cout << "\n";
std::cout << "KeyValueStore received: " << del << std::endl;
std::cout << "Time taken DEL operation: " << duration.count() << " microseconds" << std::endl;
if(duration.count()<=min) min=duration.count();
if(duration.count()>=max) max=duration.count();
t+=duration.count();
}
}
std::cout<<"\n";
std::cout<< "Minimum Response Time: " << min<< " microseconds" << std::endl;
std::cout<< "Maximum Response Time: "<<max<<" microseconds" << std::endl;
std::cout<<"Average Response Time: " << (float)t/(float)num_of_req << " microseconds" <<std::endl;
std::cout<<"Throughput: "<<((float)num_of_req/(float)t)*1000000<<" reqs/sec" <<std::endl;
}
//case 2: //interactive mode
else {
std::cout<< "Enter the index number to choose an option:\n";
std::cout<< "------OPTIONS------\n1. GET\n2. PUT\n3. DELETE\n 4.Exit\n";
int option;
while(true){
std::cout<< "Option: ";
std::cin >> option;
std::string key, value;
if (option == 1) { //GET
std::cout << "Key: ";
std::cin >> key;
auto start = high_resolution_clock::now();
std::string reply = keyValueClient.GetValue(key); // The actual RPC call!
auto stop = high_resolution_clock::now();
auto duration = duration_cast<microseconds>(stop - start);
std::cout << "\n";
std::cout << "KeyValueStore received: " << reply << std::endl;
std::cout << "Time taken for GET operation: " << duration.count() << " microseconds" << std::endl;
} else if (option == 2) { //PUT
std::cout << "Key: ";
std::cin >> key;
std::cout << "Value: ";
std::cin >> value;
auto start = high_resolution_clock::now();
std::string put = keyValueClient.PutValue(key, value); // The actual RPC call!
auto stop = high_resolution_clock::now();
auto duration = duration_cast<microseconds>(stop - start);
std::cout << "\n";
std::cout << "KeyValueStore received: " << put << std::endl;
std::cout << "Time taken for PUT operation: " << duration.count() << " microseconds" << std::endl;
} else if (option == 3) { //DEL
std::cout << "Key: ";
std::cin >> key;
auto start = high_resolution_clock::now();
std::string del = keyValueClient.DelValue(key); // The actual RPC call!
auto stop = high_resolution_clock::now();
auto duration = duration_cast<microseconds>(stop - start);
std::cout << "\n";
std::cout << "KeyValueStore received: " << del << std::endl;
std::cout << "Time taken DEL operation: " << duration.count() << " microseconds" << std::endl;
}
else if(option == 4){
break;
}
}
}
return 0;
}
\ No newline at end of file
This source diff could not be displayed because it is too large. You can view the blob instead.
#include <iostream>
#include <memory>
#include <string>
#include <grpc/support/log.h>
#include <grpcpp/grpcpp.h>
#include <thread>
#include <vector>
#include "proto/keyvalue.grpc.pb.h"
#include "service/KeyValueCallDatServiceImpl.hpp"
using grpc::Server;
using grpc::ServerBuilder;
using grpc::ServerCompletionQueue;
using keyvaluestore::KeyValueStore;
class KeyValueServerImpl final {
private:
// This can be run in multiple threads if needed.
void HandleRpcCalls(int cq_index) {
int policyType = configMap["CACHE_REPLACEMENT_TYPE"];
if (policyType == 1) {
INFO("KVServer", "LRU Policy Selected");
new GetCallData(&asyncService, completionQueueList[cq_index].get(), lruCache);
new DelCallData(&asyncService, completionQueueList[cq_index].get(), lruCache);
new PutCallData(&asyncService, completionQueueList[cq_index].get(), lruCache);
} else {
INFO("KVServer", "LFU Policy Selected");
new GetCallData(&asyncService, completionQueueList[cq_index].get(), lfuCache);
new DelCallData(&asyncService, completionQueueList[cq_index].get(), lfuCache);
new PutCallData(&asyncService, completionQueueList[cq_index].get(), lfuCache);
}
// Spawn a new CallData instance to serve new clients.
void *tag; // uniquely identifies a request.
bool ok;
while (true) {
// Block waiting to read the next event from the completion queue. The
// event is uniquely identified by its tag, which in this case is the
// memory address of a CallData instance.
// The return value of Next should always be checked. This return value
// tells us whether there is any kind of event or completionQueue is shutting down.
GPR_ASSERT(completionQueueList[cq_index]->Next(&tag, &ok));
//Confirming if the fetching from the queue is successful or not
GPR_ASSERT(ok);
//type-casting the respective call and proceeding the next process.
static_cast<CallData *>(tag)->Proceed();
}
}
KeyValueStore::AsyncService asyncService;
std::unique_ptr<Server> server;
std::map<std::string, int> configMap;
std::vector<std::unique_ptr<ServerCompletionQueue>> completionQueueList;
LRUCache *lruCache;
LFUCache *lfuCache;
FileService *fileService;
public:
KeyValueServerImpl(){
fileService = new FileService();
configMap = fileService->getConfig();
fileService->getMetaData();
INFO("KVServer", "Fetching metadata completed!");
}
~KeyValueServerImpl() {
WARN("KVServer","Shutting down the server");
server->Shutdown();
// Always shutdown the completion queue after the server.
for(const auto& cq: completionQueueList){
cq->Shutdown();
}
}
// There is no shutdown handling in this code.
void Run() {
std::string server_address("localhost:" + to_string(configMap["LISTENING_PORT"]));
lfuCache = new LFUCache(configMap["CACHE_SIZE"]);
lruCache = new LRUCache(configMap["CACHE_SIZE"]);
ServerBuilder builder;
// Listen on the given address without any authentication mechanism.
builder.AddListeningPort(server_address, grpc::InsecureServerCredentials());
// Register "asyncService" as the instance through which we'll communicate with
// clients. In this case it corresponds to an *asynchronous* service.
builder.RegisterService(&asyncService);
// Get hold of the completion queue used for the asynchronous communication
// with the gRPC runtime.
for (auto i = 0; i < configMap["COMPLETION_QUEUE"]; i++) {
INFO("KVServer", "Initialize completion queue:" + to_string(i));
completionQueueList.emplace_back(builder.AddCompletionQueue());
}
// Finally assemble the server.
server = builder.BuildAndStart();
WARN("KVServer", " Server listening on " + server_address);
std::vector<std::thread *> _threads;
for (auto i = 0; i < configMap["THREAD_POOL_SIZE"]; i++) {
int cq_index = i % configMap["COMPLETION_QUEUE"];
_threads.emplace_back(new std::thread(&KeyValueServerImpl::HandleRpcCalls, this, cq_index));
}
WARN("KVServer", to_string(configMap["THREAD_POOL_SIZE"]) + " working async threads spawned");
for (const auto &_t: _threads) {
_t->join();
}
}
};
int main(int argc, char **argv) {
KeyValueServerImpl server;
server.Run();
return 0;
}
\ No newline at end of file
LISTENING_PORT 8081
CACHE_REPLACEMENT_TYPE LFU
CACHE_SIZE 10
THREAD_POOL_SIZE 10
COMPLETION_QUEUE 5
\ No newline at end of file
#include <iostream>
#include <bits/stdc++.h>
#include <sys/types.h>
#include <unordered_map>
#include <string.h>
#define FILECOUNT 30
#define CONF_FILE_PATH "../../KVServer.conf"
#define CLIENT_FILE_PATH "../../KVClient.conf"
#define SIZE 256
class FileMetaData {
public:
bool deleted;
unsigned long offset;
char key[SIZE];
int val_size;
};
class FileService {
public:
std::unordered_map<std::string, FileMetaData> fileMetaDataMap;
FileService() {
fileMetaDataMap = std::unordered_map<std::string, FileMetaData>();
}
/**
* Performs the hashing to get the file path.
* @param key
* @return file path
*
* @ref
* https://stackoverflow.com/questions/7666509/hash-function-for-string
*/
std::string getFilePath(std::string key) {
int32_t hash = 0;
for (auto c: key) {
hash += c;
}
hash %= FILECOUNT;
return std::to_string(hash) + ".txt";
}
void writeToFile(std::string path, std::string line) {
std::fstream file;
file.open(path, std::ios::out | std::ios::in | std::ios::app);
if (file.is_open()) {
file << line;
file.close();
}
}
/**
* Read the value from the file.
* @param key
* @return
*
*/
std::string getValue(std::string key) {
if (fileMetaDataMap.find(key) != fileMetaDataMap.end()) {
if (!fileMetaDataMap[key].deleted) {
char *path = new char[SIZE];
char *value = new char[SIZE];
strcpy(path, getFilePath(key).c_str());
FILE *fp;
fp = fopen(path, "r");
if (nullptr == fp) {
return "";
}
fseek(fp, fileMetaDataMap[key].offset, SEEK_SET);
fread(value, fileMetaDataMap[key].val_size, 1, fp);
value[fileMetaDataMap[key].val_size] = '\0';
return value;
} else {
return "";
}
} else {
return "";
}
}
int pushKeyFile(std::string key, std::string value) {
FILE *fp;
char *path = new char[SIZE];
strcpy(path, getFilePath(key).c_str());
char *k = new char[SIZE];
char *v = new char[SIZE];
strcpy(k, key.c_str());
strcpy(v, value.c_str());
fp = fopen(path, "a+");
if (fp != NULL) {
if (fileMetaDataMap.find(key) == fileMetaDataMap.end()) {
fwrite(k, 1, strlen(k), fp);
unsigned long offset = ftell(fp);
FileMetaData fileMetaData;
fileMetaData.offset = offset;
fileMetaData.val_size = strlen(value.c_str());
strcpy(fileMetaData.key, k);
fileMetaData.deleted = false;
fileMetaDataMap[key] = fileMetaData;
fwrite(v, 1, strlen(value.c_str()), fp);
putMetaData(key);
} else {
fwrite(k, 1, strlen(k), fp);
unsigned long offset = ftell(fp);
fileMetaDataMap[key].offset = offset;
fileMetaDataMap[key].val_size = strlen(value.c_str());
fwrite(v, 1, strlen(value.c_str()), fp);
putMetaData(key);
}
fflush(fp);
fclose(fp);
return 1;
}
fflush(fp);
fclose(fp);
return 0;
}
int popKeyFile(std::string key) {
if (fileMetaDataMap.find(key) != fileMetaDataMap.end() && !fileMetaDataMap[key].deleted) {
fileMetaDataMap[key].deleted = true;
putMetaData(key);
return 1;
} else {
return 0;
}
}
std::map<std::string, int> getConfig() {
std::map<std::string, int> config = std::map<std::string, int>();
std::fstream file;
file.open(CONF_FILE_PATH, std::ios::in);
if (file.is_open()) {
std::string line, file_key, file_value;
while (getline(file, line)) {
std::stringstream stream(line);
getline(stream, file_key, ' ');
getline(stream, file_value);
std::stringstream ss(file_value);
int val = 0;
if (file_key == "CACHE_REPLACEMENT_TYPE") {
if (file_value == "LRU") {
val = 1;
} else {
val = 2;
}
} else {
ss >> val;
}
config[file_key] = val;
}
file.close();
}
return config;
}
std::vector<std::vector<std::string>> getClientConfig() {
std::vector<std::vector<std::string>> file_commands = std::vector<std::vector<std::string>>();
std::fstream file;
file.open(CLIENT_FILE_PATH, std::ios::in);
std::string line, file_key, file_value, file_command;
while (getline(file, line)) {
std::vector<std::string> command = std::vector<std::string>();
std::stringstream stream(line);
getline(stream, file_command, ' ');
getline(stream, file_key, ' ');
getline(stream, file_value);
command.emplace_back(file_command);
command.emplace_back(file_key);
command.emplace_back(file_value);
file_commands.emplace_back(command);
}
file.close();
return file_commands;
}
void putMetaData(std::string key) {
std::string data;
auto &i = fileMetaDataMap[key];
data += key + ":" + std::to_string(i.val_size) + ":" +
std::to_string(i.offset) + ":" +
std::to_string(i.deleted) + "\n";
writeToFile("metadata.txt", data);
}
void getMetaData() {
std::fstream file;
file.open("metadata.txt", std::ios::in);
std::string line, file_key, value_offset, deleted, value_size;
while (getline(file, line)) {
FileMetaData fileMetaData;
std::stringstream stream(line);
getline(stream, file_key, ':');
getline(stream, value_size, ':');
getline(stream, value_offset, ':');
getline(stream, deleted);
int size = std::stoi(value_size);
unsigned long value = std::stol(value_offset);
strcpy(fileMetaData.key, file_key.c_str());
fileMetaData.deleted = !(deleted == "0");
fileMetaData.val_size = size;
fileMetaData.offset = value;
fileMetaDataMap[file_key] = fileMetaData;
}
file.close();
}
};
# Assignment4-PA4
# Key Value Store
## Team Member
1. Sagar Poudel 213051001
2. Vishal Kumar 213050081
3. Divya Kotadiya 20305R003
### Pre requisite
Installation of grpc framework in the system.
### Steps to Execute
1. Download the project and copy the folder in `{grpc_path}/examples/cpp/`
and run
```
$ mkdir -p cmake/build
$ pushd cmake/build
$ cmake -DCMAKE_PREFIX_PATH=$MY_INSTALL_DIR ../..
$ make
```
2. To Run the server:
```
./server
```
3. To Run the client:
```
./client
```
### Config file:
Change the value with proper space.
```
LISTENING_PORT 8081
CACHE_REPLACEMENT_TYPE LRU
CACHE_SIZE 10
THREAD_POOL_SIZE 10
COMPLETION_QUEUE 5
```
This source diff could not be displayed because it is too large. You can view the blob instead.
This source diff could not be displayed because it is too large. You can view the blob instead.
sagar,poudelpujapujapujapujadeepakrthakurdeepakrthakurdeepakrthakurdeepakrthakur
\ No newline at end of file
This source diff could not be displayed because it is too large. You can view the blob instead.
vkkrvkkrvkkrvkkrvkkr
\ No newline at end of file
This source diff could not be displayed because it is too large. You can view the blob instead.
12121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212
\ No newline at end of file
pujanpandeypujanpandeypujanpandeypujanpandey
\ No newline at end of file
simplesimple2121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121212121
\ No newline at end of file
343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434343434
\ No newline at end of file
45454545
\ No newline at end of file
565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656565656
\ No newline at end of file
rumidumpyurumidumpyurumidumpyurumidumpyurumidumpy3urumidumpy3urumidumpy3urumidumpy3urumidumpy3urumidumpy3urumidurumidurumidurumidurumidurumidurumidurumidurumidurumidurumidurumidurumidurumidurumidurumidurumidurumidurumidu7878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878787878
\ No newline at end of file
devaf56564devaf56564devaf56564devaf56564devaf565643devaf565643devaf565643devaf565643devafdevafdevafdevafdevafdevafdevafdevafdevafdevafdevafdevafdevafdevafdevafdevafdevafdevafdevafdevaf
\ No newline at end of file
ramarestramarestramarestramaresteeramarestee3ramarestee3ramarestee3ramarestee3ramarestramarestramarestramarestramarestramarestramaramaramarestramarestramarestramarestramarestramarestramarestramarestramarestramarestramarestramarestramarestramarest
\ No newline at end of file
This source diff could not be displayed because it is too large. You can view the blob instead.
This source diff could not be displayed because it is too large. You can view the blob instead.
This source diff could not be displayed because it is too large. You can view the blob instead.
# This is the CMakeCache file.
# For build in directory: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
# It was generated by CMake: /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# You can edit this file to change values found and used by cmake.
# If you do not want to change any of the values, simply exit the editor.
# If you do want to change a value, simply edit, save, and exit the editor.
# The syntax for the file is as follows:
# KEY:TYPE=VALUE
# KEY is the name of a variable in the cache.
# TYPE is a hint to GUIs for the type of VALUE, DO NOT EDIT TYPE!.
# VALUE is the current value for the KEY.
########################
# EXTERNAL cache entries
########################
//Path to a program.
CMAKE_ADDR2LINE:FILEPATH=/usr/bin/addr2line
//Path to a program.
CMAKE_AR:FILEPATH=/usr/bin/ar
//Choose the type of build, options are: None Debug Release RelWithDebInfo
// MinSizeRel ...
CMAKE_BUILD_TYPE:STRING=Debug
//Id string of the compiler for the CodeBlocks IDE. Automatically
// detected when left empty
CMAKE_CODEBLOCKS_COMPILER_ID:STRING=
//The CodeBlocks executable
CMAKE_CODEBLOCKS_EXECUTABLE:FILEPATH=CMAKE_CODEBLOCKS_EXECUTABLE-NOTFOUND
//Additional command line arguments when CodeBlocks invokes make.
// Enter e.g. -j<some_number> to get parallel builds
CMAKE_CODEBLOCKS_MAKE_ARGUMENTS:STRING=-j12
//Enable/Disable color output during build.
CMAKE_COLOR_MAKEFILE:BOOL=ON
//CXX compiler
CMAKE_CXX_COMPILER:FILEPATH=/usr/bin/c++
//A wrapper around 'ar' adding the appropriate '--plugin' option
// for the GCC compiler
CMAKE_CXX_COMPILER_AR:FILEPATH=/usr/bin/gcc-ar-9
//A wrapper around 'ranlib' adding the appropriate '--plugin' option
// for the GCC compiler
CMAKE_CXX_COMPILER_RANLIB:FILEPATH=/usr/bin/gcc-ranlib-9
//Flags used by the CXX compiler during all build types.
CMAKE_CXX_FLAGS:STRING=
//Flags used by the CXX compiler during DEBUG builds.
CMAKE_CXX_FLAGS_DEBUG:STRING=-g
//Flags used by the CXX compiler during MINSIZEREL builds.
CMAKE_CXX_FLAGS_MINSIZEREL:STRING=-Os -DNDEBUG
//Flags used by the CXX compiler during RELEASE builds.
CMAKE_CXX_FLAGS_RELEASE:STRING=-O3 -DNDEBUG
//Flags used by the CXX compiler during RELWITHDEBINFO builds.
CMAKE_CXX_FLAGS_RELWITHDEBINFO:STRING=-O2 -g -DNDEBUG
//C compiler
CMAKE_C_COMPILER:FILEPATH=/usr/bin/cc
//A wrapper around 'ar' adding the appropriate '--plugin' option
// for the GCC compiler
CMAKE_C_COMPILER_AR:FILEPATH=/usr/bin/gcc-ar-9
//A wrapper around 'ranlib' adding the appropriate '--plugin' option
// for the GCC compiler
CMAKE_C_COMPILER_RANLIB:FILEPATH=/usr/bin/gcc-ranlib-9
//Flags used by the C compiler during all build types.
CMAKE_C_FLAGS:STRING=
//Flags used by the C compiler during DEBUG builds.
CMAKE_C_FLAGS_DEBUG:STRING=-g
//Flags used by the C compiler during MINSIZEREL builds.
CMAKE_C_FLAGS_MINSIZEREL:STRING=-Os -DNDEBUG
//Flags used by the C compiler during RELEASE builds.
CMAKE_C_FLAGS_RELEASE:STRING=-O3 -DNDEBUG
//Flags used by the C compiler during RELWITHDEBINFO builds.
CMAKE_C_FLAGS_RELWITHDEBINFO:STRING=-O2 -g -DNDEBUG
//No help, variable specified on the command line.
CMAKE_DEPENDS_USE_COMPILER:UNINITIALIZED=FALSE
//Path to a program.
CMAKE_DLLTOOL:FILEPATH=CMAKE_DLLTOOL-NOTFOUND
//Flags used by the linker during all build types.
CMAKE_EXE_LINKER_FLAGS:STRING=
//Flags used by the linker during DEBUG builds.
CMAKE_EXE_LINKER_FLAGS_DEBUG:STRING=
//Flags used by the linker during MINSIZEREL builds.
CMAKE_EXE_LINKER_FLAGS_MINSIZEREL:STRING=
//Flags used by the linker during RELEASE builds.
CMAKE_EXE_LINKER_FLAGS_RELEASE:STRING=
//Flags used by the linker during RELWITHDEBINFO builds.
CMAKE_EXE_LINKER_FLAGS_RELWITHDEBINFO:STRING=
//Enable/Disable output of compile commands during generation.
CMAKE_EXPORT_COMPILE_COMMANDS:BOOL=
//Install path prefix, prepended onto install directories.
CMAKE_INSTALL_PREFIX:PATH=/usr/local
//Path to a program.
CMAKE_LINKER:FILEPATH=/usr/bin/ld
//Path to a program.
CMAKE_MAKE_PROGRAM:FILEPATH=/usr/bin/make
//Flags used by the linker during the creation of modules during
// all build types.
CMAKE_MODULE_LINKER_FLAGS:STRING=
//Flags used by the linker during the creation of modules during
// DEBUG builds.
CMAKE_MODULE_LINKER_FLAGS_DEBUG:STRING=
//Flags used by the linker during the creation of modules during
// MINSIZEREL builds.
CMAKE_MODULE_LINKER_FLAGS_MINSIZEREL:STRING=
//Flags used by the linker during the creation of modules during
// RELEASE builds.
CMAKE_MODULE_LINKER_FLAGS_RELEASE:STRING=
//Flags used by the linker during the creation of modules during
// RELWITHDEBINFO builds.
CMAKE_MODULE_LINKER_FLAGS_RELWITHDEBINFO:STRING=
//Path to a program.
CMAKE_NM:FILEPATH=/usr/bin/nm
//Path to a program.
CMAKE_OBJCOPY:FILEPATH=/usr/bin/objcopy
//Path to a program.
CMAKE_OBJDUMP:FILEPATH=/usr/bin/objdump
//Value Computed by CMake
CMAKE_PROJECT_DESCRIPTION:STATIC=
//Value Computed by CMake
CMAKE_PROJECT_HOMEPAGE_URL:STATIC=
//Value Computed by CMake
CMAKE_PROJECT_NAME:STATIC=KeyValueStore
//Path to a program.
CMAKE_RANLIB:FILEPATH=/usr/bin/ranlib
//Path to a program.
CMAKE_READELF:FILEPATH=/usr/bin/readelf
//Flags used by the linker during the creation of shared libraries
// during all build types.
CMAKE_SHARED_LINKER_FLAGS:STRING=
//Flags used by the linker during the creation of shared libraries
// during DEBUG builds.
CMAKE_SHARED_LINKER_FLAGS_DEBUG:STRING=
//Flags used by the linker during the creation of shared libraries
// during MINSIZEREL builds.
CMAKE_SHARED_LINKER_FLAGS_MINSIZEREL:STRING=
//Flags used by the linker during the creation of shared libraries
// during RELEASE builds.
CMAKE_SHARED_LINKER_FLAGS_RELEASE:STRING=
//Flags used by the linker during the creation of shared libraries
// during RELWITHDEBINFO builds.
CMAKE_SHARED_LINKER_FLAGS_RELWITHDEBINFO:STRING=
//If set, runtime paths are not added when installing shared libraries,
// but are added when building.
CMAKE_SKIP_INSTALL_RPATH:BOOL=NO
//If set, runtime paths are not added when using shared libraries.
CMAKE_SKIP_RPATH:BOOL=NO
//Flags used by the linker during the creation of static libraries
// during all build types.
CMAKE_STATIC_LINKER_FLAGS:STRING=
//Flags used by the linker during the creation of static libraries
// during DEBUG builds.
CMAKE_STATIC_LINKER_FLAGS_DEBUG:STRING=
//Flags used by the linker during the creation of static libraries
// during MINSIZEREL builds.
CMAKE_STATIC_LINKER_FLAGS_MINSIZEREL:STRING=
//Flags used by the linker during the creation of static libraries
// during RELEASE builds.
CMAKE_STATIC_LINKER_FLAGS_RELEASE:STRING=
//Flags used by the linker during the creation of static libraries
// during RELWITHDEBINFO builds.
CMAKE_STATIC_LINKER_FLAGS_RELWITHDEBINFO:STRING=
//Path to a program.
CMAKE_STRIP:FILEPATH=/usr/bin/strip
//If this value is on, makefiles will be generated without the
// .SILENT directive, and all commands will be echoed to the console
// during the make. This is useful for debugging only. With Visual
// Studio IDE projects all commands are done without /nologo.
CMAKE_VERBOSE_MAKEFILE:BOOL=FALSE
//Value Computed by CMake
KeyValueStore_BINARY_DIR:STATIC=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
//Value Computed by CMake
KeyValueStore_SOURCE_DIR:STATIC=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore
//Path to a program.
ProcessorCount_cmd_nproc:FILEPATH=/usr/bin/nproc
//Path to a program.
ProcessorCount_cmd_sysctl:FILEPATH=/usr/sbin/sysctl
//The directory containing a CMake configuration file for Protobuf.
Protobuf_DIR:PATH=/home/sagar/.local/lib/cmake/protobuf
//The directory containing a CMake configuration file for gRPC.
gRPC_DIR:PATH=/home/sagar/.local/lib/cmake/grpc
//Dependencies for the target
kvs_grpc_proto_LIB_DEPENDS:STATIC=general;gRPC::grpc++_reflection;general;gRPC::grpc++;general;protobuf::libprotobuf;
//CMake built-in FindProtobuf.cmake module compatible
protobuf_MODULE_COMPATIBLE:BOOL=OFF
//Enable for verbose output
protobuf_VERBOSE:BOOL=OFF
########################
# INTERNAL cache entries
########################
//ADVANCED property for variable: CMAKE_ADDR2LINE
CMAKE_ADDR2LINE-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_AR
CMAKE_AR-ADVANCED:INTERNAL=1
//This is the directory where this CMakeCache.txt was created
CMAKE_CACHEFILE_DIR:INTERNAL=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
//Major version of cmake used to create the current loaded cache
CMAKE_CACHE_MAJOR_VERSION:INTERNAL=3
//Minor version of cmake used to create the current loaded cache
CMAKE_CACHE_MINOR_VERSION:INTERNAL=20
//Patch version of cmake used to create the current loaded cache
CMAKE_CACHE_PATCH_VERSION:INTERNAL=2
//ADVANCED property for variable: CMAKE_COLOR_MAKEFILE
CMAKE_COLOR_MAKEFILE-ADVANCED:INTERNAL=1
//Path to CMake executable.
CMAKE_COMMAND:INTERNAL=/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
//Path to cpack program executable.
CMAKE_CPACK_COMMAND:INTERNAL=/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cpack
//Path to ctest program executable.
CMAKE_CTEST_COMMAND:INTERNAL=/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/ctest
//ADVANCED property for variable: CMAKE_CXX_COMPILER
CMAKE_CXX_COMPILER-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_CXX_COMPILER_AR
CMAKE_CXX_COMPILER_AR-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_CXX_COMPILER_RANLIB
CMAKE_CXX_COMPILER_RANLIB-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_CXX_FLAGS
CMAKE_CXX_FLAGS-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_CXX_FLAGS_DEBUG
CMAKE_CXX_FLAGS_DEBUG-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_CXX_FLAGS_MINSIZEREL
CMAKE_CXX_FLAGS_MINSIZEREL-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_CXX_FLAGS_RELEASE
CMAKE_CXX_FLAGS_RELEASE-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_CXX_FLAGS_RELWITHDEBINFO
CMAKE_CXX_FLAGS_RELWITHDEBINFO-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_C_COMPILER
CMAKE_C_COMPILER-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_C_COMPILER_AR
CMAKE_C_COMPILER_AR-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_C_COMPILER_RANLIB
CMAKE_C_COMPILER_RANLIB-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_C_FLAGS
CMAKE_C_FLAGS-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_C_FLAGS_DEBUG
CMAKE_C_FLAGS_DEBUG-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_C_FLAGS_MINSIZEREL
CMAKE_C_FLAGS_MINSIZEREL-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_C_FLAGS_RELEASE
CMAKE_C_FLAGS_RELEASE-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_C_FLAGS_RELWITHDEBINFO
CMAKE_C_FLAGS_RELWITHDEBINFO-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_DLLTOOL
CMAKE_DLLTOOL-ADVANCED:INTERNAL=1
//Executable file format
CMAKE_EXECUTABLE_FORMAT:INTERNAL=ELF
//ADVANCED property for variable: CMAKE_EXE_LINKER_FLAGS
CMAKE_EXE_LINKER_FLAGS-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_EXE_LINKER_FLAGS_DEBUG
CMAKE_EXE_LINKER_FLAGS_DEBUG-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_EXE_LINKER_FLAGS_MINSIZEREL
CMAKE_EXE_LINKER_FLAGS_MINSIZEREL-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_EXE_LINKER_FLAGS_RELEASE
CMAKE_EXE_LINKER_FLAGS_RELEASE-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_EXE_LINKER_FLAGS_RELWITHDEBINFO
CMAKE_EXE_LINKER_FLAGS_RELWITHDEBINFO-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_EXPORT_COMPILE_COMMANDS
CMAKE_EXPORT_COMPILE_COMMANDS-ADVANCED:INTERNAL=1
//Name of external makefile project generator.
CMAKE_EXTRA_GENERATOR:INTERNAL=CodeBlocks
//CXX compiler system defined macros
CMAKE_EXTRA_GENERATOR_CXX_SYSTEM_DEFINED_MACROS:INTERNAL=__STDC__;1;__STDC_VERSION__;201710L;__STDC_UTF_16__;1;__STDC_UTF_32__;1;__STDC_HOSTED__;1;__GNUC__;9;__GNUC_MINOR__;3;__GNUC_PATCHLEVEL__;0;__VERSION__;"9.3.0";__ATOMIC_RELAXED;0;__ATOMIC_SEQ_CST;5;__ATOMIC_ACQUIRE;2;__ATOMIC_RELEASE;3;__ATOMIC_ACQ_REL;4;__ATOMIC_CONSUME;1;__pic__;2;__PIC__;2;__pie__;2;__PIE__;2;__FINITE_MATH_ONLY__;0;_LP64;1;__LP64__;1;__SIZEOF_INT__;4;__SIZEOF_LONG__;8;__SIZEOF_LONG_LONG__;8;__SIZEOF_SHORT__;2;__SIZEOF_FLOAT__;4;__SIZEOF_DOUBLE__;8;__SIZEOF_LONG_DOUBLE__;16;__SIZEOF_SIZE_T__;8;__CHAR_BIT__;8;__BIGGEST_ALIGNMENT__;16;__ORDER_LITTLE_ENDIAN__;1234;__ORDER_BIG_ENDIAN__;4321;__ORDER_PDP_ENDIAN__;3412;__BYTE_ORDER__;__ORDER_LITTLE_ENDIAN__;__FLOAT_WORD_ORDER__;__ORDER_LITTLE_ENDIAN__;__SIZEOF_POINTER__;8;__SIZE_TYPE__;long unsigned int;__PTRDIFF_TYPE__;long int;__WCHAR_TYPE__;int;__WINT_TYPE__;unsigned int;__INTMAX_TYPE__;long int;__UINTMAX_TYPE__;long unsigned int;__CHAR16_TYPE__;short unsigned int;__CHAR32_TYPE__;unsigned int;__SIG_ATOMIC_TYPE__;int;__INT8_TYPE__;signed char;__INT16_TYPE__;short int;__INT32_TYPE__;int;__INT64_TYPE__;long int;__UINT8_TYPE__;unsigned char;__UINT16_TYPE__;short unsigned int;__UINT32_TYPE__;unsigned int;__UINT64_TYPE__;long unsigned int;__INT_LEAST8_TYPE__;signed char;__INT_LEAST16_TYPE__;short int;__INT_LEAST32_TYPE__;int;__INT_LEAST64_TYPE__;long int;__UINT_LEAST8_TYPE__;unsigned char;__UINT_LEAST16_TYPE__;short unsigned int;__UINT_LEAST32_TYPE__;unsigned int;__UINT_LEAST64_TYPE__;long unsigned int;__INT_FAST8_TYPE__;signed char;__INT_FAST16_TYPE__;long int;__INT_FAST32_TYPE__;long int;__INT_FAST64_TYPE__;long int;__UINT_FAST8_TYPE__;unsigned char;__UINT_FAST16_TYPE__;long unsigned int;__UINT_FAST32_TYPE__;long unsigned int;__UINT_FAST64_TYPE__;long unsigned int;__INTPTR_TYPE__;long int;__UINTPTR_TYPE__;long unsigned int;__has_include(STR);__has_include__(STR);__has_include_next(STR);__has_include_next__(STR);__GXX_ABI_VERSION;1013;__SCHAR_MAX__;0x7f;__SHRT_MAX__;0x7fff;__INT_MAX__;0x7fffffff;__LONG_MAX__;0x7fffffffffffffffL;__LONG_LONG_MAX__;0x7fffffffffffffffLL;__WCHAR_MAX__;0x7fffffff;__WCHAR_MIN__;(-__WCHAR_MAX__ - 1);__WINT_MAX__;0xffffffffU;__WINT_MIN__;0U;__PTRDIFF_MAX__;0x7fffffffffffffffL;__SIZE_MAX__;0xffffffffffffffffUL;__SCHAR_WIDTH__;8;__SHRT_WIDTH__;16;__INT_WIDTH__;32;__LONG_WIDTH__;64;__LONG_LONG_WIDTH__;64;__WCHAR_WIDTH__;32;__WINT_WIDTH__;32;__PTRDIFF_WIDTH__;64;__SIZE_WIDTH__;64;__INTMAX_MAX__;0x7fffffffffffffffL;__INTMAX_C(c);c ## L;__UINTMAX_MAX__;0xffffffffffffffffUL;__UINTMAX_C(c);c ## UL;__INTMAX_WIDTH__;64;__SIG_ATOMIC_MAX__;0x7fffffff;__SIG_ATOMIC_MIN__;(-__SIG_ATOMIC_MAX__ - 1);__SIG_ATOMIC_WIDTH__;32;__INT8_MAX__;0x7f;__INT16_MAX__;0x7fff;__INT32_MAX__;0x7fffffff;__INT64_MAX__;0x7fffffffffffffffL;__UINT8_MAX__;0xff;__UINT16_MAX__;0xffff;__UINT32_MAX__;0xffffffffU;__UINT64_MAX__;0xffffffffffffffffUL;__INT_LEAST8_MAX__;0x7f;__INT8_C(c);c;__INT_LEAST8_WIDTH__;8;__INT_LEAST16_MAX__;0x7fff;__INT16_C(c);c;__INT_LEAST16_WIDTH__;16;__INT_LEAST32_MAX__;0x7fffffff;__INT32_C(c);c;__INT_LEAST32_WIDTH__;32;__INT_LEAST64_MAX__;0x7fffffffffffffffL;__INT64_C(c);c ## L;__INT_LEAST64_WIDTH__;64;__UINT_LEAST8_MAX__;0xff;__UINT8_C(c);c;__UINT_LEAST16_MAX__;0xffff;__UINT16_C(c);c;__UINT_LEAST32_MAX__;0xffffffffU;__UINT32_C(c);c ## U;__UINT_LEAST64_MAX__;0xffffffffffffffffUL;__UINT64_C(c);c ## UL;__INT_FAST8_MAX__;0x7f;__INT_FAST8_WIDTH__;8;__INT_FAST16_MAX__;0x7fffffffffffffffL;__INT_FAST16_WIDTH__;64;__INT_FAST32_MAX__;0x7fffffffffffffffL;__INT_FAST32_WIDTH__;64;__INT_FAST64_MAX__;0x7fffffffffffffffL;__INT_FAST64_WIDTH__;64;__UINT_FAST8_MAX__;0xff;__UINT_FAST16_MAX__;0xffffffffffffffffUL;__UINT_FAST32_MAX__;0xffffffffffffffffUL;__UINT_FAST64_MAX__;0xffffffffffffffffUL;__INTPTR_MAX__;0x7fffffffffffffffL;__INTPTR_WIDTH__;64;__UINTPTR_MAX__;0xffffffffffffffffUL;__GCC_IEC_559;2;__GCC_IEC_559_COMPLEX;2;__FLT_EVAL_METHOD__;0;__FLT_EVAL_METHOD_TS_18661_3__;0;__DEC_EVAL_METHOD__;2;__FLT_RADIX__;2;__FLT_MANT_DIG__;24;__FLT_DIG__;6;__FLT_MIN_EXP__;(-125);__FLT_MIN_10_EXP__;(-37);__FLT_MAX_EXP__;128;__FLT_MAX_10_EXP__;38;__FLT_DECIMAL_DIG__;9;__FLT_MAX__;3.40282346638528859811704183484516925e+38F;__FLT_MIN__;1.17549435082228750796873653722224568e-38F;__FLT_EPSILON__;1.19209289550781250000000000000000000e-7F;__FLT_DENORM_MIN__;1.40129846432481707092372958328991613e-45F;__FLT_HAS_DENORM__;1;__FLT_HAS_INFINITY__;1;__FLT_HAS_QUIET_NAN__;1;__DBL_MANT_DIG__;53;__DBL_DIG__;15;__DBL_MIN_EXP__;(-1021);__DBL_MIN_10_EXP__;(-307);__DBL_MAX_EXP__;1024;__DBL_MAX_10_EXP__;308;__DBL_DECIMAL_DIG__;17;__DBL_MAX__;((double)1.79769313486231570814527423731704357e+308L);__DBL_MIN__;((double)2.22507385850720138309023271733240406e-308L);__DBL_EPSILON__;((double)2.22044604925031308084726333618164062e-16L);__DBL_DENORM_MIN__;((double)4.94065645841246544176568792868221372e-324L);__DBL_HAS_DENORM__;1;__DBL_HAS_INFINITY__;1;__DBL_HAS_QUIET_NAN__;1;__LDBL_MANT_DIG__;64;__LDBL_DIG__;18;__LDBL_MIN_EXP__;(-16381);__LDBL_MIN_10_EXP__;(-4931);__LDBL_MAX_EXP__;16384;__LDBL_MAX_10_EXP__;4932;__DECIMAL_DIG__;21;__LDBL_DECIMAL_DIG__;21;__LDBL_MAX__;1.18973149535723176502126385303097021e+4932L;__LDBL_MIN__;3.36210314311209350626267781732175260e-4932L;__LDBL_EPSILON__;1.08420217248550443400745280086994171e-19L;__LDBL_DENORM_MIN__;3.64519953188247460252840593361941982e-4951L;__LDBL_HAS_DENORM__;1;__LDBL_HAS_INFINITY__;1;__LDBL_HAS_QUIET_NAN__;1;__FLT32_MANT_DIG__;24;__FLT32_DIG__;6;__FLT32_MIN_EXP__;(-125);__FLT32_MIN_10_EXP__;(-37);__FLT32_MAX_EXP__;128;__FLT32_MAX_10_EXP__;38;__FLT32_DECIMAL_DIG__;9;__FLT32_MAX__;3.40282346638528859811704183484516925e+38F32;__FLT32_MIN__;1.17549435082228750796873653722224568e-38F32;__FLT32_EPSILON__;1.19209289550781250000000000000000000e-7F32;__FLT32_DENORM_MIN__;1.40129846432481707092372958328991613e-45F32;__FLT32_HAS_DENORM__;1;__FLT32_HAS_INFINITY__;1;__FLT32_HAS_QUIET_NAN__;1;__FLT64_MANT_DIG__;53;__FLT64_DIG__;15;__FLT64_MIN_EXP__;(-1021);__FLT64_MIN_10_EXP__;(-307);__FLT64_MAX_EXP__;1024;__FLT64_MAX_10_EXP__;308;__FLT64_DECIMAL_DIG__;17;__FLT64_MAX__;1.79769313486231570814527423731704357e+308F64;__FLT64_MIN__;2.22507385850720138309023271733240406e-308F64;__FLT64_EPSILON__;2.22044604925031308084726333618164062e-16F64;__FLT64_DENORM_MIN__;4.94065645841246544176568792868221372e-324F64;__FLT64_HAS_DENORM__;1;__FLT64_HAS_INFINITY__;1;__FLT64_HAS_QUIET_NAN__;1;__FLT128_MANT_DIG__;113;__FLT128_DIG__;33;__FLT128_MIN_EXP__;(-16381);__FLT128_MIN_10_EXP__;(-4931);__FLT128_MAX_EXP__;16384;__FLT128_MAX_10_EXP__;4932;__FLT128_DECIMAL_DIG__;36;__FLT128_MAX__;1.18973149535723176508575932662800702e+4932F128;__FLT128_MIN__;3.36210314311209350626267781732175260e-4932F128;__FLT128_EPSILON__;1.92592994438723585305597794258492732e-34F128;__FLT128_DENORM_MIN__;6.47517511943802511092443895822764655e-4966F128;__FLT128_HAS_DENORM__;1;__FLT128_HAS_INFINITY__;1;__FLT128_HAS_QUIET_NAN__;1;__FLT32X_MANT_DIG__;53;__FLT32X_DIG__;15;__FLT32X_MIN_EXP__;(-1021);__FLT32X_MIN_10_EXP__;(-307);__FLT32X_MAX_EXP__;1024;__FLT32X_MAX_10_EXP__;308;__FLT32X_DECIMAL_DIG__;17;__FLT32X_MAX__;1.79769313486231570814527423731704357e+308F32x;__FLT32X_MIN__;2.22507385850720138309023271733240406e-308F32x;__FLT32X_EPSILON__;2.22044604925031308084726333618164062e-16F32x;__FLT32X_DENORM_MIN__;4.94065645841246544176568792868221372e-324F32x;__FLT32X_HAS_DENORM__;1;__FLT32X_HAS_INFINITY__;1;__FLT32X_HAS_QUIET_NAN__;1;__FLT64X_MANT_DIG__;64;__FLT64X_DIG__;18;__FLT64X_MIN_EXP__;(-16381);__FLT64X_MIN_10_EXP__;(-4931);__FLT64X_MAX_EXP__;16384;__FLT64X_MAX_10_EXP__;4932;__FLT64X_DECIMAL_DIG__;21;__FLT64X_MAX__;1.18973149535723176502126385303097021e+4932F64x;__FLT64X_MIN__;3.36210314311209350626267781732175260e-4932F64x;__FLT64X_EPSILON__;1.08420217248550443400745280086994171e-19F64x;__FLT64X_DENORM_MIN__;3.64519953188247460252840593361941982e-4951F64x;__FLT64X_HAS_DENORM__;1;__FLT64X_HAS_INFINITY__;1;__FLT64X_HAS_QUIET_NAN__;1;__DEC32_MANT_DIG__;7;__DEC32_MIN_EXP__;(-94);__DEC32_MAX_EXP__;97;__DEC32_MIN__;1E-95DF;__DEC32_MAX__;9.999999E96DF;__DEC32_EPSILON__;1E-6DF;__DEC32_SUBNORMAL_MIN__;0.000001E-95DF;__DEC64_MANT_DIG__;16;__DEC64_MIN_EXP__;(-382);__DEC64_MAX_EXP__;385;__DEC64_MIN__;1E-383DD;__DEC64_MAX__;9.999999999999999E384DD;__DEC64_EPSILON__;1E-15DD;__DEC64_SUBNORMAL_MIN__;0.000000000000001E-383DD;__DEC128_MANT_DIG__;34;__DEC128_MIN_EXP__;(-6142);__DEC128_MAX_EXP__;6145;__DEC128_MIN__;1E-6143DL;__DEC128_MAX__;9.999999999999999999999999999999999E6144DL;__DEC128_EPSILON__;1E-33DL;__DEC128_SUBNORMAL_MIN__;0.000000000000000000000000000000001E-6143DL;__REGISTER_PREFIX__; ;__USER_LABEL_PREFIX__; ;__GNUC_STDC_INLINE__;1;__NO_INLINE__;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_1;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_2;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_4;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_8;1;__GCC_ATOMIC_BOOL_LOCK_FREE;2;__GCC_ATOMIC_CHAR_LOCK_FREE;2;__GCC_ATOMIC_CHAR16_T_LOCK_FREE;2;__GCC_ATOMIC_CHAR32_T_LOCK_FREE;2;__GCC_ATOMIC_WCHAR_T_LOCK_FREE;2;__GCC_ATOMIC_SHORT_LOCK_FREE;2;__GCC_ATOMIC_INT_LOCK_FREE;2;__GCC_ATOMIC_LONG_LOCK_FREE;2;__GCC_ATOMIC_LLONG_LOCK_FREE;2;__GCC_ATOMIC_TEST_AND_SET_TRUEVAL;1;__GCC_ATOMIC_POINTER_LOCK_FREE;2;__HAVE_SPECULATION_SAFE_VALUE;1;__GCC_HAVE_DWARF2_CFI_ASM;1;__PRAGMA_REDEFINE_EXTNAME;1;__SSP_STRONG__;3;__SIZEOF_INT128__;16;__SIZEOF_WCHAR_T__;4;__SIZEOF_WINT_T__;4;__SIZEOF_PTRDIFF_T__;8;__amd64;1;__amd64__;1;__x86_64;1;__x86_64__;1;__SIZEOF_FLOAT80__;16;__SIZEOF_FLOAT128__;16;__ATOMIC_HLE_ACQUIRE;65536;__ATOMIC_HLE_RELEASE;131072;__GCC_ASM_FLAG_OUTPUTS__;1;__k8;1;__k8__;1;__code_model_small__;1;__MMX__;1;__SSE__;1;__SSE2__;1;__FXSR__;1;__SSE_MATH__;1;__SSE2_MATH__;1;__SEG_FS;1;__SEG_GS;1;__CET__;3;__gnu_linux__;1;__linux;1;__linux__;1;linux;1;__unix;1;__unix__;1;unix;1;__ELF__;1;__DECIMAL_BID_FORMAT__;1;_STDC_PREDEF_H;1;__STDC_IEC_559__;1;__STDC_IEC_559_COMPLEX__;1;__STDC_ISO_10646__;201706L;__STDC__;1;__cplusplus;201402L;__STDC_UTF_16__;1;__STDC_UTF_32__;1;__STDC_HOSTED__;1;__GNUC__;9;__GNUC_MINOR__;3;__GNUC_PATCHLEVEL__;0;__VERSION__;"9.3.0";__ATOMIC_RELAXED;0;__ATOMIC_SEQ_CST;5;__ATOMIC_ACQUIRE;2;__ATOMIC_RELEASE;3;__ATOMIC_ACQ_REL;4;__ATOMIC_CONSUME;1;__pic__;2;__PIC__;2;__pie__;2;__PIE__;2;__FINITE_MATH_ONLY__;0;_LP64;1;__LP64__;1;__SIZEOF_INT__;4;__SIZEOF_LONG__;8;__SIZEOF_LONG_LONG__;8;__SIZEOF_SHORT__;2;__SIZEOF_FLOAT__;4;__SIZEOF_DOUBLE__;8;__SIZEOF_LONG_DOUBLE__;16;__SIZEOF_SIZE_T__;8;__CHAR_BIT__;8;__BIGGEST_ALIGNMENT__;16;__ORDER_LITTLE_ENDIAN__;1234;__ORDER_BIG_ENDIAN__;4321;__ORDER_PDP_ENDIAN__;3412;__BYTE_ORDER__;__ORDER_LITTLE_ENDIAN__;__FLOAT_WORD_ORDER__;__ORDER_LITTLE_ENDIAN__;__SIZEOF_POINTER__;8;__GNUG__;9;__SIZE_TYPE__;long unsigned int;__PTRDIFF_TYPE__;long int;__WCHAR_TYPE__;int;__WINT_TYPE__;unsigned int;__INTMAX_TYPE__;long int;__UINTMAX_TYPE__;long unsigned int;__CHAR16_TYPE__;short unsigned int;__CHAR32_TYPE__;unsigned int;__SIG_ATOMIC_TYPE__;int;__INT8_TYPE__;signed char;__INT16_TYPE__;short int;__INT32_TYPE__;int;__INT64_TYPE__;long int;__UINT8_TYPE__;unsigned char;__UINT16_TYPE__;short unsigned int;__UINT32_TYPE__;unsigned int;__UINT64_TYPE__;long unsigned int;__INT_LEAST8_TYPE__;signed char;__INT_LEAST16_TYPE__;short int;__INT_LEAST32_TYPE__;int;__INT_LEAST64_TYPE__;long int;__UINT_LEAST8_TYPE__;unsigned char;__UINT_LEAST16_TYPE__;short unsigned int;__UINT_LEAST32_TYPE__;unsigned int;__UINT_LEAST64_TYPE__;long unsigned int;__INT_FAST8_TYPE__;signed char;__INT_FAST16_TYPE__;long int;__INT_FAST32_TYPE__;long int;__INT_FAST64_TYPE__;long int;__UINT_FAST8_TYPE__;unsigned char;__UINT_FAST16_TYPE__;long unsigned int;__UINT_FAST32_TYPE__;long unsigned int;__UINT_FAST64_TYPE__;long unsigned int;__INTPTR_TYPE__;long int;__UINTPTR_TYPE__;long unsigned int;__has_include(STR);__has_include__(STR);__has_include_next(STR);__has_include_next__(STR);__GXX_WEAK__;1;__DEPRECATED;1;__GXX_RTTI;1;__cpp_rtti;199711;__GXX_EXPERIMENTAL_CXX0X__;1;__cpp_binary_literals;201304;__cpp_hex_float;201603;__cpp_runtime_arrays;198712;__cpp_unicode_characters;200704;__cpp_raw_strings;200710;__cpp_unicode_literals;200710;__cpp_user_defined_literals;200809;__cpp_lambdas;200907;__cpp_range_based_for;200907;__cpp_static_assert;200410;__cpp_decltype;200707;__cpp_attributes;200809;__cpp_rvalue_reference;200610;__cpp_rvalue_references;200610;__cpp_variadic_templates;200704;__cpp_initializer_lists;200806;__cpp_delegating_constructors;200604;__cpp_nsdmi;200809;__cpp_inheriting_constructors;201511;__cpp_ref_qualifiers;200710;__cpp_alias_templates;200704;__cpp_return_type_deduction;201304;__cpp_init_captures;201304;__cpp_generic_lambdas;201304;__cpp_constexpr;201304;__cpp_decltype_auto;201304;__cpp_aggregate_nsdmi;201304;__cpp_variable_templates;201304;__cpp_digit_separators;201309;__cpp_sized_deallocation;201309;__cpp_threadsafe_static_init;200806;__EXCEPTIONS;1;__cpp_exceptions;199711;__GXX_ABI_VERSION;1013;__SCHAR_MAX__;0x7f;__SHRT_MAX__;0x7fff;__INT_MAX__;0x7fffffff;__LONG_MAX__;0x7fffffffffffffffL;__LONG_LONG_MAX__;0x7fffffffffffffffLL;__WCHAR_MAX__;0x7fffffff;__WCHAR_MIN__;(-__WCHAR_MAX__ - 1);__WINT_MAX__;0xffffffffU;__WINT_MIN__;0U;__PTRDIFF_MAX__;0x7fffffffffffffffL;__SIZE_MAX__;0xffffffffffffffffUL;__SCHAR_WIDTH__;8;__SHRT_WIDTH__;16;__INT_WIDTH__;32;__LONG_WIDTH__;64;__LONG_LONG_WIDTH__;64;__WCHAR_WIDTH__;32;__WINT_WIDTH__;32;__PTRDIFF_WIDTH__;64;__SIZE_WIDTH__;64;__GLIBCXX_TYPE_INT_N_0;__int128;__GLIBCXX_BITSIZE_INT_N_0;128;__INTMAX_MAX__;0x7fffffffffffffffL;__INTMAX_C(c);c ## L;__UINTMAX_MAX__;0xffffffffffffffffUL;__UINTMAX_C(c);c ## UL;__INTMAX_WIDTH__;64;__SIG_ATOMIC_MAX__;0x7fffffff;__SIG_ATOMIC_MIN__;(-__SIG_ATOMIC_MAX__ - 1);__SIG_ATOMIC_WIDTH__;32;__INT8_MAX__;0x7f;__INT16_MAX__;0x7fff;__INT32_MAX__;0x7fffffff;__INT64_MAX__;0x7fffffffffffffffL;__UINT8_MAX__;0xff;__UINT16_MAX__;0xffff;__UINT32_MAX__;0xffffffffU;__UINT64_MAX__;0xffffffffffffffffUL;__INT_LEAST8_MAX__;0x7f;__INT8_C(c);c;__INT_LEAST8_WIDTH__;8;__INT_LEAST16_MAX__;0x7fff;__INT16_C(c);c;__INT_LEAST16_WIDTH__;16;__INT_LEAST32_MAX__;0x7fffffff;__INT32_C(c);c;__INT_LEAST32_WIDTH__;32;__INT_LEAST64_MAX__;0x7fffffffffffffffL;__INT64_C(c);c ## L;__INT_LEAST64_WIDTH__;64;__UINT_LEAST8_MAX__;0xff;__UINT8_C(c);c;__UINT_LEAST16_MAX__;0xffff;__UINT16_C(c);c;__UINT_LEAST32_MAX__;0xffffffffU;__UINT32_C(c);c ## U;__UINT_LEAST64_MAX__;0xffffffffffffffffUL;__UINT64_C(c);c ## UL;__INT_FAST8_MAX__;0x7f;__INT_FAST8_WIDTH__;8;__INT_FAST16_MAX__;0x7fffffffffffffffL;__INT_FAST16_WIDTH__;64;__INT_FAST32_MAX__;0x7fffffffffffffffL;__INT_FAST32_WIDTH__;64;__INT_FAST64_MAX__;0x7fffffffffffffffL;__INT_FAST64_WIDTH__;64;__UINT_FAST8_MAX__;0xff;__UINT_FAST16_MAX__;0xffffffffffffffffUL;__UINT_FAST32_MAX__;0xffffffffffffffffUL;__UINT_FAST64_MAX__;0xffffffffffffffffUL;__INTPTR_MAX__;0x7fffffffffffffffL;__INTPTR_WIDTH__;64;__UINTPTR_MAX__;0xffffffffffffffffUL;__GCC_IEC_559;2;__GCC_IEC_559_COMPLEX;2;__FLT_EVAL_METHOD__;0;__FLT_EVAL_METHOD_TS_18661_3__;0;__DEC_EVAL_METHOD__;2;__FLT_RADIX__;2;__FLT_MANT_DIG__;24;__FLT_DIG__;6;__FLT_MIN_EXP__;(-125);__FLT_MIN_10_EXP__;(-37);__FLT_MAX_EXP__;128;__FLT_MAX_10_EXP__;38;__FLT_DECIMAL_DIG__;9;__FLT_MAX__;3.40282346638528859811704183484516925e+38F;__FLT_MIN__;1.17549435082228750796873653722224568e-38F;__FLT_EPSILON__;1.19209289550781250000000000000000000e-7F;__FLT_DENORM_MIN__;1.40129846432481707092372958328991613e-45F;__FLT_HAS_DENORM__;1;__FLT_HAS_INFINITY__;1;__FLT_HAS_QUIET_NAN__;1;__DBL_MANT_DIG__;53;__DBL_DIG__;15;__DBL_MIN_EXP__;(-1021);__DBL_MIN_10_EXP__;(-307);__DBL_MAX_EXP__;1024;__DBL_MAX_10_EXP__;308;__DBL_DECIMAL_DIG__;17;__DBL_MAX__;double(1.79769313486231570814527423731704357e+308L);__DBL_MIN__;double(2.22507385850720138309023271733240406e-308L);__DBL_EPSILON__;double(2.22044604925031308084726333618164062e-16L);__DBL_DENORM_MIN__;double(4.94065645841246544176568792868221372e-324L);__DBL_HAS_DENORM__;1;__DBL_HAS_INFINITY__;1;__DBL_HAS_QUIET_NAN__;1;__LDBL_MANT_DIG__;64;__LDBL_DIG__;18;__LDBL_MIN_EXP__;(-16381);__LDBL_MIN_10_EXP__;(-4931);__LDBL_MAX_EXP__;16384;__LDBL_MAX_10_EXP__;4932;__DECIMAL_DIG__;21;__LDBL_DECIMAL_DIG__;21;__LDBL_MAX__;1.18973149535723176502126385303097021e+4932L;__LDBL_MIN__;3.36210314311209350626267781732175260e-4932L;__LDBL_EPSILON__;1.08420217248550443400745280086994171e-19L;__LDBL_DENORM_MIN__;3.64519953188247460252840593361941982e-4951L;__LDBL_HAS_DENORM__;1;__LDBL_HAS_INFINITY__;1;__LDBL_HAS_QUIET_NAN__;1;__FLT32_MANT_DIG__;24;__FLT32_DIG__;6;__FLT32_MIN_EXP__;(-125);__FLT32_MIN_10_EXP__;(-37);__FLT32_MAX_EXP__;128;__FLT32_MAX_10_EXP__;38;__FLT32_DECIMAL_DIG__;9;__FLT32_MAX__;3.40282346638528859811704183484516925e+38F32;__FLT32_MIN__;1.17549435082228750796873653722224568e-38F32;__FLT32_EPSILON__;1.19209289550781250000000000000000000e-7F32;__FLT32_DENORM_MIN__;1.40129846432481707092372958328991613e-45F32;__FLT32_HAS_DENORM__;1;__FLT32_HAS_INFINITY__;1;__FLT32_HAS_QUIET_NAN__;1;__FLT64_MANT_DIG__;53;__FLT64_DIG__;15;__FLT64_MIN_EXP__;(-1021);__FLT64_MIN_10_EXP__;(-307);__FLT64_MAX_EXP__;1024;__FLT64_MAX_10_EXP__;308;__FLT64_DECIMAL_DIG__;17;__FLT64_MAX__;1.79769313486231570814527423731704357e+308F64;__FLT64_MIN__;2.22507385850720138309023271733240406e-308F64;__FLT64_EPSILON__;2.22044604925031308084726333618164062e-16F64;__FLT64_DENORM_MIN__;4.94065645841246544176568792868221372e-324F64;__FLT64_HAS_DENORM__;1;__FLT64_HAS_INFINITY__;1;__FLT64_HAS_QUIET_NAN__;1;__FLT128_MANT_DIG__;113;__FLT128_DIG__;33;__FLT128_MIN_EXP__;(-16381);__FLT128_MIN_10_EXP__;(-4931);__FLT128_MAX_EXP__;16384;__FLT128_MAX_10_EXP__;4932;__FLT128_DECIMAL_DIG__;36;__FLT128_MAX__;1.18973149535723176508575932662800702e+4932F128;__FLT128_MIN__;3.36210314311209350626267781732175260e-4932F128;__FLT128_EPSILON__;1.92592994438723585305597794258492732e-34F128;__FLT128_DENORM_MIN__;6.47517511943802511092443895822764655e-4966F128;__FLT128_HAS_DENORM__;1;__FLT128_HAS_INFINITY__;1;__FLT128_HAS_QUIET_NAN__;1;__FLT32X_MANT_DIG__;53;__FLT32X_DIG__;15;__FLT32X_MIN_EXP__;(-1021);__FLT32X_MIN_10_EXP__;(-307);__FLT32X_MAX_EXP__;1024;__FLT32X_MAX_10_EXP__;308;__FLT32X_DECIMAL_DIG__;17;__FLT32X_MAX__;1.79769313486231570814527423731704357e+308F32x;__FLT32X_MIN__;2.22507385850720138309023271733240406e-308F32x;__FLT32X_EPSILON__;2.22044604925031308084726333618164062e-16F32x;__FLT32X_DENORM_MIN__;4.94065645841246544176568792868221372e-324F32x;__FLT32X_HAS_DENORM__;1;__FLT32X_HAS_INFINITY__;1;__FLT32X_HAS_QUIET_NAN__;1;__FLT64X_MANT_DIG__;64;__FLT64X_DIG__;18;__FLT64X_MIN_EXP__;(-16381);__FLT64X_MIN_10_EXP__;(-4931);__FLT64X_MAX_EXP__;16384;__FLT64X_MAX_10_EXP__;4932;__FLT64X_DECIMAL_DIG__;21;__FLT64X_MAX__;1.18973149535723176502126385303097021e+4932F64x;__FLT64X_MIN__;3.36210314311209350626267781732175260e-4932F64x;__FLT64X_EPSILON__;1.08420217248550443400745280086994171e-19F64x;__FLT64X_DENORM_MIN__;3.64519953188247460252840593361941982e-4951F64x;__FLT64X_HAS_DENORM__;1;__FLT64X_HAS_INFINITY__;1;__FLT64X_HAS_QUIET_NAN__;1;__DEC32_MANT_DIG__;7;__DEC32_MIN_EXP__;(-94);__DEC32_MAX_EXP__;97;__DEC32_MIN__;1E-95DF;__DEC32_MAX__;9.999999E96DF;__DEC32_EPSILON__;1E-6DF;__DEC32_SUBNORMAL_MIN__;0.000001E-95DF;__DEC64_MANT_DIG__;16;__DEC64_MIN_EXP__;(-382);__DEC64_MAX_EXP__;385;__DEC64_MIN__;1E-383DD;__DEC64_MAX__;9.999999999999999E384DD;__DEC64_EPSILON__;1E-15DD;__DEC64_SUBNORMAL_MIN__;0.000000000000001E-383DD;__DEC128_MANT_DIG__;34;__DEC128_MIN_EXP__;(-6142);__DEC128_MAX_EXP__;6145;__DEC128_MIN__;1E-6143DL;__DEC128_MAX__;9.999999999999999999999999999999999E6144DL;__DEC128_EPSILON__;1E-33DL;__DEC128_SUBNORMAL_MIN__;0.000000000000000000000000000000001E-6143DL;__REGISTER_PREFIX__; ;__USER_LABEL_PREFIX__; ;__GNUC_STDC_INLINE__;1;__NO_INLINE__;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_1;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_2;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_4;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_8;1;__GCC_ATOMIC_BOOL_LOCK_FREE;2;__GCC_ATOMIC_CHAR_LOCK_FREE;2;__GCC_ATOMIC_CHAR16_T_LOCK_FREE;2;__GCC_ATOMIC_CHAR32_T_LOCK_FREE;2;__GCC_ATOMIC_WCHAR_T_LOCK_FREE;2;__GCC_ATOMIC_SHORT_LOCK_FREE;2;__GCC_ATOMIC_INT_LOCK_FREE;2;__GCC_ATOMIC_LONG_LOCK_FREE;2;__GCC_ATOMIC_LLONG_LOCK_FREE;2;__GCC_ATOMIC_TEST_AND_SET_TRUEVAL;1;__GCC_ATOMIC_POINTER_LOCK_FREE;2;__HAVE_SPECULATION_SAFE_VALUE;1;__GCC_HAVE_DWARF2_CFI_ASM;1;__PRAGMA_REDEFINE_EXTNAME;1;__SSP_STRONG__;3;__SIZEOF_INT128__;16;__SIZEOF_WCHAR_T__;4;__SIZEOF_WINT_T__;4;__SIZEOF_PTRDIFF_T__;8;__amd64;1;__amd64__;1;__x86_64;1;__x86_64__;1;__SIZEOF_FLOAT80__;16;__SIZEOF_FLOAT128__;16;__ATOMIC_HLE_ACQUIRE;65536;__ATOMIC_HLE_RELEASE;131072;__GCC_ASM_FLAG_OUTPUTS__;1;__k8;1;__k8__;1;__code_model_small__;1;__MMX__;1;__SSE__;1;__SSE2__;1;__FXSR__;1;__SSE_MATH__;1;__SSE2_MATH__;1;__SEG_FS;1;__SEG_GS;1;__CET__;3;__gnu_linux__;1;__linux;1;__linux__;1;linux;1;__unix;1;__unix__;1;unix;1;__ELF__;1;__DECIMAL_BID_FORMAT__;1;_GNU_SOURCE;1;_STDC_PREDEF_H;1;__STDC_IEC_559__;1;__STDC_IEC_559_COMPLEX__;1;__STDC_ISO_10646__;201706L
//CXX compiler system include directories
CMAKE_EXTRA_GENERATOR_CXX_SYSTEM_INCLUDE_DIRS:INTERNAL=/usr/include/c++/9;/usr/include/x86_64-linux-gnu/c++/9;/usr/include/c++/9/backward;/usr/lib/gcc/x86_64-linux-gnu/9/include;/usr/local/include;/usr/include/x86_64-linux-gnu;/usr/include
//C compiler system defined macros
CMAKE_EXTRA_GENERATOR_C_SYSTEM_DEFINED_MACROS:INTERNAL=__STDC__;1;__STDC_VERSION__;201710L;__STDC_UTF_16__;1;__STDC_UTF_32__;1;__STDC_HOSTED__;1;__GNUC__;9;__GNUC_MINOR__;3;__GNUC_PATCHLEVEL__;0;__VERSION__;"9.3.0";__ATOMIC_RELAXED;0;__ATOMIC_SEQ_CST;5;__ATOMIC_ACQUIRE;2;__ATOMIC_RELEASE;3;__ATOMIC_ACQ_REL;4;__ATOMIC_CONSUME;1;__pic__;2;__PIC__;2;__pie__;2;__PIE__;2;__FINITE_MATH_ONLY__;0;_LP64;1;__LP64__;1;__SIZEOF_INT__;4;__SIZEOF_LONG__;8;__SIZEOF_LONG_LONG__;8;__SIZEOF_SHORT__;2;__SIZEOF_FLOAT__;4;__SIZEOF_DOUBLE__;8;__SIZEOF_LONG_DOUBLE__;16;__SIZEOF_SIZE_T__;8;__CHAR_BIT__;8;__BIGGEST_ALIGNMENT__;16;__ORDER_LITTLE_ENDIAN__;1234;__ORDER_BIG_ENDIAN__;4321;__ORDER_PDP_ENDIAN__;3412;__BYTE_ORDER__;__ORDER_LITTLE_ENDIAN__;__FLOAT_WORD_ORDER__;__ORDER_LITTLE_ENDIAN__;__SIZEOF_POINTER__;8;__SIZE_TYPE__;long unsigned int;__PTRDIFF_TYPE__;long int;__WCHAR_TYPE__;int;__WINT_TYPE__;unsigned int;__INTMAX_TYPE__;long int;__UINTMAX_TYPE__;long unsigned int;__CHAR16_TYPE__;short unsigned int;__CHAR32_TYPE__;unsigned int;__SIG_ATOMIC_TYPE__;int;__INT8_TYPE__;signed char;__INT16_TYPE__;short int;__INT32_TYPE__;int;__INT64_TYPE__;long int;__UINT8_TYPE__;unsigned char;__UINT16_TYPE__;short unsigned int;__UINT32_TYPE__;unsigned int;__UINT64_TYPE__;long unsigned int;__INT_LEAST8_TYPE__;signed char;__INT_LEAST16_TYPE__;short int;__INT_LEAST32_TYPE__;int;__INT_LEAST64_TYPE__;long int;__UINT_LEAST8_TYPE__;unsigned char;__UINT_LEAST16_TYPE__;short unsigned int;__UINT_LEAST32_TYPE__;unsigned int;__UINT_LEAST64_TYPE__;long unsigned int;__INT_FAST8_TYPE__;signed char;__INT_FAST16_TYPE__;long int;__INT_FAST32_TYPE__;long int;__INT_FAST64_TYPE__;long int;__UINT_FAST8_TYPE__;unsigned char;__UINT_FAST16_TYPE__;long unsigned int;__UINT_FAST32_TYPE__;long unsigned int;__UINT_FAST64_TYPE__;long unsigned int;__INTPTR_TYPE__;long int;__UINTPTR_TYPE__;long unsigned int;__has_include(STR);__has_include__(STR);__has_include_next(STR);__has_include_next__(STR);__GXX_ABI_VERSION;1013;__SCHAR_MAX__;0x7f;__SHRT_MAX__;0x7fff;__INT_MAX__;0x7fffffff;__LONG_MAX__;0x7fffffffffffffffL;__LONG_LONG_MAX__;0x7fffffffffffffffLL;__WCHAR_MAX__;0x7fffffff;__WCHAR_MIN__;(-__WCHAR_MAX__ - 1);__WINT_MAX__;0xffffffffU;__WINT_MIN__;0U;__PTRDIFF_MAX__;0x7fffffffffffffffL;__SIZE_MAX__;0xffffffffffffffffUL;__SCHAR_WIDTH__;8;__SHRT_WIDTH__;16;__INT_WIDTH__;32;__LONG_WIDTH__;64;__LONG_LONG_WIDTH__;64;__WCHAR_WIDTH__;32;__WINT_WIDTH__;32;__PTRDIFF_WIDTH__;64;__SIZE_WIDTH__;64;__INTMAX_MAX__;0x7fffffffffffffffL;__INTMAX_C(c);c ## L;__UINTMAX_MAX__;0xffffffffffffffffUL;__UINTMAX_C(c);c ## UL;__INTMAX_WIDTH__;64;__SIG_ATOMIC_MAX__;0x7fffffff;__SIG_ATOMIC_MIN__;(-__SIG_ATOMIC_MAX__ - 1);__SIG_ATOMIC_WIDTH__;32;__INT8_MAX__;0x7f;__INT16_MAX__;0x7fff;__INT32_MAX__;0x7fffffff;__INT64_MAX__;0x7fffffffffffffffL;__UINT8_MAX__;0xff;__UINT16_MAX__;0xffff;__UINT32_MAX__;0xffffffffU;__UINT64_MAX__;0xffffffffffffffffUL;__INT_LEAST8_MAX__;0x7f;__INT8_C(c);c;__INT_LEAST8_WIDTH__;8;__INT_LEAST16_MAX__;0x7fff;__INT16_C(c);c;__INT_LEAST16_WIDTH__;16;__INT_LEAST32_MAX__;0x7fffffff;__INT32_C(c);c;__INT_LEAST32_WIDTH__;32;__INT_LEAST64_MAX__;0x7fffffffffffffffL;__INT64_C(c);c ## L;__INT_LEAST64_WIDTH__;64;__UINT_LEAST8_MAX__;0xff;__UINT8_C(c);c;__UINT_LEAST16_MAX__;0xffff;__UINT16_C(c);c;__UINT_LEAST32_MAX__;0xffffffffU;__UINT32_C(c);c ## U;__UINT_LEAST64_MAX__;0xffffffffffffffffUL;__UINT64_C(c);c ## UL;__INT_FAST8_MAX__;0x7f;__INT_FAST8_WIDTH__;8;__INT_FAST16_MAX__;0x7fffffffffffffffL;__INT_FAST16_WIDTH__;64;__INT_FAST32_MAX__;0x7fffffffffffffffL;__INT_FAST32_WIDTH__;64;__INT_FAST64_MAX__;0x7fffffffffffffffL;__INT_FAST64_WIDTH__;64;__UINT_FAST8_MAX__;0xff;__UINT_FAST16_MAX__;0xffffffffffffffffUL;__UINT_FAST32_MAX__;0xffffffffffffffffUL;__UINT_FAST64_MAX__;0xffffffffffffffffUL;__INTPTR_MAX__;0x7fffffffffffffffL;__INTPTR_WIDTH__;64;__UINTPTR_MAX__;0xffffffffffffffffUL;__GCC_IEC_559;2;__GCC_IEC_559_COMPLEX;2;__FLT_EVAL_METHOD__;0;__FLT_EVAL_METHOD_TS_18661_3__;0;__DEC_EVAL_METHOD__;2;__FLT_RADIX__;2;__FLT_MANT_DIG__;24;__FLT_DIG__;6;__FLT_MIN_EXP__;(-125);__FLT_MIN_10_EXP__;(-37);__FLT_MAX_EXP__;128;__FLT_MAX_10_EXP__;38;__FLT_DECIMAL_DIG__;9;__FLT_MAX__;3.40282346638528859811704183484516925e+38F;__FLT_MIN__;1.17549435082228750796873653722224568e-38F;__FLT_EPSILON__;1.19209289550781250000000000000000000e-7F;__FLT_DENORM_MIN__;1.40129846432481707092372958328991613e-45F;__FLT_HAS_DENORM__;1;__FLT_HAS_INFINITY__;1;__FLT_HAS_QUIET_NAN__;1;__DBL_MANT_DIG__;53;__DBL_DIG__;15;__DBL_MIN_EXP__;(-1021);__DBL_MIN_10_EXP__;(-307);__DBL_MAX_EXP__;1024;__DBL_MAX_10_EXP__;308;__DBL_DECIMAL_DIG__;17;__DBL_MAX__;((double)1.79769313486231570814527423731704357e+308L);__DBL_MIN__;((double)2.22507385850720138309023271733240406e-308L);__DBL_EPSILON__;((double)2.22044604925031308084726333618164062e-16L);__DBL_DENORM_MIN__;((double)4.94065645841246544176568792868221372e-324L);__DBL_HAS_DENORM__;1;__DBL_HAS_INFINITY__;1;__DBL_HAS_QUIET_NAN__;1;__LDBL_MANT_DIG__;64;__LDBL_DIG__;18;__LDBL_MIN_EXP__;(-16381);__LDBL_MIN_10_EXP__;(-4931);__LDBL_MAX_EXP__;16384;__LDBL_MAX_10_EXP__;4932;__DECIMAL_DIG__;21;__LDBL_DECIMAL_DIG__;21;__LDBL_MAX__;1.18973149535723176502126385303097021e+4932L;__LDBL_MIN__;3.36210314311209350626267781732175260e-4932L;__LDBL_EPSILON__;1.08420217248550443400745280086994171e-19L;__LDBL_DENORM_MIN__;3.64519953188247460252840593361941982e-4951L;__LDBL_HAS_DENORM__;1;__LDBL_HAS_INFINITY__;1;__LDBL_HAS_QUIET_NAN__;1;__FLT32_MANT_DIG__;24;__FLT32_DIG__;6;__FLT32_MIN_EXP__;(-125);__FLT32_MIN_10_EXP__;(-37);__FLT32_MAX_EXP__;128;__FLT32_MAX_10_EXP__;38;__FLT32_DECIMAL_DIG__;9;__FLT32_MAX__;3.40282346638528859811704183484516925e+38F32;__FLT32_MIN__;1.17549435082228750796873653722224568e-38F32;__FLT32_EPSILON__;1.19209289550781250000000000000000000e-7F32;__FLT32_DENORM_MIN__;1.40129846432481707092372958328991613e-45F32;__FLT32_HAS_DENORM__;1;__FLT32_HAS_INFINITY__;1;__FLT32_HAS_QUIET_NAN__;1;__FLT64_MANT_DIG__;53;__FLT64_DIG__;15;__FLT64_MIN_EXP__;(-1021);__FLT64_MIN_10_EXP__;(-307);__FLT64_MAX_EXP__;1024;__FLT64_MAX_10_EXP__;308;__FLT64_DECIMAL_DIG__;17;__FLT64_MAX__;1.79769313486231570814527423731704357e+308F64;__FLT64_MIN__;2.22507385850720138309023271733240406e-308F64;__FLT64_EPSILON__;2.22044604925031308084726333618164062e-16F64;__FLT64_DENORM_MIN__;4.94065645841246544176568792868221372e-324F64;__FLT64_HAS_DENORM__;1;__FLT64_HAS_INFINITY__;1;__FLT64_HAS_QUIET_NAN__;1;__FLT128_MANT_DIG__;113;__FLT128_DIG__;33;__FLT128_MIN_EXP__;(-16381);__FLT128_MIN_10_EXP__;(-4931);__FLT128_MAX_EXP__;16384;__FLT128_MAX_10_EXP__;4932;__FLT128_DECIMAL_DIG__;36;__FLT128_MAX__;1.18973149535723176508575932662800702e+4932F128;__FLT128_MIN__;3.36210314311209350626267781732175260e-4932F128;__FLT128_EPSILON__;1.92592994438723585305597794258492732e-34F128;__FLT128_DENORM_MIN__;6.47517511943802511092443895822764655e-4966F128;__FLT128_HAS_DENORM__;1;__FLT128_HAS_INFINITY__;1;__FLT128_HAS_QUIET_NAN__;1;__FLT32X_MANT_DIG__;53;__FLT32X_DIG__;15;__FLT32X_MIN_EXP__;(-1021);__FLT32X_MIN_10_EXP__;(-307);__FLT32X_MAX_EXP__;1024;__FLT32X_MAX_10_EXP__;308;__FLT32X_DECIMAL_DIG__;17;__FLT32X_MAX__;1.79769313486231570814527423731704357e+308F32x;__FLT32X_MIN__;2.22507385850720138309023271733240406e-308F32x;__FLT32X_EPSILON__;2.22044604925031308084726333618164062e-16F32x;__FLT32X_DENORM_MIN__;4.94065645841246544176568792868221372e-324F32x;__FLT32X_HAS_DENORM__;1;__FLT32X_HAS_INFINITY__;1;__FLT32X_HAS_QUIET_NAN__;1;__FLT64X_MANT_DIG__;64;__FLT64X_DIG__;18;__FLT64X_MIN_EXP__;(-16381);__FLT64X_MIN_10_EXP__;(-4931);__FLT64X_MAX_EXP__;16384;__FLT64X_MAX_10_EXP__;4932;__FLT64X_DECIMAL_DIG__;21;__FLT64X_MAX__;1.18973149535723176502126385303097021e+4932F64x;__FLT64X_MIN__;3.36210314311209350626267781732175260e-4932F64x;__FLT64X_EPSILON__;1.08420217248550443400745280086994171e-19F64x;__FLT64X_DENORM_MIN__;3.64519953188247460252840593361941982e-4951F64x;__FLT64X_HAS_DENORM__;1;__FLT64X_HAS_INFINITY__;1;__FLT64X_HAS_QUIET_NAN__;1;__DEC32_MANT_DIG__;7;__DEC32_MIN_EXP__;(-94);__DEC32_MAX_EXP__;97;__DEC32_MIN__;1E-95DF;__DEC32_MAX__;9.999999E96DF;__DEC32_EPSILON__;1E-6DF;__DEC32_SUBNORMAL_MIN__;0.000001E-95DF;__DEC64_MANT_DIG__;16;__DEC64_MIN_EXP__;(-382);__DEC64_MAX_EXP__;385;__DEC64_MIN__;1E-383DD;__DEC64_MAX__;9.999999999999999E384DD;__DEC64_EPSILON__;1E-15DD;__DEC64_SUBNORMAL_MIN__;0.000000000000001E-383DD;__DEC128_MANT_DIG__;34;__DEC128_MIN_EXP__;(-6142);__DEC128_MAX_EXP__;6145;__DEC128_MIN__;1E-6143DL;__DEC128_MAX__;9.999999999999999999999999999999999E6144DL;__DEC128_EPSILON__;1E-33DL;__DEC128_SUBNORMAL_MIN__;0.000000000000000000000000000000001E-6143DL;__REGISTER_PREFIX__; ;__USER_LABEL_PREFIX__; ;__GNUC_STDC_INLINE__;1;__NO_INLINE__;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_1;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_2;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_4;1;__GCC_HAVE_SYNC_COMPARE_AND_SWAP_8;1;__GCC_ATOMIC_BOOL_LOCK_FREE;2;__GCC_ATOMIC_CHAR_LOCK_FREE;2;__GCC_ATOMIC_CHAR16_T_LOCK_FREE;2;__GCC_ATOMIC_CHAR32_T_LOCK_FREE;2;__GCC_ATOMIC_WCHAR_T_LOCK_FREE;2;__GCC_ATOMIC_SHORT_LOCK_FREE;2;__GCC_ATOMIC_INT_LOCK_FREE;2;__GCC_ATOMIC_LONG_LOCK_FREE;2;__GCC_ATOMIC_LLONG_LOCK_FREE;2;__GCC_ATOMIC_TEST_AND_SET_TRUEVAL;1;__GCC_ATOMIC_POINTER_LOCK_FREE;2;__HAVE_SPECULATION_SAFE_VALUE;1;__GCC_HAVE_DWARF2_CFI_ASM;1;__PRAGMA_REDEFINE_EXTNAME;1;__SSP_STRONG__;3;__SIZEOF_INT128__;16;__SIZEOF_WCHAR_T__;4;__SIZEOF_WINT_T__;4;__SIZEOF_PTRDIFF_T__;8;__amd64;1;__amd64__;1;__x86_64;1;__x86_64__;1;__SIZEOF_FLOAT80__;16;__SIZEOF_FLOAT128__;16;__ATOMIC_HLE_ACQUIRE;65536;__ATOMIC_HLE_RELEASE;131072;__GCC_ASM_FLAG_OUTPUTS__;1;__k8;1;__k8__;1;__code_model_small__;1;__MMX__;1;__SSE__;1;__SSE2__;1;__FXSR__;1;__SSE_MATH__;1;__SSE2_MATH__;1;__SEG_FS;1;__SEG_GS;1;__CET__;3;__gnu_linux__;1;__linux;1;__linux__;1;linux;1;__unix;1;__unix__;1;unix;1;__ELF__;1;__DECIMAL_BID_FORMAT__;1;_STDC_PREDEF_H;1;__STDC_IEC_559__;1;__STDC_IEC_559_COMPLEX__;1;__STDC_ISO_10646__;201706L
//C compiler system include directories
CMAKE_EXTRA_GENERATOR_C_SYSTEM_INCLUDE_DIRS:INTERNAL=/usr/lib/gcc/x86_64-linux-gnu/9/include;/usr/local/include;/usr/include/x86_64-linux-gnu;/usr/include
//Name of generator.
CMAKE_GENERATOR:INTERNAL=Unix Makefiles
//Generator instance identifier.
CMAKE_GENERATOR_INSTANCE:INTERNAL=
//Name of generator platform.
CMAKE_GENERATOR_PLATFORM:INTERNAL=
//Name of generator toolset.
CMAKE_GENERATOR_TOOLSET:INTERNAL=
//Test CMAKE_HAVE_LIBC_PTHREAD
CMAKE_HAVE_LIBC_PTHREAD:INTERNAL=
//Have library pthreads
CMAKE_HAVE_PTHREADS_CREATE:INTERNAL=
//Have library pthread
CMAKE_HAVE_PTHREAD_CREATE:INTERNAL=1
//Have include pthread.h
CMAKE_HAVE_PTHREAD_H:INTERNAL=1
//Source directory with the top level CMakeLists.txt file for this
// project
CMAKE_HOME_DIRECTORY:INTERNAL=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore
//Install .so files without execute permission.
CMAKE_INSTALL_SO_NO_EXE:INTERNAL=1
//ADVANCED property for variable: CMAKE_LINKER
CMAKE_LINKER-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_MAKE_PROGRAM
CMAKE_MAKE_PROGRAM-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_MODULE_LINKER_FLAGS
CMAKE_MODULE_LINKER_FLAGS-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_MODULE_LINKER_FLAGS_DEBUG
CMAKE_MODULE_LINKER_FLAGS_DEBUG-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_MODULE_LINKER_FLAGS_MINSIZEREL
CMAKE_MODULE_LINKER_FLAGS_MINSIZEREL-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_MODULE_LINKER_FLAGS_RELEASE
CMAKE_MODULE_LINKER_FLAGS_RELEASE-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_MODULE_LINKER_FLAGS_RELWITHDEBINFO
CMAKE_MODULE_LINKER_FLAGS_RELWITHDEBINFO-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_NM
CMAKE_NM-ADVANCED:INTERNAL=1
//number of local generators
CMAKE_NUMBER_OF_MAKEFILES:INTERNAL=1
//ADVANCED property for variable: CMAKE_OBJCOPY
CMAKE_OBJCOPY-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_OBJDUMP
CMAKE_OBJDUMP-ADVANCED:INTERNAL=1
//Platform information initialized
CMAKE_PLATFORM_INFO_INITIALIZED:INTERNAL=1
//ADVANCED property for variable: CMAKE_RANLIB
CMAKE_RANLIB-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_READELF
CMAKE_READELF-ADVANCED:INTERNAL=1
//Path to CMake installation.
CMAKE_ROOT:INTERNAL=/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20
//ADVANCED property for variable: CMAKE_SHARED_LINKER_FLAGS
CMAKE_SHARED_LINKER_FLAGS-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_SHARED_LINKER_FLAGS_DEBUG
CMAKE_SHARED_LINKER_FLAGS_DEBUG-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_SHARED_LINKER_FLAGS_MINSIZEREL
CMAKE_SHARED_LINKER_FLAGS_MINSIZEREL-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_SHARED_LINKER_FLAGS_RELEASE
CMAKE_SHARED_LINKER_FLAGS_RELEASE-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_SHARED_LINKER_FLAGS_RELWITHDEBINFO
CMAKE_SHARED_LINKER_FLAGS_RELWITHDEBINFO-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_SKIP_INSTALL_RPATH
CMAKE_SKIP_INSTALL_RPATH-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_SKIP_RPATH
CMAKE_SKIP_RPATH-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_STATIC_LINKER_FLAGS
CMAKE_STATIC_LINKER_FLAGS-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_STATIC_LINKER_FLAGS_DEBUG
CMAKE_STATIC_LINKER_FLAGS_DEBUG-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_STATIC_LINKER_FLAGS_MINSIZEREL
CMAKE_STATIC_LINKER_FLAGS_MINSIZEREL-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_STATIC_LINKER_FLAGS_RELEASE
CMAKE_STATIC_LINKER_FLAGS_RELEASE-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_STATIC_LINKER_FLAGS_RELWITHDEBINFO
CMAKE_STATIC_LINKER_FLAGS_RELWITHDEBINFO-ADVANCED:INTERNAL=1
//ADVANCED property for variable: CMAKE_STRIP
CMAKE_STRIP-ADVANCED:INTERNAL=1
//uname command
CMAKE_UNAME:INTERNAL=/usr/bin/uname
//ADVANCED property for variable: CMAKE_VERBOSE_MAKEFILE
CMAKE_VERBOSE_MAKEFILE-ADVANCED:INTERNAL=1
//Details about finding Protobuf
FIND_PACKAGE_MESSAGE_DETAILS_Protobuf:INTERNAL=[/home/sagar/.local/bin/protoc-3.15.8.0][/home/sagar/.local/lib/libprotobuf.a][/home/sagar/.local/include][v3.15.8.0()]
//Details about finding Threads
FIND_PACKAGE_MESSAGE_DETAILS_Threads:INTERNAL=[TRUE][v()]
//ADVANCED property for variable: ProcessorCount_cmd_nproc
ProcessorCount_cmd_nproc-ADVANCED:INTERNAL=1
//ADVANCED property for variable: ProcessorCount_cmd_sysctl
ProcessorCount_cmd_sysctl-ADVANCED:INTERNAL=1
//ADVANCED property for variable: protobuf_MODULE_COMPATIBLE
protobuf_MODULE_COMPATIBLE-ADVANCED:INTERNAL=1
//ADVANCED property for variable: protobuf_VERBOSE
protobuf_VERBOSE-ADVANCED:INTERNAL=1
set(CMAKE_C_COMPILER "/usr/bin/cc")
set(CMAKE_C_COMPILER_ARG1 "")
set(CMAKE_C_COMPILER_ID "GNU")
set(CMAKE_C_COMPILER_VERSION "9.3.0")
set(CMAKE_C_COMPILER_VERSION_INTERNAL "")
set(CMAKE_C_COMPILER_WRAPPER "")
set(CMAKE_C_STANDARD_COMPUTED_DEFAULT "11")
set(CMAKE_C_COMPILE_FEATURES "c_std_90;c_function_prototypes;c_std_99;c_restrict;c_variadic_macros;c_std_11;c_static_assert")
set(CMAKE_C90_COMPILE_FEATURES "c_std_90;c_function_prototypes")
set(CMAKE_C99_COMPILE_FEATURES "c_std_99;c_restrict;c_variadic_macros")
set(CMAKE_C11_COMPILE_FEATURES "c_std_11;c_static_assert")
set(CMAKE_C_PLATFORM_ID "Linux")
set(CMAKE_C_SIMULATE_ID "")
set(CMAKE_C_COMPILER_FRONTEND_VARIANT "")
set(CMAKE_C_SIMULATE_VERSION "")
set(CMAKE_AR "/usr/bin/ar")
set(CMAKE_C_COMPILER_AR "/usr/bin/gcc-ar-9")
set(CMAKE_RANLIB "/usr/bin/ranlib")
set(CMAKE_C_COMPILER_RANLIB "/usr/bin/gcc-ranlib-9")
set(CMAKE_LINKER "/usr/bin/ld")
set(CMAKE_MT "")
set(CMAKE_COMPILER_IS_GNUCC 1)
set(CMAKE_C_COMPILER_LOADED 1)
set(CMAKE_C_COMPILER_WORKS TRUE)
set(CMAKE_C_ABI_COMPILED TRUE)
set(CMAKE_COMPILER_IS_MINGW )
set(CMAKE_COMPILER_IS_CYGWIN )
if(CMAKE_COMPILER_IS_CYGWIN)
set(CYGWIN 1)
set(UNIX 1)
endif()
set(CMAKE_C_COMPILER_ENV_VAR "CC")
if(CMAKE_COMPILER_IS_MINGW)
set(MINGW 1)
endif()
set(CMAKE_C_COMPILER_ID_RUN 1)
set(CMAKE_C_SOURCE_FILE_EXTENSIONS c;m)
set(CMAKE_C_IGNORE_EXTENSIONS h;H;o;O;obj;OBJ;def;DEF;rc;RC)
set(CMAKE_C_LINKER_PREFERENCE 10)
# Save compiler ABI information.
set(CMAKE_C_SIZEOF_DATA_PTR "8")
set(CMAKE_C_COMPILER_ABI "ELF")
set(CMAKE_C_BYTE_ORDER "LITTLE_ENDIAN")
set(CMAKE_C_LIBRARY_ARCHITECTURE "x86_64-linux-gnu")
if(CMAKE_C_SIZEOF_DATA_PTR)
set(CMAKE_SIZEOF_VOID_P "${CMAKE_C_SIZEOF_DATA_PTR}")
endif()
if(CMAKE_C_COMPILER_ABI)
set(CMAKE_INTERNAL_PLATFORM_ABI "${CMAKE_C_COMPILER_ABI}")
endif()
if(CMAKE_C_LIBRARY_ARCHITECTURE)
set(CMAKE_LIBRARY_ARCHITECTURE "x86_64-linux-gnu")
endif()
set(CMAKE_C_CL_SHOWINCLUDES_PREFIX "")
if(CMAKE_C_CL_SHOWINCLUDES_PREFIX)
set(CMAKE_CL_SHOWINCLUDES_PREFIX "${CMAKE_C_CL_SHOWINCLUDES_PREFIX}")
endif()
set(CMAKE_C_IMPLICIT_INCLUDE_DIRECTORIES "/usr/lib/gcc/x86_64-linux-gnu/9/include;/usr/local/include;/usr/include/x86_64-linux-gnu;/usr/include")
set(CMAKE_C_IMPLICIT_LINK_LIBRARIES "gcc;gcc_s;c;gcc;gcc_s")
set(CMAKE_C_IMPLICIT_LINK_DIRECTORIES "/usr/lib/gcc/x86_64-linux-gnu/9;/usr/lib/x86_64-linux-gnu;/usr/lib;/lib/x86_64-linux-gnu;/lib")
set(CMAKE_C_IMPLICIT_LINK_FRAMEWORK_DIRECTORIES "")
set(CMAKE_CXX_COMPILER "/usr/bin/c++")
set(CMAKE_CXX_COMPILER_ARG1 "")
set(CMAKE_CXX_COMPILER_ID "GNU")
set(CMAKE_CXX_COMPILER_VERSION "9.3.0")
set(CMAKE_CXX_COMPILER_VERSION_INTERNAL "")
set(CMAKE_CXX_COMPILER_WRAPPER "")
set(CMAKE_CXX_STANDARD_COMPUTED_DEFAULT "14")
set(CMAKE_CXX_COMPILE_FEATURES "cxx_std_98;cxx_template_template_parameters;cxx_std_11;cxx_alias_templates;cxx_alignas;cxx_alignof;cxx_attributes;cxx_auto_type;cxx_constexpr;cxx_decltype;cxx_decltype_incomplete_return_types;cxx_default_function_template_args;cxx_defaulted_functions;cxx_defaulted_move_initializers;cxx_delegating_constructors;cxx_deleted_functions;cxx_enum_forward_declarations;cxx_explicit_conversions;cxx_extended_friend_declarations;cxx_extern_templates;cxx_final;cxx_func_identifier;cxx_generalized_initializers;cxx_inheriting_constructors;cxx_inline_namespaces;cxx_lambdas;cxx_local_type_template_args;cxx_long_long_type;cxx_noexcept;cxx_nonstatic_member_init;cxx_nullptr;cxx_override;cxx_range_for;cxx_raw_string_literals;cxx_reference_qualified_functions;cxx_right_angle_brackets;cxx_rvalue_references;cxx_sizeof_member;cxx_static_assert;cxx_strong_enums;cxx_thread_local;cxx_trailing_return_types;cxx_unicode_literals;cxx_uniform_initialization;cxx_unrestricted_unions;cxx_user_literals;cxx_variadic_macros;cxx_variadic_templates;cxx_std_14;cxx_aggregate_default_initializers;cxx_attribute_deprecated;cxx_binary_literals;cxx_contextual_conversions;cxx_decltype_auto;cxx_digit_separators;cxx_generic_lambdas;cxx_lambda_init_captures;cxx_relaxed_constexpr;cxx_return_type_deduction;cxx_variable_templates;cxx_std_17;cxx_std_20")
set(CMAKE_CXX98_COMPILE_FEATURES "cxx_std_98;cxx_template_template_parameters")
set(CMAKE_CXX11_COMPILE_FEATURES "cxx_std_11;cxx_alias_templates;cxx_alignas;cxx_alignof;cxx_attributes;cxx_auto_type;cxx_constexpr;cxx_decltype;cxx_decltype_incomplete_return_types;cxx_default_function_template_args;cxx_defaulted_functions;cxx_defaulted_move_initializers;cxx_delegating_constructors;cxx_deleted_functions;cxx_enum_forward_declarations;cxx_explicit_conversions;cxx_extended_friend_declarations;cxx_extern_templates;cxx_final;cxx_func_identifier;cxx_generalized_initializers;cxx_inheriting_constructors;cxx_inline_namespaces;cxx_lambdas;cxx_local_type_template_args;cxx_long_long_type;cxx_noexcept;cxx_nonstatic_member_init;cxx_nullptr;cxx_override;cxx_range_for;cxx_raw_string_literals;cxx_reference_qualified_functions;cxx_right_angle_brackets;cxx_rvalue_references;cxx_sizeof_member;cxx_static_assert;cxx_strong_enums;cxx_thread_local;cxx_trailing_return_types;cxx_unicode_literals;cxx_uniform_initialization;cxx_unrestricted_unions;cxx_user_literals;cxx_variadic_macros;cxx_variadic_templates")
set(CMAKE_CXX14_COMPILE_FEATURES "cxx_std_14;cxx_aggregate_default_initializers;cxx_attribute_deprecated;cxx_binary_literals;cxx_contextual_conversions;cxx_decltype_auto;cxx_digit_separators;cxx_generic_lambdas;cxx_lambda_init_captures;cxx_relaxed_constexpr;cxx_return_type_deduction;cxx_variable_templates")
set(CMAKE_CXX17_COMPILE_FEATURES "cxx_std_17")
set(CMAKE_CXX20_COMPILE_FEATURES "cxx_std_20")
set(CMAKE_CXX23_COMPILE_FEATURES "")
set(CMAKE_CXX_PLATFORM_ID "Linux")
set(CMAKE_CXX_SIMULATE_ID "")
set(CMAKE_CXX_COMPILER_FRONTEND_VARIANT "")
set(CMAKE_CXX_SIMULATE_VERSION "")
set(CMAKE_AR "/usr/bin/ar")
set(CMAKE_CXX_COMPILER_AR "/usr/bin/gcc-ar-9")
set(CMAKE_RANLIB "/usr/bin/ranlib")
set(CMAKE_CXX_COMPILER_RANLIB "/usr/bin/gcc-ranlib-9")
set(CMAKE_LINKER "/usr/bin/ld")
set(CMAKE_MT "")
set(CMAKE_COMPILER_IS_GNUCXX 1)
set(CMAKE_CXX_COMPILER_LOADED 1)
set(CMAKE_CXX_COMPILER_WORKS TRUE)
set(CMAKE_CXX_ABI_COMPILED TRUE)
set(CMAKE_COMPILER_IS_MINGW )
set(CMAKE_COMPILER_IS_CYGWIN )
if(CMAKE_COMPILER_IS_CYGWIN)
set(CYGWIN 1)
set(UNIX 1)
endif()
set(CMAKE_CXX_COMPILER_ENV_VAR "CXX")
if(CMAKE_COMPILER_IS_MINGW)
set(MINGW 1)
endif()
set(CMAKE_CXX_COMPILER_ID_RUN 1)
set(CMAKE_CXX_SOURCE_FILE_EXTENSIONS C;M;c++;cc;cpp;cxx;m;mm;mpp;CPP)
set(CMAKE_CXX_IGNORE_EXTENSIONS inl;h;hpp;HPP;H;o;O;obj;OBJ;def;DEF;rc;RC)
foreach (lang C OBJC OBJCXX)
if (CMAKE_${lang}_COMPILER_ID_RUN)
foreach(extension IN LISTS CMAKE_${lang}_SOURCE_FILE_EXTENSIONS)
list(REMOVE_ITEM CMAKE_CXX_SOURCE_FILE_EXTENSIONS ${extension})
endforeach()
endif()
endforeach()
set(CMAKE_CXX_LINKER_PREFERENCE 30)
set(CMAKE_CXX_LINKER_PREFERENCE_PROPAGATES 1)
# Save compiler ABI information.
set(CMAKE_CXX_SIZEOF_DATA_PTR "8")
set(CMAKE_CXX_COMPILER_ABI "ELF")
set(CMAKE_CXX_BYTE_ORDER "LITTLE_ENDIAN")
set(CMAKE_CXX_LIBRARY_ARCHITECTURE "x86_64-linux-gnu")
if(CMAKE_CXX_SIZEOF_DATA_PTR)
set(CMAKE_SIZEOF_VOID_P "${CMAKE_CXX_SIZEOF_DATA_PTR}")
endif()
if(CMAKE_CXX_COMPILER_ABI)
set(CMAKE_INTERNAL_PLATFORM_ABI "${CMAKE_CXX_COMPILER_ABI}")
endif()
if(CMAKE_CXX_LIBRARY_ARCHITECTURE)
set(CMAKE_LIBRARY_ARCHITECTURE "x86_64-linux-gnu")
endif()
set(CMAKE_CXX_CL_SHOWINCLUDES_PREFIX "")
if(CMAKE_CXX_CL_SHOWINCLUDES_PREFIX)
set(CMAKE_CL_SHOWINCLUDES_PREFIX "${CMAKE_CXX_CL_SHOWINCLUDES_PREFIX}")
endif()
set(CMAKE_CXX_IMPLICIT_INCLUDE_DIRECTORIES "/usr/include/c++/9;/usr/include/x86_64-linux-gnu/c++/9;/usr/include/c++/9/backward;/usr/lib/gcc/x86_64-linux-gnu/9/include;/usr/local/include;/usr/include/x86_64-linux-gnu;/usr/include")
set(CMAKE_CXX_IMPLICIT_LINK_LIBRARIES "stdc++;m;gcc_s;gcc;c;gcc_s;gcc")
set(CMAKE_CXX_IMPLICIT_LINK_DIRECTORIES "/usr/lib/gcc/x86_64-linux-gnu/9;/usr/lib/x86_64-linux-gnu;/usr/lib;/lib/x86_64-linux-gnu;/lib")
set(CMAKE_CXX_IMPLICIT_LINK_FRAMEWORK_DIRECTORIES "")
set(CMAKE_HOST_SYSTEM "Linux-5.11.0-37-generic")
set(CMAKE_HOST_SYSTEM_NAME "Linux")
set(CMAKE_HOST_SYSTEM_VERSION "5.11.0-37-generic")
set(CMAKE_HOST_SYSTEM_PROCESSOR "x86_64")
set(CMAKE_SYSTEM "Linux-5.11.0-37-generic")
set(CMAKE_SYSTEM_NAME "Linux")
set(CMAKE_SYSTEM_VERSION "5.11.0-37-generic")
set(CMAKE_SYSTEM_PROCESSOR "x86_64")
set(CMAKE_CROSSCOMPILING "FALSE")
set(CMAKE_SYSTEM_LOADED 1)
#ifdef __cplusplus
# error "A C++ compiler has been selected for C."
#endif
#if defined(__18CXX)
# define ID_VOID_MAIN
#endif
#if defined(__CLASSIC_C__)
/* cv-qualifiers did not exist in K&R C */
# define const
# define volatile
#endif
/* Version number components: V=Version, R=Revision, P=Patch
Version date components: YYYY=Year, MM=Month, DD=Day */
#if defined(__INTEL_COMPILER) || defined(__ICC)
# define COMPILER_ID "Intel"
# if defined(_MSC_VER)
# define SIMULATE_ID "MSVC"
# endif
# if defined(__GNUC__)
# define SIMULATE_ID "GNU"
# endif
/* __INTEL_COMPILER = VRP prior to 2021, and then VVVV for 2021 and later,
except that a few beta releases use the old format with V=2021. */
# if __INTEL_COMPILER < 2021 || __INTEL_COMPILER == 202110 || __INTEL_COMPILER == 202111
# define COMPILER_VERSION_MAJOR DEC(__INTEL_COMPILER/100)
# define COMPILER_VERSION_MINOR DEC(__INTEL_COMPILER/10 % 10)
# if defined(__INTEL_COMPILER_UPDATE)
# define COMPILER_VERSION_PATCH DEC(__INTEL_COMPILER_UPDATE)
# else
# define COMPILER_VERSION_PATCH DEC(__INTEL_COMPILER % 10)
# endif
# else
# define COMPILER_VERSION_MAJOR DEC(__INTEL_COMPILER)
# define COMPILER_VERSION_MINOR DEC(__INTEL_COMPILER_UPDATE)
/* The third version component from --version is an update index,
but no macro is provided for it. */
# define COMPILER_VERSION_PATCH DEC(0)
# endif
# if defined(__INTEL_COMPILER_BUILD_DATE)
/* __INTEL_COMPILER_BUILD_DATE = YYYYMMDD */
# define COMPILER_VERSION_TWEAK DEC(__INTEL_COMPILER_BUILD_DATE)
# endif
# if defined(_MSC_VER)
/* _MSC_VER = VVRR */
# define SIMULATE_VERSION_MAJOR DEC(_MSC_VER / 100)
# define SIMULATE_VERSION_MINOR DEC(_MSC_VER % 100)
# endif
# if defined(__GNUC__)
# define SIMULATE_VERSION_MAJOR DEC(__GNUC__)
# elif defined(__GNUG__)
# define SIMULATE_VERSION_MAJOR DEC(__GNUG__)
# endif
# if defined(__GNUC_MINOR__)
# define SIMULATE_VERSION_MINOR DEC(__GNUC_MINOR__)
# endif
# if defined(__GNUC_PATCHLEVEL__)
# define SIMULATE_VERSION_PATCH DEC(__GNUC_PATCHLEVEL__)
# endif
#elif (defined(__clang__) && defined(__INTEL_CLANG_COMPILER)) || defined(__INTEL_LLVM_COMPILER)
# define COMPILER_ID "IntelLLVM"
#if defined(_MSC_VER)
# define SIMULATE_ID "MSVC"
#endif
#if defined(__GNUC__)
# define SIMULATE_ID "GNU"
#endif
/* __INTEL_LLVM_COMPILER = VVVVRP prior to 2021.2.0, VVVVRRPP for 2021.2.0 and
* later. Look for 6 digit vs. 8 digit version number to decide encoding.
* VVVV is no smaller than the current year when a versio is released.
*/
#if __INTEL_LLVM_COMPILER < 1000000L
# define COMPILER_VERSION_MAJOR DEC(__INTEL_LLVM_COMPILER/100)
# define COMPILER_VERSION_MINOR DEC(__INTEL_LLVM_COMPILER/10 % 10)
# define COMPILER_VERSION_PATCH DEC(__INTEL_LLVM_COMPILER % 10)
#else
# define COMPILER_VERSION_MAJOR DEC(__INTEL_LLVM_COMPILER/10000)
# define COMPILER_VERSION_MINOR DEC(__INTEL_LLVM_COMPILER/100 % 100)
# define COMPILER_VERSION_PATCH DEC(__INTEL_LLVM_COMPILER % 100)
#endif
#if defined(_MSC_VER)
/* _MSC_VER = VVRR */
# define SIMULATE_VERSION_MAJOR DEC(_MSC_VER / 100)
# define SIMULATE_VERSION_MINOR DEC(_MSC_VER % 100)
#endif
#if defined(__GNUC__)
# define SIMULATE_VERSION_MAJOR DEC(__GNUC__)
#elif defined(__GNUG__)
# define SIMULATE_VERSION_MAJOR DEC(__GNUG__)
#endif
#if defined(__GNUC_MINOR__)
# define SIMULATE_VERSION_MINOR DEC(__GNUC_MINOR__)
#endif
#if defined(__GNUC_PATCHLEVEL__)
# define SIMULATE_VERSION_PATCH DEC(__GNUC_PATCHLEVEL__)
#endif
#elif defined(__PATHCC__)
# define COMPILER_ID "PathScale"
# define COMPILER_VERSION_MAJOR DEC(__PATHCC__)
# define COMPILER_VERSION_MINOR DEC(__PATHCC_MINOR__)
# if defined(__PATHCC_PATCHLEVEL__)
# define COMPILER_VERSION_PATCH DEC(__PATHCC_PATCHLEVEL__)
# endif
#elif defined(__BORLANDC__) && defined(__CODEGEARC_VERSION__)
# define COMPILER_ID "Embarcadero"
# define COMPILER_VERSION_MAJOR HEX(__CODEGEARC_VERSION__>>24 & 0x00FF)
# define COMPILER_VERSION_MINOR HEX(__CODEGEARC_VERSION__>>16 & 0x00FF)
# define COMPILER_VERSION_PATCH DEC(__CODEGEARC_VERSION__ & 0xFFFF)
#elif defined(__BORLANDC__)
# define COMPILER_ID "Borland"
/* __BORLANDC__ = 0xVRR */
# define COMPILER_VERSION_MAJOR HEX(__BORLANDC__>>8)
# define COMPILER_VERSION_MINOR HEX(__BORLANDC__ & 0xFF)
#elif defined(__WATCOMC__) && __WATCOMC__ < 1200
# define COMPILER_ID "Watcom"
/* __WATCOMC__ = VVRR */
# define COMPILER_VERSION_MAJOR DEC(__WATCOMC__ / 100)
# define COMPILER_VERSION_MINOR DEC((__WATCOMC__ / 10) % 10)
# if (__WATCOMC__ % 10) > 0
# define COMPILER_VERSION_PATCH DEC(__WATCOMC__ % 10)
# endif
#elif defined(__WATCOMC__)
# define COMPILER_ID "OpenWatcom"
/* __WATCOMC__ = VVRP + 1100 */
# define COMPILER_VERSION_MAJOR DEC((__WATCOMC__ - 1100) / 100)
# define COMPILER_VERSION_MINOR DEC((__WATCOMC__ / 10) % 10)
# if (__WATCOMC__ % 10) > 0
# define COMPILER_VERSION_PATCH DEC(__WATCOMC__ % 10)
# endif
#elif defined(__SUNPRO_C)
# define COMPILER_ID "SunPro"
# if __SUNPRO_C >= 0x5100
/* __SUNPRO_C = 0xVRRP */
# define COMPILER_VERSION_MAJOR HEX(__SUNPRO_C>>12)
# define COMPILER_VERSION_MINOR HEX(__SUNPRO_C>>4 & 0xFF)
# define COMPILER_VERSION_PATCH HEX(__SUNPRO_C & 0xF)
# else
/* __SUNPRO_CC = 0xVRP */
# define COMPILER_VERSION_MAJOR HEX(__SUNPRO_C>>8)
# define COMPILER_VERSION_MINOR HEX(__SUNPRO_C>>4 & 0xF)
# define COMPILER_VERSION_PATCH HEX(__SUNPRO_C & 0xF)
# endif
#elif defined(__HP_cc)
# define COMPILER_ID "HP"
/* __HP_cc = VVRRPP */
# define COMPILER_VERSION_MAJOR DEC(__HP_cc/10000)
# define COMPILER_VERSION_MINOR DEC(__HP_cc/100 % 100)
# define COMPILER_VERSION_PATCH DEC(__HP_cc % 100)
#elif defined(__DECC)
# define COMPILER_ID "Compaq"
/* __DECC_VER = VVRRTPPPP */
# define COMPILER_VERSION_MAJOR DEC(__DECC_VER/10000000)
# define COMPILER_VERSION_MINOR DEC(__DECC_VER/100000 % 100)
# define COMPILER_VERSION_PATCH DEC(__DECC_VER % 10000)
#elif defined(__IBMC__) && defined(__COMPILER_VER__)
# define COMPILER_ID "zOS"
/* __IBMC__ = VRP */
# define COMPILER_VERSION_MAJOR DEC(__IBMC__/100)
# define COMPILER_VERSION_MINOR DEC(__IBMC__/10 % 10)
# define COMPILER_VERSION_PATCH DEC(__IBMC__ % 10)
#elif defined(__ibmxl__) && defined(__clang__)
# define COMPILER_ID "XLClang"
# define COMPILER_VERSION_MAJOR DEC(__ibmxl_version__)
# define COMPILER_VERSION_MINOR DEC(__ibmxl_release__)
# define COMPILER_VERSION_PATCH DEC(__ibmxl_modification__)
# define COMPILER_VERSION_TWEAK DEC(__ibmxl_ptf_fix_level__)
#elif defined(__IBMC__) && !defined(__COMPILER_VER__) && __IBMC__ >= 800
# define COMPILER_ID "XL"
/* __IBMC__ = VRP */
# define COMPILER_VERSION_MAJOR DEC(__IBMC__/100)
# define COMPILER_VERSION_MINOR DEC(__IBMC__/10 % 10)
# define COMPILER_VERSION_PATCH DEC(__IBMC__ % 10)
#elif defined(__IBMC__) && !defined(__COMPILER_VER__) && __IBMC__ < 800
# define COMPILER_ID "VisualAge"
/* __IBMC__ = VRP */
# define COMPILER_VERSION_MAJOR DEC(__IBMC__/100)
# define COMPILER_VERSION_MINOR DEC(__IBMC__/10 % 10)
# define COMPILER_VERSION_PATCH DEC(__IBMC__ % 10)
#elif defined(__NVCOMPILER)
# define COMPILER_ID "NVHPC"
# define COMPILER_VERSION_MAJOR DEC(__NVCOMPILER_MAJOR__)
# define COMPILER_VERSION_MINOR DEC(__NVCOMPILER_MINOR__)
# if defined(__NVCOMPILER_PATCHLEVEL__)
# define COMPILER_VERSION_PATCH DEC(__NVCOMPILER_PATCHLEVEL__)
# endif
#elif defined(__PGI)
# define COMPILER_ID "PGI"
# define COMPILER_VERSION_MAJOR DEC(__PGIC__)
# define COMPILER_VERSION_MINOR DEC(__PGIC_MINOR__)
# if defined(__PGIC_PATCHLEVEL__)
# define COMPILER_VERSION_PATCH DEC(__PGIC_PATCHLEVEL__)
# endif
#elif defined(_CRAYC)
# define COMPILER_ID "Cray"
# define COMPILER_VERSION_MAJOR DEC(_RELEASE_MAJOR)
# define COMPILER_VERSION_MINOR DEC(_RELEASE_MINOR)
#elif defined(__TI_COMPILER_VERSION__)
# define COMPILER_ID "TI"
/* __TI_COMPILER_VERSION__ = VVVRRRPPP */
# define COMPILER_VERSION_MAJOR DEC(__TI_COMPILER_VERSION__/1000000)
# define COMPILER_VERSION_MINOR DEC(__TI_COMPILER_VERSION__/1000 % 1000)
# define COMPILER_VERSION_PATCH DEC(__TI_COMPILER_VERSION__ % 1000)
#elif defined(__FUJITSU) || defined(__FCC_VERSION) || defined(__fcc_version)
# define COMPILER_ID "Fujitsu"
#elif defined(__ghs__)
# define COMPILER_ID "GHS"
/* __GHS_VERSION_NUMBER = VVVVRP */
# ifdef __GHS_VERSION_NUMBER
# define COMPILER_VERSION_MAJOR DEC(__GHS_VERSION_NUMBER / 100)
# define COMPILER_VERSION_MINOR DEC(__GHS_VERSION_NUMBER / 10 % 10)
# define COMPILER_VERSION_PATCH DEC(__GHS_VERSION_NUMBER % 10)
# endif
#elif defined(__TINYC__)
# define COMPILER_ID "TinyCC"
#elif defined(__BCC__)
# define COMPILER_ID "Bruce"
#elif defined(__SCO_VERSION__)
# define COMPILER_ID "SCO"
#elif defined(__ARMCC_VERSION) && !defined(__clang__)
# define COMPILER_ID "ARMCC"
#if __ARMCC_VERSION >= 1000000
/* __ARMCC_VERSION = VRRPPPP */
# define COMPILER_VERSION_MAJOR DEC(__ARMCC_VERSION/1000000)
# define COMPILER_VERSION_MINOR DEC(__ARMCC_VERSION/10000 % 100)
# define COMPILER_VERSION_PATCH DEC(__ARMCC_VERSION % 10000)
#else
/* __ARMCC_VERSION = VRPPPP */
# define COMPILER_VERSION_MAJOR DEC(__ARMCC_VERSION/100000)
# define COMPILER_VERSION_MINOR DEC(__ARMCC_VERSION/10000 % 10)
# define COMPILER_VERSION_PATCH DEC(__ARMCC_VERSION % 10000)
#endif
#elif defined(__clang__) && defined(__apple_build_version__)
# define COMPILER_ID "AppleClang"
# if defined(_MSC_VER)
# define SIMULATE_ID "MSVC"
# endif
# define COMPILER_VERSION_MAJOR DEC(__clang_major__)
# define COMPILER_VERSION_MINOR DEC(__clang_minor__)
# define COMPILER_VERSION_PATCH DEC(__clang_patchlevel__)
# if defined(_MSC_VER)
/* _MSC_VER = VVRR */
# define SIMULATE_VERSION_MAJOR DEC(_MSC_VER / 100)
# define SIMULATE_VERSION_MINOR DEC(_MSC_VER % 100)
# endif
# define COMPILER_VERSION_TWEAK DEC(__apple_build_version__)
#elif defined(__clang__) && defined(__ARMCOMPILER_VERSION)
# define COMPILER_ID "ARMClang"
# define COMPILER_VERSION_MAJOR DEC(__ARMCOMPILER_VERSION/1000000)
# define COMPILER_VERSION_MINOR DEC(__ARMCOMPILER_VERSION/10000 % 100)
# define COMPILER_VERSION_PATCH DEC(__ARMCOMPILER_VERSION % 10000)
# define COMPILER_VERSION_INTERNAL DEC(__ARMCOMPILER_VERSION)
#elif defined(__clang__)
# define COMPILER_ID "Clang"
# if defined(_MSC_VER)
# define SIMULATE_ID "MSVC"
# endif
# define COMPILER_VERSION_MAJOR DEC(__clang_major__)
# define COMPILER_VERSION_MINOR DEC(__clang_minor__)
# define COMPILER_VERSION_PATCH DEC(__clang_patchlevel__)
# if defined(_MSC_VER)
/* _MSC_VER = VVRR */
# define SIMULATE_VERSION_MAJOR DEC(_MSC_VER / 100)
# define SIMULATE_VERSION_MINOR DEC(_MSC_VER % 100)
# endif
#elif defined(__GNUC__)
# define COMPILER_ID "GNU"
# define COMPILER_VERSION_MAJOR DEC(__GNUC__)
# if defined(__GNUC_MINOR__)
# define COMPILER_VERSION_MINOR DEC(__GNUC_MINOR__)
# endif
# if defined(__GNUC_PATCHLEVEL__)
# define COMPILER_VERSION_PATCH DEC(__GNUC_PATCHLEVEL__)
# endif
#elif defined(_MSC_VER)
# define COMPILER_ID "MSVC"
/* _MSC_VER = VVRR */
# define COMPILER_VERSION_MAJOR DEC(_MSC_VER / 100)
# define COMPILER_VERSION_MINOR DEC(_MSC_VER % 100)
# if defined(_MSC_FULL_VER)
# if _MSC_VER >= 1400
/* _MSC_FULL_VER = VVRRPPPPP */
# define COMPILER_VERSION_PATCH DEC(_MSC_FULL_VER % 100000)
# else
/* _MSC_FULL_VER = VVRRPPPP */
# define COMPILER_VERSION_PATCH DEC(_MSC_FULL_VER % 10000)
# endif
# endif
# if defined(_MSC_BUILD)
# define COMPILER_VERSION_TWEAK DEC(_MSC_BUILD)
# endif
#elif defined(__VISUALDSPVERSION__) || defined(__ADSPBLACKFIN__) || defined(__ADSPTS__) || defined(__ADSP21000__)
# define COMPILER_ID "ADSP"
#if defined(__VISUALDSPVERSION__)
/* __VISUALDSPVERSION__ = 0xVVRRPP00 */
# define COMPILER_VERSION_MAJOR HEX(__VISUALDSPVERSION__>>24)
# define COMPILER_VERSION_MINOR HEX(__VISUALDSPVERSION__>>16 & 0xFF)
# define COMPILER_VERSION_PATCH HEX(__VISUALDSPVERSION__>>8 & 0xFF)
#endif
#elif defined(__IAR_SYSTEMS_ICC__) || defined(__IAR_SYSTEMS_ICC)
# define COMPILER_ID "IAR"
# if defined(__VER__) && defined(__ICCARM__)
# define COMPILER_VERSION_MAJOR DEC((__VER__) / 1000000)
# define COMPILER_VERSION_MINOR DEC(((__VER__) / 1000) % 1000)
# define COMPILER_VERSION_PATCH DEC((__VER__) % 1000)
# define COMPILER_VERSION_INTERNAL DEC(__IAR_SYSTEMS_ICC__)
# elif defined(__VER__) && (defined(__ICCAVR__) || defined(__ICCRX__) || defined(__ICCRH850__) || defined(__ICCRL78__) || defined(__ICC430__) || defined(__ICCRISCV__) || defined(__ICCV850__) || defined(__ICC8051__) || defined(__ICCSTM8__))
# define COMPILER_VERSION_MAJOR DEC((__VER__) / 100)
# define COMPILER_VERSION_MINOR DEC((__VER__) - (((__VER__) / 100)*100))
# define COMPILER_VERSION_PATCH DEC(__SUBVERSION__)
# define COMPILER_VERSION_INTERNAL DEC(__IAR_SYSTEMS_ICC__)
# endif
#elif defined(__SDCC_VERSION_MAJOR) || defined(SDCC)
# define COMPILER_ID "SDCC"
# if defined(__SDCC_VERSION_MAJOR)
# define COMPILER_VERSION_MAJOR DEC(__SDCC_VERSION_MAJOR)
# define COMPILER_VERSION_MINOR DEC(__SDCC_VERSION_MINOR)
# define COMPILER_VERSION_PATCH DEC(__SDCC_VERSION_PATCH)
# else
/* SDCC = VRP */
# define COMPILER_VERSION_MAJOR DEC(SDCC/100)
# define COMPILER_VERSION_MINOR DEC(SDCC/10 % 10)
# define COMPILER_VERSION_PATCH DEC(SDCC % 10)
# endif
/* These compilers are either not known or too old to define an
identification macro. Try to identify the platform and guess that
it is the native compiler. */
#elif defined(__hpux) || defined(__hpua)
# define COMPILER_ID "HP"
#else /* unknown compiler */
# define COMPILER_ID ""
#endif
/* Construct the string literal in pieces to prevent the source from
getting matched. Store it in a pointer rather than an array
because some compilers will just produce instructions to fill the
array rather than assigning a pointer to a static array. */
char const* info_compiler = "INFO" ":" "compiler[" COMPILER_ID "]";
#ifdef SIMULATE_ID
char const* info_simulate = "INFO" ":" "simulate[" SIMULATE_ID "]";
#endif
#ifdef __QNXNTO__
char const* qnxnto = "INFO" ":" "qnxnto[]";
#endif
#if defined(__CRAYXT_COMPUTE_LINUX_TARGET)
char const *info_cray = "INFO" ":" "compiler_wrapper[CrayPrgEnv]";
#endif
#define STRINGIFY_HELPER(X) #X
#define STRINGIFY(X) STRINGIFY_HELPER(X)
/* Identify known platforms by name. */
#if defined(__linux) || defined(__linux__) || defined(linux)
# define PLATFORM_ID "Linux"
#elif defined(__CYGWIN__)
# define PLATFORM_ID "Cygwin"
#elif defined(__MINGW32__)
# define PLATFORM_ID "MinGW"
#elif defined(__APPLE__)
# define PLATFORM_ID "Darwin"
#elif defined(_WIN32) || defined(__WIN32__) || defined(WIN32)
# define PLATFORM_ID "Windows"
#elif defined(__FreeBSD__) || defined(__FreeBSD)
# define PLATFORM_ID "FreeBSD"
#elif defined(__NetBSD__) || defined(__NetBSD)
# define PLATFORM_ID "NetBSD"
#elif defined(__OpenBSD__) || defined(__OPENBSD)
# define PLATFORM_ID "OpenBSD"
#elif defined(__sun) || defined(sun)
# define PLATFORM_ID "SunOS"
#elif defined(_AIX) || defined(__AIX) || defined(__AIX__) || defined(__aix) || defined(__aix__)
# define PLATFORM_ID "AIX"
#elif defined(__hpux) || defined(__hpux__)
# define PLATFORM_ID "HP-UX"
#elif defined(__HAIKU__)
# define PLATFORM_ID "Haiku"
#elif defined(__BeOS) || defined(__BEOS__) || defined(_BEOS)
# define PLATFORM_ID "BeOS"
#elif defined(__QNX__) || defined(__QNXNTO__)
# define PLATFORM_ID "QNX"
#elif defined(__tru64) || defined(_tru64) || defined(__TRU64__)
# define PLATFORM_ID "Tru64"
#elif defined(__riscos) || defined(__riscos__)
# define PLATFORM_ID "RISCos"
#elif defined(__sinix) || defined(__sinix__) || defined(__SINIX__)
# define PLATFORM_ID "SINIX"
#elif defined(__UNIX_SV__)
# define PLATFORM_ID "UNIX_SV"
#elif defined(__bsdos__)
# define PLATFORM_ID "BSDOS"
#elif defined(_MPRAS) || defined(MPRAS)
# define PLATFORM_ID "MP-RAS"
#elif defined(__osf) || defined(__osf__)
# define PLATFORM_ID "OSF1"
#elif defined(_SCO_SV) || defined(SCO_SV) || defined(sco_sv)
# define PLATFORM_ID "SCO_SV"
#elif defined(__ultrix) || defined(__ultrix__) || defined(_ULTRIX)
# define PLATFORM_ID "ULTRIX"
#elif defined(__XENIX__) || defined(_XENIX) || defined(XENIX)
# define PLATFORM_ID "Xenix"
#elif defined(__WATCOMC__)
# if defined(__LINUX__)
# define PLATFORM_ID "Linux"
# elif defined(__DOS__)
# define PLATFORM_ID "DOS"
# elif defined(__OS2__)
# define PLATFORM_ID "OS2"
# elif defined(__WINDOWS__)
# define PLATFORM_ID "Windows3x"
# elif defined(__VXWORKS__)
# define PLATFORM_ID "VxWorks"
# else /* unknown platform */
# define PLATFORM_ID
# endif
#elif defined(__INTEGRITY)
# if defined(INT_178B)
# define PLATFORM_ID "Integrity178"
# else /* regular Integrity */
# define PLATFORM_ID "Integrity"
# endif
#else /* unknown platform */
# define PLATFORM_ID
#endif
/* For windows compilers MSVC and Intel we can determine
the architecture of the compiler being used. This is because
the compilers do not have flags that can change the architecture,
but rather depend on which compiler is being used
*/
#if defined(_WIN32) && defined(_MSC_VER)
# if defined(_M_IA64)
# define ARCHITECTURE_ID "IA64"
# elif defined(_M_ARM64EC)
# define ARCHITECTURE_ID "ARM64EC"
# elif defined(_M_X64) || defined(_M_AMD64)
# define ARCHITECTURE_ID "x64"
# elif defined(_M_IX86)
# define ARCHITECTURE_ID "X86"
# elif defined(_M_ARM64)
# define ARCHITECTURE_ID "ARM64"
# elif defined(_M_ARM)
# if _M_ARM == 4
# define ARCHITECTURE_ID "ARMV4I"
# elif _M_ARM == 5
# define ARCHITECTURE_ID "ARMV5I"
# else
# define ARCHITECTURE_ID "ARMV" STRINGIFY(_M_ARM)
# endif
# elif defined(_M_MIPS)
# define ARCHITECTURE_ID "MIPS"
# elif defined(_M_SH)
# define ARCHITECTURE_ID "SHx"
# else /* unknown architecture */
# define ARCHITECTURE_ID ""
# endif
#elif defined(__WATCOMC__)
# if defined(_M_I86)
# define ARCHITECTURE_ID "I86"
# elif defined(_M_IX86)
# define ARCHITECTURE_ID "X86"
# else /* unknown architecture */
# define ARCHITECTURE_ID ""
# endif
#elif defined(__IAR_SYSTEMS_ICC__) || defined(__IAR_SYSTEMS_ICC)
# if defined(__ICCARM__)
# define ARCHITECTURE_ID "ARM"
# elif defined(__ICCRX__)
# define ARCHITECTURE_ID "RX"
# elif defined(__ICCRH850__)
# define ARCHITECTURE_ID "RH850"
# elif defined(__ICCRL78__)
# define ARCHITECTURE_ID "RL78"
# elif defined(__ICCRISCV__)
# define ARCHITECTURE_ID "RISCV"
# elif defined(__ICCAVR__)
# define ARCHITECTURE_ID "AVR"
# elif defined(__ICC430__)
# define ARCHITECTURE_ID "MSP430"
# elif defined(__ICCV850__)
# define ARCHITECTURE_ID "V850"
# elif defined(__ICC8051__)
# define ARCHITECTURE_ID "8051"
# elif defined(__ICCSTM8__)
# define ARCHITECTURE_ID "STM8"
# else /* unknown architecture */
# define ARCHITECTURE_ID ""
# endif
#elif defined(__ghs__)
# if defined(__PPC64__)
# define ARCHITECTURE_ID "PPC64"
# elif defined(__ppc__)
# define ARCHITECTURE_ID "PPC"
# elif defined(__ARM__)
# define ARCHITECTURE_ID "ARM"
# elif defined(__x86_64__)
# define ARCHITECTURE_ID "x64"
# elif defined(__i386__)
# define ARCHITECTURE_ID "X86"
# else /* unknown architecture */
# define ARCHITECTURE_ID ""
# endif
#elif defined(__TI_COMPILER_VERSION__)
# if defined(__TI_ARM__)
# define ARCHITECTURE_ID "ARM"
# elif defined(__MSP430__)
# define ARCHITECTURE_ID "MSP430"
# elif defined(__TMS320C28XX__)
# define ARCHITECTURE_ID "TMS320C28x"
# elif defined(__TMS320C6X__) || defined(_TMS320C6X)
# define ARCHITECTURE_ID "TMS320C6x"
# else /* unknown architecture */
# define ARCHITECTURE_ID ""
# endif
#else
# define ARCHITECTURE_ID
#endif
/* Convert integer to decimal digit literals. */
#define DEC(n) \
('0' + (((n) / 10000000)%10)), \
('0' + (((n) / 1000000)%10)), \
('0' + (((n) / 100000)%10)), \
('0' + (((n) / 10000)%10)), \
('0' + (((n) / 1000)%10)), \
('0' + (((n) / 100)%10)), \
('0' + (((n) / 10)%10)), \
('0' + ((n) % 10))
/* Convert integer to hex digit literals. */
#define HEX(n) \
('0' + ((n)>>28 & 0xF)), \
('0' + ((n)>>24 & 0xF)), \
('0' + ((n)>>20 & 0xF)), \
('0' + ((n)>>16 & 0xF)), \
('0' + ((n)>>12 & 0xF)), \
('0' + ((n)>>8 & 0xF)), \
('0' + ((n)>>4 & 0xF)), \
('0' + ((n) & 0xF))
/* Construct a string literal encoding the version number components. */
#ifdef COMPILER_VERSION_MAJOR
char const info_version[] = {
'I', 'N', 'F', 'O', ':',
'c','o','m','p','i','l','e','r','_','v','e','r','s','i','o','n','[',
COMPILER_VERSION_MAJOR,
# ifdef COMPILER_VERSION_MINOR
'.', COMPILER_VERSION_MINOR,
# ifdef COMPILER_VERSION_PATCH
'.', COMPILER_VERSION_PATCH,
# ifdef COMPILER_VERSION_TWEAK
'.', COMPILER_VERSION_TWEAK,
# endif
# endif
# endif
']','\0'};
#endif
/* Construct a string literal encoding the internal version number. */
#ifdef COMPILER_VERSION_INTERNAL
char const info_version_internal[] = {
'I', 'N', 'F', 'O', ':',
'c','o','m','p','i','l','e','r','_','v','e','r','s','i','o','n','_',
'i','n','t','e','r','n','a','l','[',
COMPILER_VERSION_INTERNAL,']','\0'};
#endif
/* Construct a string literal encoding the version number components. */
#ifdef SIMULATE_VERSION_MAJOR
char const info_simulate_version[] = {
'I', 'N', 'F', 'O', ':',
's','i','m','u','l','a','t','e','_','v','e','r','s','i','o','n','[',
SIMULATE_VERSION_MAJOR,
# ifdef SIMULATE_VERSION_MINOR
'.', SIMULATE_VERSION_MINOR,
# ifdef SIMULATE_VERSION_PATCH
'.', SIMULATE_VERSION_PATCH,
# ifdef SIMULATE_VERSION_TWEAK
'.', SIMULATE_VERSION_TWEAK,
# endif
# endif
# endif
']','\0'};
#endif
/* Construct the string literal in pieces to prevent the source from
getting matched. Store it in a pointer rather than an array
because some compilers will just produce instructions to fill the
array rather than assigning a pointer to a static array. */
char const* info_platform = "INFO" ":" "platform[" PLATFORM_ID "]";
char const* info_arch = "INFO" ":" "arch[" ARCHITECTURE_ID "]";
#if !defined(__STDC__)
# if (defined(_MSC_VER) && !defined(__clang__)) \
|| (defined(__ibmxl__) || defined(__IBMC__))
# define C_DIALECT "90"
# else
# define C_DIALECT
# endif
#elif __STDC_VERSION__ >= 201000L
# define C_DIALECT "11"
#elif __STDC_VERSION__ >= 199901L
# define C_DIALECT "99"
#else
# define C_DIALECT "90"
#endif
const char* info_language_dialect_default =
"INFO" ":" "dialect_default[" C_DIALECT "]";
/*--------------------------------------------------------------------------*/
#ifdef ID_VOID_MAIN
void main() {}
#else
# if defined(__CLASSIC_C__)
int main(argc, argv) int argc; char *argv[];
# else
int main(int argc, char* argv[])
# endif
{
int require = 0;
require += info_compiler[argc];
require += info_platform[argc];
require += info_arch[argc];
#ifdef COMPILER_VERSION_MAJOR
require += info_version[argc];
#endif
#ifdef COMPILER_VERSION_INTERNAL
require += info_version_internal[argc];
#endif
#ifdef SIMULATE_ID
require += info_simulate[argc];
#endif
#ifdef SIMULATE_VERSION_MAJOR
require += info_simulate_version[argc];
#endif
#if defined(__CRAYXT_COMPUTE_LINUX_TARGET)
require += info_cray[argc];
#endif
require += info_language_dialect_default[argc];
(void)argv;
return require;
}
#endif
/* This source file must have a .cpp extension so that all C++ compilers
recognize the extension without flags. Borland does not know .cxx for
example. */
#ifndef __cplusplus
# error "A C compiler has been selected for C++."
#endif
/* Version number components: V=Version, R=Revision, P=Patch
Version date components: YYYY=Year, MM=Month, DD=Day */
#if defined(__COMO__)
# define COMPILER_ID "Comeau"
/* __COMO_VERSION__ = VRR */
# define COMPILER_VERSION_MAJOR DEC(__COMO_VERSION__ / 100)
# define COMPILER_VERSION_MINOR DEC(__COMO_VERSION__ % 100)
#elif defined(__INTEL_COMPILER) || defined(__ICC)
# define COMPILER_ID "Intel"
# if defined(_MSC_VER)
# define SIMULATE_ID "MSVC"
# endif
# if defined(__GNUC__)
# define SIMULATE_ID "GNU"
# endif
/* __INTEL_COMPILER = VRP prior to 2021, and then VVVV for 2021 and later,
except that a few beta releases use the old format with V=2021. */
# if __INTEL_COMPILER < 2021 || __INTEL_COMPILER == 202110 || __INTEL_COMPILER == 202111
# define COMPILER_VERSION_MAJOR DEC(__INTEL_COMPILER/100)
# define COMPILER_VERSION_MINOR DEC(__INTEL_COMPILER/10 % 10)
# if defined(__INTEL_COMPILER_UPDATE)
# define COMPILER_VERSION_PATCH DEC(__INTEL_COMPILER_UPDATE)
# else
# define COMPILER_VERSION_PATCH DEC(__INTEL_COMPILER % 10)
# endif
# else
# define COMPILER_VERSION_MAJOR DEC(__INTEL_COMPILER)
# define COMPILER_VERSION_MINOR DEC(__INTEL_COMPILER_UPDATE)
/* The third version component from --version is an update index,
but no macro is provided for it. */
# define COMPILER_VERSION_PATCH DEC(0)
# endif
# if defined(__INTEL_COMPILER_BUILD_DATE)
/* __INTEL_COMPILER_BUILD_DATE = YYYYMMDD */
# define COMPILER_VERSION_TWEAK DEC(__INTEL_COMPILER_BUILD_DATE)
# endif
# if defined(_MSC_VER)
/* _MSC_VER = VVRR */
# define SIMULATE_VERSION_MAJOR DEC(_MSC_VER / 100)
# define SIMULATE_VERSION_MINOR DEC(_MSC_VER % 100)
# endif
# if defined(__GNUC__)
# define SIMULATE_VERSION_MAJOR DEC(__GNUC__)
# elif defined(__GNUG__)
# define SIMULATE_VERSION_MAJOR DEC(__GNUG__)
# endif
# if defined(__GNUC_MINOR__)
# define SIMULATE_VERSION_MINOR DEC(__GNUC_MINOR__)
# endif
# if defined(__GNUC_PATCHLEVEL__)
# define SIMULATE_VERSION_PATCH DEC(__GNUC_PATCHLEVEL__)
# endif
#elif (defined(__clang__) && defined(__INTEL_CLANG_COMPILER)) || defined(__INTEL_LLVM_COMPILER)
# define COMPILER_ID "IntelLLVM"
#if defined(_MSC_VER)
# define SIMULATE_ID "MSVC"
#endif
#if defined(__GNUC__)
# define SIMULATE_ID "GNU"
#endif
/* __INTEL_LLVM_COMPILER = VVVVRP prior to 2021.2.0, VVVVRRPP for 2021.2.0 and
* later. Look for 6 digit vs. 8 digit version number to decide encoding.
* VVVV is no smaller than the current year when a versio is released.
*/
#if __INTEL_LLVM_COMPILER < 1000000L
# define COMPILER_VERSION_MAJOR DEC(__INTEL_LLVM_COMPILER/100)
# define COMPILER_VERSION_MINOR DEC(__INTEL_LLVM_COMPILER/10 % 10)
# define COMPILER_VERSION_PATCH DEC(__INTEL_LLVM_COMPILER % 10)
#else
# define COMPILER_VERSION_MAJOR DEC(__INTEL_LLVM_COMPILER/10000)
# define COMPILER_VERSION_MINOR DEC(__INTEL_LLVM_COMPILER/100 % 100)
# define COMPILER_VERSION_PATCH DEC(__INTEL_LLVM_COMPILER % 100)
#endif
#if defined(_MSC_VER)
/* _MSC_VER = VVRR */
# define SIMULATE_VERSION_MAJOR DEC(_MSC_VER / 100)
# define SIMULATE_VERSION_MINOR DEC(_MSC_VER % 100)
#endif
#if defined(__GNUC__)
# define SIMULATE_VERSION_MAJOR DEC(__GNUC__)
#elif defined(__GNUG__)
# define SIMULATE_VERSION_MAJOR DEC(__GNUG__)
#endif
#if defined(__GNUC_MINOR__)
# define SIMULATE_VERSION_MINOR DEC(__GNUC_MINOR__)
#endif
#if defined(__GNUC_PATCHLEVEL__)
# define SIMULATE_VERSION_PATCH DEC(__GNUC_PATCHLEVEL__)
#endif
#elif defined(__PATHCC__)
# define COMPILER_ID "PathScale"
# define COMPILER_VERSION_MAJOR DEC(__PATHCC__)
# define COMPILER_VERSION_MINOR DEC(__PATHCC_MINOR__)
# if defined(__PATHCC_PATCHLEVEL__)
# define COMPILER_VERSION_PATCH DEC(__PATHCC_PATCHLEVEL__)
# endif
#elif defined(__BORLANDC__) && defined(__CODEGEARC_VERSION__)
# define COMPILER_ID "Embarcadero"
# define COMPILER_VERSION_MAJOR HEX(__CODEGEARC_VERSION__>>24 & 0x00FF)
# define COMPILER_VERSION_MINOR HEX(__CODEGEARC_VERSION__>>16 & 0x00FF)
# define COMPILER_VERSION_PATCH DEC(__CODEGEARC_VERSION__ & 0xFFFF)
#elif defined(__BORLANDC__)
# define COMPILER_ID "Borland"
/* __BORLANDC__ = 0xVRR */
# define COMPILER_VERSION_MAJOR HEX(__BORLANDC__>>8)
# define COMPILER_VERSION_MINOR HEX(__BORLANDC__ & 0xFF)
#elif defined(__WATCOMC__) && __WATCOMC__ < 1200
# define COMPILER_ID "Watcom"
/* __WATCOMC__ = VVRR */
# define COMPILER_VERSION_MAJOR DEC(__WATCOMC__ / 100)
# define COMPILER_VERSION_MINOR DEC((__WATCOMC__ / 10) % 10)
# if (__WATCOMC__ % 10) > 0
# define COMPILER_VERSION_PATCH DEC(__WATCOMC__ % 10)
# endif
#elif defined(__WATCOMC__)
# define COMPILER_ID "OpenWatcom"
/* __WATCOMC__ = VVRP + 1100 */
# define COMPILER_VERSION_MAJOR DEC((__WATCOMC__ - 1100) / 100)
# define COMPILER_VERSION_MINOR DEC((__WATCOMC__ / 10) % 10)
# if (__WATCOMC__ % 10) > 0
# define COMPILER_VERSION_PATCH DEC(__WATCOMC__ % 10)
# endif
#elif defined(__SUNPRO_CC)
# define COMPILER_ID "SunPro"
# if __SUNPRO_CC >= 0x5100
/* __SUNPRO_CC = 0xVRRP */
# define COMPILER_VERSION_MAJOR HEX(__SUNPRO_CC>>12)
# define COMPILER_VERSION_MINOR HEX(__SUNPRO_CC>>4 & 0xFF)
# define COMPILER_VERSION_PATCH HEX(__SUNPRO_CC & 0xF)
# else
/* __SUNPRO_CC = 0xVRP */
# define COMPILER_VERSION_MAJOR HEX(__SUNPRO_CC>>8)
# define COMPILER_VERSION_MINOR HEX(__SUNPRO_CC>>4 & 0xF)
# define COMPILER_VERSION_PATCH HEX(__SUNPRO_CC & 0xF)
# endif
#elif defined(__HP_aCC)
# define COMPILER_ID "HP"
/* __HP_aCC = VVRRPP */
# define COMPILER_VERSION_MAJOR DEC(__HP_aCC/10000)
# define COMPILER_VERSION_MINOR DEC(__HP_aCC/100 % 100)
# define COMPILER_VERSION_PATCH DEC(__HP_aCC % 100)
#elif defined(__DECCXX)
# define COMPILER_ID "Compaq"
/* __DECCXX_VER = VVRRTPPPP */
# define COMPILER_VERSION_MAJOR DEC(__DECCXX_VER/10000000)
# define COMPILER_VERSION_MINOR DEC(__DECCXX_VER/100000 % 100)
# define COMPILER_VERSION_PATCH DEC(__DECCXX_VER % 10000)
#elif defined(__IBMCPP__) && defined(__COMPILER_VER__)
# define COMPILER_ID "zOS"
/* __IBMCPP__ = VRP */
# define COMPILER_VERSION_MAJOR DEC(__IBMCPP__/100)
# define COMPILER_VERSION_MINOR DEC(__IBMCPP__/10 % 10)
# define COMPILER_VERSION_PATCH DEC(__IBMCPP__ % 10)
#elif defined(__ibmxl__) && defined(__clang__)
# define COMPILER_ID "XLClang"
# define COMPILER_VERSION_MAJOR DEC(__ibmxl_version__)
# define COMPILER_VERSION_MINOR DEC(__ibmxl_release__)
# define COMPILER_VERSION_PATCH DEC(__ibmxl_modification__)
# define COMPILER_VERSION_TWEAK DEC(__ibmxl_ptf_fix_level__)
#elif defined(__IBMCPP__) && !defined(__COMPILER_VER__) && __IBMCPP__ >= 800
# define COMPILER_ID "XL"
/* __IBMCPP__ = VRP */
# define COMPILER_VERSION_MAJOR DEC(__IBMCPP__/100)
# define COMPILER_VERSION_MINOR DEC(__IBMCPP__/10 % 10)
# define COMPILER_VERSION_PATCH DEC(__IBMCPP__ % 10)
#elif defined(__IBMCPP__) && !defined(__COMPILER_VER__) && __IBMCPP__ < 800
# define COMPILER_ID "VisualAge"
/* __IBMCPP__ = VRP */
# define COMPILER_VERSION_MAJOR DEC(__IBMCPP__/100)
# define COMPILER_VERSION_MINOR DEC(__IBMCPP__/10 % 10)
# define COMPILER_VERSION_PATCH DEC(__IBMCPP__ % 10)
#elif defined(__NVCOMPILER)
# define COMPILER_ID "NVHPC"
# define COMPILER_VERSION_MAJOR DEC(__NVCOMPILER_MAJOR__)
# define COMPILER_VERSION_MINOR DEC(__NVCOMPILER_MINOR__)
# if defined(__NVCOMPILER_PATCHLEVEL__)
# define COMPILER_VERSION_PATCH DEC(__NVCOMPILER_PATCHLEVEL__)
# endif
#elif defined(__PGI)
# define COMPILER_ID "PGI"
# define COMPILER_VERSION_MAJOR DEC(__PGIC__)
# define COMPILER_VERSION_MINOR DEC(__PGIC_MINOR__)
# if defined(__PGIC_PATCHLEVEL__)
# define COMPILER_VERSION_PATCH DEC(__PGIC_PATCHLEVEL__)
# endif
#elif defined(_CRAYC)
# define COMPILER_ID "Cray"
# define COMPILER_VERSION_MAJOR DEC(_RELEASE_MAJOR)
# define COMPILER_VERSION_MINOR DEC(_RELEASE_MINOR)
#elif defined(__TI_COMPILER_VERSION__)
# define COMPILER_ID "TI"
/* __TI_COMPILER_VERSION__ = VVVRRRPPP */
# define COMPILER_VERSION_MAJOR DEC(__TI_COMPILER_VERSION__/1000000)
# define COMPILER_VERSION_MINOR DEC(__TI_COMPILER_VERSION__/1000 % 1000)
# define COMPILER_VERSION_PATCH DEC(__TI_COMPILER_VERSION__ % 1000)
#elif defined(__FUJITSU) || defined(__FCC_VERSION) || defined(__fcc_version)
# define COMPILER_ID "Fujitsu"
#elif defined(__ghs__)
# define COMPILER_ID "GHS"
/* __GHS_VERSION_NUMBER = VVVVRP */
# ifdef __GHS_VERSION_NUMBER
# define COMPILER_VERSION_MAJOR DEC(__GHS_VERSION_NUMBER / 100)
# define COMPILER_VERSION_MINOR DEC(__GHS_VERSION_NUMBER / 10 % 10)
# define COMPILER_VERSION_PATCH DEC(__GHS_VERSION_NUMBER % 10)
# endif
#elif defined(__SCO_VERSION__)
# define COMPILER_ID "SCO"
#elif defined(__ARMCC_VERSION) && !defined(__clang__)
# define COMPILER_ID "ARMCC"
#if __ARMCC_VERSION >= 1000000
/* __ARMCC_VERSION = VRRPPPP */
# define COMPILER_VERSION_MAJOR DEC(__ARMCC_VERSION/1000000)
# define COMPILER_VERSION_MINOR DEC(__ARMCC_VERSION/10000 % 100)
# define COMPILER_VERSION_PATCH DEC(__ARMCC_VERSION % 10000)
#else
/* __ARMCC_VERSION = VRPPPP */
# define COMPILER_VERSION_MAJOR DEC(__ARMCC_VERSION/100000)
# define COMPILER_VERSION_MINOR DEC(__ARMCC_VERSION/10000 % 10)
# define COMPILER_VERSION_PATCH DEC(__ARMCC_VERSION % 10000)
#endif
#elif defined(__clang__) && defined(__apple_build_version__)
# define COMPILER_ID "AppleClang"
# if defined(_MSC_VER)
# define SIMULATE_ID "MSVC"
# endif
# define COMPILER_VERSION_MAJOR DEC(__clang_major__)
# define COMPILER_VERSION_MINOR DEC(__clang_minor__)
# define COMPILER_VERSION_PATCH DEC(__clang_patchlevel__)
# if defined(_MSC_VER)
/* _MSC_VER = VVRR */
# define SIMULATE_VERSION_MAJOR DEC(_MSC_VER / 100)
# define SIMULATE_VERSION_MINOR DEC(_MSC_VER % 100)
# endif
# define COMPILER_VERSION_TWEAK DEC(__apple_build_version__)
#elif defined(__clang__) && defined(__ARMCOMPILER_VERSION)
# define COMPILER_ID "ARMClang"
# define COMPILER_VERSION_MAJOR DEC(__ARMCOMPILER_VERSION/1000000)
# define COMPILER_VERSION_MINOR DEC(__ARMCOMPILER_VERSION/10000 % 100)
# define COMPILER_VERSION_PATCH DEC(__ARMCOMPILER_VERSION % 10000)
# define COMPILER_VERSION_INTERNAL DEC(__ARMCOMPILER_VERSION)
#elif defined(__clang__)
# define COMPILER_ID "Clang"
# if defined(_MSC_VER)
# define SIMULATE_ID "MSVC"
# endif
# define COMPILER_VERSION_MAJOR DEC(__clang_major__)
# define COMPILER_VERSION_MINOR DEC(__clang_minor__)
# define COMPILER_VERSION_PATCH DEC(__clang_patchlevel__)
# if defined(_MSC_VER)
/* _MSC_VER = VVRR */
# define SIMULATE_VERSION_MAJOR DEC(_MSC_VER / 100)
# define SIMULATE_VERSION_MINOR DEC(_MSC_VER % 100)
# endif
#elif defined(__GNUC__) || defined(__GNUG__)
# define COMPILER_ID "GNU"
# if defined(__GNUC__)
# define COMPILER_VERSION_MAJOR DEC(__GNUC__)
# else
# define COMPILER_VERSION_MAJOR DEC(__GNUG__)
# endif
# if defined(__GNUC_MINOR__)
# define COMPILER_VERSION_MINOR DEC(__GNUC_MINOR__)
# endif
# if defined(__GNUC_PATCHLEVEL__)
# define COMPILER_VERSION_PATCH DEC(__GNUC_PATCHLEVEL__)
# endif
#elif defined(_MSC_VER)
# define COMPILER_ID "MSVC"
/* _MSC_VER = VVRR */
# define COMPILER_VERSION_MAJOR DEC(_MSC_VER / 100)
# define COMPILER_VERSION_MINOR DEC(_MSC_VER % 100)
# if defined(_MSC_FULL_VER)
# if _MSC_VER >= 1400
/* _MSC_FULL_VER = VVRRPPPPP */
# define COMPILER_VERSION_PATCH DEC(_MSC_FULL_VER % 100000)
# else
/* _MSC_FULL_VER = VVRRPPPP */
# define COMPILER_VERSION_PATCH DEC(_MSC_FULL_VER % 10000)
# endif
# endif
# if defined(_MSC_BUILD)
# define COMPILER_VERSION_TWEAK DEC(_MSC_BUILD)
# endif
#elif defined(__VISUALDSPVERSION__) || defined(__ADSPBLACKFIN__) || defined(__ADSPTS__) || defined(__ADSP21000__)
# define COMPILER_ID "ADSP"
#if defined(__VISUALDSPVERSION__)
/* __VISUALDSPVERSION__ = 0xVVRRPP00 */
# define COMPILER_VERSION_MAJOR HEX(__VISUALDSPVERSION__>>24)
# define COMPILER_VERSION_MINOR HEX(__VISUALDSPVERSION__>>16 & 0xFF)
# define COMPILER_VERSION_PATCH HEX(__VISUALDSPVERSION__>>8 & 0xFF)
#endif
#elif defined(__IAR_SYSTEMS_ICC__) || defined(__IAR_SYSTEMS_ICC)
# define COMPILER_ID "IAR"
# if defined(__VER__) && defined(__ICCARM__)
# define COMPILER_VERSION_MAJOR DEC((__VER__) / 1000000)
# define COMPILER_VERSION_MINOR DEC(((__VER__) / 1000) % 1000)
# define COMPILER_VERSION_PATCH DEC((__VER__) % 1000)
# define COMPILER_VERSION_INTERNAL DEC(__IAR_SYSTEMS_ICC__)
# elif defined(__VER__) && (defined(__ICCAVR__) || defined(__ICCRX__) || defined(__ICCRH850__) || defined(__ICCRL78__) || defined(__ICC430__) || defined(__ICCRISCV__) || defined(__ICCV850__) || defined(__ICC8051__) || defined(__ICCSTM8__))
# define COMPILER_VERSION_MAJOR DEC((__VER__) / 100)
# define COMPILER_VERSION_MINOR DEC((__VER__) - (((__VER__) / 100)*100))
# define COMPILER_VERSION_PATCH DEC(__SUBVERSION__)
# define COMPILER_VERSION_INTERNAL DEC(__IAR_SYSTEMS_ICC__)
# endif
/* These compilers are either not known or too old to define an
identification macro. Try to identify the platform and guess that
it is the native compiler. */
#elif defined(__hpux) || defined(__hpua)
# define COMPILER_ID "HP"
#else /* unknown compiler */
# define COMPILER_ID ""
#endif
/* Construct the string literal in pieces to prevent the source from
getting matched. Store it in a pointer rather than an array
because some compilers will just produce instructions to fill the
array rather than assigning a pointer to a static array. */
char const* info_compiler = "INFO" ":" "compiler[" COMPILER_ID "]";
#ifdef SIMULATE_ID
char const* info_simulate = "INFO" ":" "simulate[" SIMULATE_ID "]";
#endif
#ifdef __QNXNTO__
char const* qnxnto = "INFO" ":" "qnxnto[]";
#endif
#if defined(__CRAYXT_COMPUTE_LINUX_TARGET)
char const *info_cray = "INFO" ":" "compiler_wrapper[CrayPrgEnv]";
#endif
#define STRINGIFY_HELPER(X) #X
#define STRINGIFY(X) STRINGIFY_HELPER(X)
/* Identify known platforms by name. */
#if defined(__linux) || defined(__linux__) || defined(linux)
# define PLATFORM_ID "Linux"
#elif defined(__CYGWIN__)
# define PLATFORM_ID "Cygwin"
#elif defined(__MINGW32__)
# define PLATFORM_ID "MinGW"
#elif defined(__APPLE__)
# define PLATFORM_ID "Darwin"
#elif defined(_WIN32) || defined(__WIN32__) || defined(WIN32)
# define PLATFORM_ID "Windows"
#elif defined(__FreeBSD__) || defined(__FreeBSD)
# define PLATFORM_ID "FreeBSD"
#elif defined(__NetBSD__) || defined(__NetBSD)
# define PLATFORM_ID "NetBSD"
#elif defined(__OpenBSD__) || defined(__OPENBSD)
# define PLATFORM_ID "OpenBSD"
#elif defined(__sun) || defined(sun)
# define PLATFORM_ID "SunOS"
#elif defined(_AIX) || defined(__AIX) || defined(__AIX__) || defined(__aix) || defined(__aix__)
# define PLATFORM_ID "AIX"
#elif defined(__hpux) || defined(__hpux__)
# define PLATFORM_ID "HP-UX"
#elif defined(__HAIKU__)
# define PLATFORM_ID "Haiku"
#elif defined(__BeOS) || defined(__BEOS__) || defined(_BEOS)
# define PLATFORM_ID "BeOS"
#elif defined(__QNX__) || defined(__QNXNTO__)
# define PLATFORM_ID "QNX"
#elif defined(__tru64) || defined(_tru64) || defined(__TRU64__)
# define PLATFORM_ID "Tru64"
#elif defined(__riscos) || defined(__riscos__)
# define PLATFORM_ID "RISCos"
#elif defined(__sinix) || defined(__sinix__) || defined(__SINIX__)
# define PLATFORM_ID "SINIX"
#elif defined(__UNIX_SV__)
# define PLATFORM_ID "UNIX_SV"
#elif defined(__bsdos__)
# define PLATFORM_ID "BSDOS"
#elif defined(_MPRAS) || defined(MPRAS)
# define PLATFORM_ID "MP-RAS"
#elif defined(__osf) || defined(__osf__)
# define PLATFORM_ID "OSF1"
#elif defined(_SCO_SV) || defined(SCO_SV) || defined(sco_sv)
# define PLATFORM_ID "SCO_SV"
#elif defined(__ultrix) || defined(__ultrix__) || defined(_ULTRIX)
# define PLATFORM_ID "ULTRIX"
#elif defined(__XENIX__) || defined(_XENIX) || defined(XENIX)
# define PLATFORM_ID "Xenix"
#elif defined(__WATCOMC__)
# if defined(__LINUX__)
# define PLATFORM_ID "Linux"
# elif defined(__DOS__)
# define PLATFORM_ID "DOS"
# elif defined(__OS2__)
# define PLATFORM_ID "OS2"
# elif defined(__WINDOWS__)
# define PLATFORM_ID "Windows3x"
# elif defined(__VXWORKS__)
# define PLATFORM_ID "VxWorks"
# else /* unknown platform */
# define PLATFORM_ID
# endif
#elif defined(__INTEGRITY)
# if defined(INT_178B)
# define PLATFORM_ID "Integrity178"
# else /* regular Integrity */
# define PLATFORM_ID "Integrity"
# endif
#else /* unknown platform */
# define PLATFORM_ID
#endif
/* For windows compilers MSVC and Intel we can determine
the architecture of the compiler being used. This is because
the compilers do not have flags that can change the architecture,
but rather depend on which compiler is being used
*/
#if defined(_WIN32) && defined(_MSC_VER)
# if defined(_M_IA64)
# define ARCHITECTURE_ID "IA64"
# elif defined(_M_ARM64EC)
# define ARCHITECTURE_ID "ARM64EC"
# elif defined(_M_X64) || defined(_M_AMD64)
# define ARCHITECTURE_ID "x64"
# elif defined(_M_IX86)
# define ARCHITECTURE_ID "X86"
# elif defined(_M_ARM64)
# define ARCHITECTURE_ID "ARM64"
# elif defined(_M_ARM)
# if _M_ARM == 4
# define ARCHITECTURE_ID "ARMV4I"
# elif _M_ARM == 5
# define ARCHITECTURE_ID "ARMV5I"
# else
# define ARCHITECTURE_ID "ARMV" STRINGIFY(_M_ARM)
# endif
# elif defined(_M_MIPS)
# define ARCHITECTURE_ID "MIPS"
# elif defined(_M_SH)
# define ARCHITECTURE_ID "SHx"
# else /* unknown architecture */
# define ARCHITECTURE_ID ""
# endif
#elif defined(__WATCOMC__)
# if defined(_M_I86)
# define ARCHITECTURE_ID "I86"
# elif defined(_M_IX86)
# define ARCHITECTURE_ID "X86"
# else /* unknown architecture */
# define ARCHITECTURE_ID ""
# endif
#elif defined(__IAR_SYSTEMS_ICC__) || defined(__IAR_SYSTEMS_ICC)
# if defined(__ICCARM__)
# define ARCHITECTURE_ID "ARM"
# elif defined(__ICCRX__)
# define ARCHITECTURE_ID "RX"
# elif defined(__ICCRH850__)
# define ARCHITECTURE_ID "RH850"
# elif defined(__ICCRL78__)
# define ARCHITECTURE_ID "RL78"
# elif defined(__ICCRISCV__)
# define ARCHITECTURE_ID "RISCV"
# elif defined(__ICCAVR__)
# define ARCHITECTURE_ID "AVR"
# elif defined(__ICC430__)
# define ARCHITECTURE_ID "MSP430"
# elif defined(__ICCV850__)
# define ARCHITECTURE_ID "V850"
# elif defined(__ICC8051__)
# define ARCHITECTURE_ID "8051"
# elif defined(__ICCSTM8__)
# define ARCHITECTURE_ID "STM8"
# else /* unknown architecture */
# define ARCHITECTURE_ID ""
# endif
#elif defined(__ghs__)
# if defined(__PPC64__)
# define ARCHITECTURE_ID "PPC64"
# elif defined(__ppc__)
# define ARCHITECTURE_ID "PPC"
# elif defined(__ARM__)
# define ARCHITECTURE_ID "ARM"
# elif defined(__x86_64__)
# define ARCHITECTURE_ID "x64"
# elif defined(__i386__)
# define ARCHITECTURE_ID "X86"
# else /* unknown architecture */
# define ARCHITECTURE_ID ""
# endif
#elif defined(__TI_COMPILER_VERSION__)
# if defined(__TI_ARM__)
# define ARCHITECTURE_ID "ARM"
# elif defined(__MSP430__)
# define ARCHITECTURE_ID "MSP430"
# elif defined(__TMS320C28XX__)
# define ARCHITECTURE_ID "TMS320C28x"
# elif defined(__TMS320C6X__) || defined(_TMS320C6X)
# define ARCHITECTURE_ID "TMS320C6x"
# else /* unknown architecture */
# define ARCHITECTURE_ID ""
# endif
#else
# define ARCHITECTURE_ID
#endif
/* Convert integer to decimal digit literals. */
#define DEC(n) \
('0' + (((n) / 10000000)%10)), \
('0' + (((n) / 1000000)%10)), \
('0' + (((n) / 100000)%10)), \
('0' + (((n) / 10000)%10)), \
('0' + (((n) / 1000)%10)), \
('0' + (((n) / 100)%10)), \
('0' + (((n) / 10)%10)), \
('0' + ((n) % 10))
/* Convert integer to hex digit literals. */
#define HEX(n) \
('0' + ((n)>>28 & 0xF)), \
('0' + ((n)>>24 & 0xF)), \
('0' + ((n)>>20 & 0xF)), \
('0' + ((n)>>16 & 0xF)), \
('0' + ((n)>>12 & 0xF)), \
('0' + ((n)>>8 & 0xF)), \
('0' + ((n)>>4 & 0xF)), \
('0' + ((n) & 0xF))
/* Construct a string literal encoding the version number components. */
#ifdef COMPILER_VERSION_MAJOR
char const info_version[] = {
'I', 'N', 'F', 'O', ':',
'c','o','m','p','i','l','e','r','_','v','e','r','s','i','o','n','[',
COMPILER_VERSION_MAJOR,
# ifdef COMPILER_VERSION_MINOR
'.', COMPILER_VERSION_MINOR,
# ifdef COMPILER_VERSION_PATCH
'.', COMPILER_VERSION_PATCH,
# ifdef COMPILER_VERSION_TWEAK
'.', COMPILER_VERSION_TWEAK,
# endif
# endif
# endif
']','\0'};
#endif
/* Construct a string literal encoding the internal version number. */
#ifdef COMPILER_VERSION_INTERNAL
char const info_version_internal[] = {
'I', 'N', 'F', 'O', ':',
'c','o','m','p','i','l','e','r','_','v','e','r','s','i','o','n','_',
'i','n','t','e','r','n','a','l','[',
COMPILER_VERSION_INTERNAL,']','\0'};
#endif
/* Construct a string literal encoding the version number components. */
#ifdef SIMULATE_VERSION_MAJOR
char const info_simulate_version[] = {
'I', 'N', 'F', 'O', ':',
's','i','m','u','l','a','t','e','_','v','e','r','s','i','o','n','[',
SIMULATE_VERSION_MAJOR,
# ifdef SIMULATE_VERSION_MINOR
'.', SIMULATE_VERSION_MINOR,
# ifdef SIMULATE_VERSION_PATCH
'.', SIMULATE_VERSION_PATCH,
# ifdef SIMULATE_VERSION_TWEAK
'.', SIMULATE_VERSION_TWEAK,
# endif
# endif
# endif
']','\0'};
#endif
/* Construct the string literal in pieces to prevent the source from
getting matched. Store it in a pointer rather than an array
because some compilers will just produce instructions to fill the
array rather than assigning a pointer to a static array. */
char const* info_platform = "INFO" ":" "platform[" PLATFORM_ID "]";
char const* info_arch = "INFO" ":" "arch[" ARCHITECTURE_ID "]";
#if defined(__INTEL_COMPILER) && defined(_MSVC_LANG) && _MSVC_LANG < 201403L
# if defined(__INTEL_CXX11_MODE__)
# if defined(__cpp_aggregate_nsdmi)
# define CXX_STD 201402L
# else
# define CXX_STD 201103L
# endif
# else
# define CXX_STD 199711L
# endif
#elif defined(_MSC_VER) && defined(_MSVC_LANG)
# define CXX_STD _MSVC_LANG
#else
# define CXX_STD __cplusplus
#endif
const char* info_language_dialect_default = "INFO" ":" "dialect_default["
#if CXX_STD > 202002L
"23"
#elif CXX_STD > 201703L
"20"
#elif CXX_STD >= 201703L
"17"
#elif CXX_STD >= 201402L
"14"
#elif CXX_STD >= 201103L
"11"
#else
"98"
#endif
"]";
/*--------------------------------------------------------------------------*/
int main(int argc, char* argv[])
{
int require = 0;
require += info_compiler[argc];
require += info_platform[argc];
#ifdef COMPILER_VERSION_MAJOR
require += info_version[argc];
#endif
#ifdef COMPILER_VERSION_INTERNAL
require += info_version_internal[argc];
#endif
#ifdef SIMULATE_ID
require += info_simulate[argc];
#endif
#ifdef SIMULATE_VERSION_MAJOR
require += info_simulate_version[argc];
#endif
#if defined(__CRAYXT_COMPUTE_LINUX_TARGET)
require += info_cray[argc];
#endif
require += info_language_dialect_default[argc];
(void)argv;
return require;
}
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Relative path conversion top directories.
set(CMAKE_RELATIVE_PATH_TOP_SOURCE "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore")
set(CMAKE_RELATIVE_PATH_TOP_BINARY "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug")
# Force unix paths in dependencies.
set(CMAKE_FORCE_UNIX_PATHS 1)
# The C and CXX include file regular expressions for this directory.
set(CMAKE_C_INCLUDE_REGEX_SCAN "^.*$")
set(CMAKE_C_INCLUDE_REGEX_COMPLAIN "^$")
set(CMAKE_CXX_INCLUDE_REGEX_SCAN ${CMAKE_C_INCLUDE_REGEX_SCAN})
set(CMAKE_CXX_INCLUDE_REGEX_COMPLAIN ${CMAKE_C_INCLUDE_REGEX_COMPLAIN})
Performing C SOURCE FILE Test CMAKE_HAVE_LIBC_PTHREAD failed with the following output:
Change Dir: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp
Run Build Command(s):/usr/bin/make -f Makefile cmTC_eaaef/fast && /usr/bin/make -f CMakeFiles/cmTC_eaaef.dir/build.make CMakeFiles/cmTC_eaaef.dir/build
make[1]: Entering directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
Building C object CMakeFiles/cmTC_eaaef.dir/src.c.o
/usr/bin/cc -DCMAKE_HAVE_LIBC_PTHREAD -o CMakeFiles/cmTC_eaaef.dir/src.c.o -c /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp/src.c
Linking C executable cmTC_eaaef
/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E cmake_link_script CMakeFiles/cmTC_eaaef.dir/link.txt --verbose=1
/usr/bin/cc CMakeFiles/cmTC_eaaef.dir/src.c.o -o cmTC_eaaef
/usr/bin/ld: CMakeFiles/cmTC_eaaef.dir/src.c.o: in function `main':
src.c:(.text+0x46): undefined reference to `pthread_create'
/usr/bin/ld: src.c:(.text+0x52): undefined reference to `pthread_detach'
/usr/bin/ld: src.c:(.text+0x5e): undefined reference to `pthread_cancel'
/usr/bin/ld: src.c:(.text+0x6f): undefined reference to `pthread_join'
collect2: error: ld returned 1 exit status
make[1]: *** [CMakeFiles/cmTC_eaaef.dir/build.make:99: cmTC_eaaef] Error 1
make[1]: Leaving directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
make: *** [Makefile:127: cmTC_eaaef/fast] Error 2
Source file was:
#include <pthread.h>
static void* test_func(void* data)
{
return data;
}
int main(void)
{
pthread_t thread;
pthread_create(&thread, NULL, test_func, NULL);
pthread_detach(thread);
pthread_cancel(thread);
pthread_join(thread, NULL);
pthread_atfork(NULL, NULL, NULL);
pthread_exit(NULL);
return 0;
}
Determining if the function pthread_create exists in the pthreads failed with the following output:
Change Dir: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp
Run Build Command(s):/usr/bin/make -f Makefile cmTC_59b86/fast && /usr/bin/make -f CMakeFiles/cmTC_59b86.dir/build.make CMakeFiles/cmTC_59b86.dir/build
make[1]: Entering directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
Building C object CMakeFiles/cmTC_59b86.dir/CheckFunctionExists.c.o
/usr/bin/cc -DCHECK_FUNCTION_EXISTS=pthread_create -o CMakeFiles/cmTC_59b86.dir/CheckFunctionExists.c.o -c /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CheckFunctionExists.c
Linking C executable cmTC_59b86
/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E cmake_link_script CMakeFiles/cmTC_59b86.dir/link.txt --verbose=1
/usr/bin/cc -DCHECK_FUNCTION_EXISTS=pthread_create CMakeFiles/cmTC_59b86.dir/CheckFunctionExists.c.o -o cmTC_59b86 -lpthreads
/usr/bin/ld: cannot find -lpthreads
collect2: error: ld returned 1 exit status
make[1]: *** [CMakeFiles/cmTC_59b86.dir/build.make:99: cmTC_59b86] Error 1
make[1]: Leaving directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
make: *** [Makefile:127: cmTC_59b86/fast] Error 2
The system is: Linux - 5.11.0-37-generic - x86_64
Compiling the C compiler identification source file "CMakeCCompilerId.c" succeeded.
Compiler: /usr/bin/cc
Build flags:
Id flags:
The output was:
0
Compilation of the C compiler identification source "CMakeCCompilerId.c" produced "a.out"
The C compiler identification is GNU, found in "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/3.20.2/CompilerIdC/a.out"
Compiling the CXX compiler identification source file "CMakeCXXCompilerId.cpp" succeeded.
Compiler: /usr/bin/c++
Build flags:
Id flags:
The output was:
0
Compilation of the CXX compiler identification source "CMakeCXXCompilerId.cpp" produced "a.out"
The CXX compiler identification is GNU, found in "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/3.20.2/CompilerIdCXX/a.out"
Detecting C compiler ABI info compiled with the following output:
Change Dir: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp
Run Build Command(s):/usr/bin/make -f Makefile cmTC_c6d82/fast && /usr/bin/make -f CMakeFiles/cmTC_c6d82.dir/build.make CMakeFiles/cmTC_c6d82.dir/build
make[1]: Entering directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
Building C object CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o
/usr/bin/cc -v -o CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o -c /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCCompilerABI.c
Using built-in specs.
COLLECT_GCC=/usr/bin/cc
OFFLOAD_TARGET_NAMES=nvptx-none:hsa
OFFLOAD_TARGET_DEFAULT=1
Target: x86_64-linux-gnu
Configured with: ../src/configure -v --with-pkgversion='Ubuntu 9.3.0-17ubuntu1~20.04' --with-bugurl=file:///usr/share/doc/gcc-9/README.Bugs --enable-languages=c,ada,c++,go,brig,d,fortran,objc,obj-c++,gm2 --prefix=/usr --with-gcc-major-version-only --program-suffix=-9 --program-prefix=x86_64-linux-gnu- --enable-shared --enable-linker-build-id --libexecdir=/usr/lib --without-included-gettext --enable-threads=posix --libdir=/usr/lib --enable-nls --enable-clocale=gnu --enable-libstdcxx-debug --enable-libstdcxx-time=yes --with-default-libstdcxx-abi=new --enable-gnu-unique-object --disable-vtable-verify --enable-plugin --enable-default-pie --with-system-zlib --with-target-system-zlib=auto --enable-objc-gc=auto --enable-multiarch --disable-werror --with-arch-32=i686 --with-abi=m64 --with-multilib-list=m32,m64,mx32 --enable-multilib --with-tune=generic --enable-offload-targets=nvptx-none=/build/gcc-9-HskZEa/gcc-9-9.3.0/debian/tmp-nvptx/usr,hsa --without-cuda-driver --enable-checking=release --build=x86_64-linux-gnu --host=x86_64-linux-gnu --target=x86_64-linux-gnu
Thread model: posix
gcc version 9.3.0 (Ubuntu 9.3.0-17ubuntu1~20.04)
COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o' '-c' '-mtune=generic' '-march=x86-64'
/usr/lib/gcc/x86_64-linux-gnu/9/cc1 -quiet -v -imultiarch x86_64-linux-gnu /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCCompilerABI.c -quiet -dumpbase CMakeCCompilerABI.c -mtune=generic -march=x86-64 -auxbase-strip CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o -version -fasynchronous-unwind-tables -fstack-protector-strong -Wformat -Wformat-security -fstack-clash-protection -fcf-protection -o /tmp/cctDG07h.s
GNU C17 (Ubuntu 9.3.0-17ubuntu1~20.04) version 9.3.0 (x86_64-linux-gnu)
compiled by GNU C version 9.3.0, GMP version 6.2.0, MPFR version 4.0.2, MPC version 1.1.0, isl version isl-0.22.1-GMP
GGC heuristics: --param ggc-min-expand=100 --param ggc-min-heapsize=131072
ignoring nonexistent directory "/usr/local/include/x86_64-linux-gnu"
ignoring nonexistent directory "/usr/lib/gcc/x86_64-linux-gnu/9/include-fixed"
ignoring nonexistent directory "/usr/lib/gcc/x86_64-linux-gnu/9/../../../../x86_64-linux-gnu/include"
#include "..." search starts here:
#include <...> search starts here:
/usr/lib/gcc/x86_64-linux-gnu/9/include
/usr/local/include
/usr/include/x86_64-linux-gnu
/usr/include
End of search list.
GNU C17 (Ubuntu 9.3.0-17ubuntu1~20.04) version 9.3.0 (x86_64-linux-gnu)
compiled by GNU C version 9.3.0, GMP version 6.2.0, MPFR version 4.0.2, MPC version 1.1.0, isl version isl-0.22.1-GMP
GGC heuristics: --param ggc-min-expand=100 --param ggc-min-heapsize=131072
Compiler executable checksum: bbf13931d8de1abe14040c9909cb6969
COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o' '-c' '-mtune=generic' '-march=x86-64'
as -v --64 -o CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o /tmp/cctDG07h.s
GNU assembler version 2.34 (x86_64-linux-gnu) using BFD version (GNU Binutils for Ubuntu) 2.34
COMPILER_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/
LIBRARY_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib/:/lib/x86_64-linux-gnu/:/lib/../lib/:/usr/lib/x86_64-linux-gnu/:/usr/lib/../lib/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../:/lib/:/usr/lib/
COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o' '-c' '-mtune=generic' '-march=x86-64'
Linking C executable cmTC_c6d82
/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E cmake_link_script CMakeFiles/cmTC_c6d82.dir/link.txt --verbose=1
/usr/bin/cc -v CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o -o cmTC_c6d82
Using built-in specs.
COLLECT_GCC=/usr/bin/cc
COLLECT_LTO_WRAPPER=/usr/lib/gcc/x86_64-linux-gnu/9/lto-wrapper
OFFLOAD_TARGET_NAMES=nvptx-none:hsa
OFFLOAD_TARGET_DEFAULT=1
Target: x86_64-linux-gnu
Configured with: ../src/configure -v --with-pkgversion='Ubuntu 9.3.0-17ubuntu1~20.04' --with-bugurl=file:///usr/share/doc/gcc-9/README.Bugs --enable-languages=c,ada,c++,go,brig,d,fortran,objc,obj-c++,gm2 --prefix=/usr --with-gcc-major-version-only --program-suffix=-9 --program-prefix=x86_64-linux-gnu- --enable-shared --enable-linker-build-id --libexecdir=/usr/lib --without-included-gettext --enable-threads=posix --libdir=/usr/lib --enable-nls --enable-clocale=gnu --enable-libstdcxx-debug --enable-libstdcxx-time=yes --with-default-libstdcxx-abi=new --enable-gnu-unique-object --disable-vtable-verify --enable-plugin --enable-default-pie --with-system-zlib --with-target-system-zlib=auto --enable-objc-gc=auto --enable-multiarch --disable-werror --with-arch-32=i686 --with-abi=m64 --with-multilib-list=m32,m64,mx32 --enable-multilib --with-tune=generic --enable-offload-targets=nvptx-none=/build/gcc-9-HskZEa/gcc-9-9.3.0/debian/tmp-nvptx/usr,hsa --without-cuda-driver --enable-checking=release --build=x86_64-linux-gnu --host=x86_64-linux-gnu --target=x86_64-linux-gnu
Thread model: posix
gcc version 9.3.0 (Ubuntu 9.3.0-17ubuntu1~20.04)
COMPILER_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/
LIBRARY_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib/:/lib/x86_64-linux-gnu/:/lib/../lib/:/usr/lib/x86_64-linux-gnu/:/usr/lib/../lib/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../:/lib/:/usr/lib/
COLLECT_GCC_OPTIONS='-v' '-o' 'cmTC_c6d82' '-mtune=generic' '-march=x86-64'
/usr/lib/gcc/x86_64-linux-gnu/9/collect2 -plugin /usr/lib/gcc/x86_64-linux-gnu/9/liblto_plugin.so -plugin-opt=/usr/lib/gcc/x86_64-linux-gnu/9/lto-wrapper -plugin-opt=-fresolution=/tmp/ccyndIuK.res -plugin-opt=-pass-through=-lgcc -plugin-opt=-pass-through=-lgcc_s -plugin-opt=-pass-through=-lc -plugin-opt=-pass-through=-lgcc -plugin-opt=-pass-through=-lgcc_s --build-id --eh-frame-hdr -m elf_x86_64 --hash-style=gnu --as-needed -dynamic-linker /lib64/ld-linux-x86-64.so.2 -pie -z now -z relro -o cmTC_c6d82 /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/Scrt1.o /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crti.o /usr/lib/gcc/x86_64-linux-gnu/9/crtbeginS.o -L/usr/lib/gcc/x86_64-linux-gnu/9 -L/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu -L/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib -L/lib/x86_64-linux-gnu -L/lib/../lib -L/usr/lib/x86_64-linux-gnu -L/usr/lib/../lib -L/usr/lib/gcc/x86_64-linux-gnu/9/../../.. CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o -lgcc --push-state --as-needed -lgcc_s --pop-state -lc -lgcc --push-state --as-needed -lgcc_s --pop-state /usr/lib/gcc/x86_64-linux-gnu/9/crtendS.o /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crtn.o
COLLECT_GCC_OPTIONS='-v' '-o' 'cmTC_c6d82' '-mtune=generic' '-march=x86-64'
make[1]: Leaving directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
Parsed C implicit include dir info from above output: rv=done
found start of include info
found start of implicit include info
add: [/usr/lib/gcc/x86_64-linux-gnu/9/include]
add: [/usr/local/include]
add: [/usr/include/x86_64-linux-gnu]
add: [/usr/include]
end of search list found
collapse include dir [/usr/lib/gcc/x86_64-linux-gnu/9/include] ==> [/usr/lib/gcc/x86_64-linux-gnu/9/include]
collapse include dir [/usr/local/include] ==> [/usr/local/include]
collapse include dir [/usr/include/x86_64-linux-gnu] ==> [/usr/include/x86_64-linux-gnu]
collapse include dir [/usr/include] ==> [/usr/include]
implicit include dirs: [/usr/lib/gcc/x86_64-linux-gnu/9/include;/usr/local/include;/usr/include/x86_64-linux-gnu;/usr/include]
Parsed C implicit link information from above output:
link line regex: [^( *|.*[/\])(ld|CMAKE_LINK_STARTFILE-NOTFOUND|([^/\]+-)?ld|collect2)[^/\]*( |$)]
ignore line: [Change Dir: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp]
ignore line: []
ignore line: [Run Build Command(s):/usr/bin/make -f Makefile cmTC_c6d82/fast && /usr/bin/make -f CMakeFiles/cmTC_c6d82.dir/build.make CMakeFiles/cmTC_c6d82.dir/build]
ignore line: [make[1]: Entering directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp']
ignore line: [Building C object CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o]
ignore line: [/usr/bin/cc -v -o CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o -c /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCCompilerABI.c]
ignore line: [Using built-in specs.]
ignore line: [COLLECT_GCC=/usr/bin/cc]
ignore line: [OFFLOAD_TARGET_NAMES=nvptx-none:hsa]
ignore line: [OFFLOAD_TARGET_DEFAULT=1]
ignore line: [Target: x86_64-linux-gnu]
ignore line: [Configured with: ../src/configure -v --with-pkgversion='Ubuntu 9.3.0-17ubuntu1~20.04' --with-bugurl=file:///usr/share/doc/gcc-9/README.Bugs --enable-languages=c ada c++ go brig d fortran objc obj-c++ gm2 --prefix=/usr --with-gcc-major-version-only --program-suffix=-9 --program-prefix=x86_64-linux-gnu- --enable-shared --enable-linker-build-id --libexecdir=/usr/lib --without-included-gettext --enable-threads=posix --libdir=/usr/lib --enable-nls --enable-clocale=gnu --enable-libstdcxx-debug --enable-libstdcxx-time=yes --with-default-libstdcxx-abi=new --enable-gnu-unique-object --disable-vtable-verify --enable-plugin --enable-default-pie --with-system-zlib --with-target-system-zlib=auto --enable-objc-gc=auto --enable-multiarch --disable-werror --with-arch-32=i686 --with-abi=m64 --with-multilib-list=m32 m64 mx32 --enable-multilib --with-tune=generic --enable-offload-targets=nvptx-none=/build/gcc-9-HskZEa/gcc-9-9.3.0/debian/tmp-nvptx/usr hsa --without-cuda-driver --enable-checking=release --build=x86_64-linux-gnu --host=x86_64-linux-gnu --target=x86_64-linux-gnu]
ignore line: [Thread model: posix]
ignore line: [gcc version 9.3.0 (Ubuntu 9.3.0-17ubuntu1~20.04) ]
ignore line: [COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o' '-c' '-mtune=generic' '-march=x86-64']
ignore line: [ /usr/lib/gcc/x86_64-linux-gnu/9/cc1 -quiet -v -imultiarch x86_64-linux-gnu /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCCompilerABI.c -quiet -dumpbase CMakeCCompilerABI.c -mtune=generic -march=x86-64 -auxbase-strip CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o -version -fasynchronous-unwind-tables -fstack-protector-strong -Wformat -Wformat-security -fstack-clash-protection -fcf-protection -o /tmp/cctDG07h.s]
ignore line: [GNU C17 (Ubuntu 9.3.0-17ubuntu1~20.04) version 9.3.0 (x86_64-linux-gnu)]
ignore line: [ compiled by GNU C version 9.3.0 GMP version 6.2.0 MPFR version 4.0.2 MPC version 1.1.0 isl version isl-0.22.1-GMP]
ignore line: []
ignore line: [GGC heuristics: --param ggc-min-expand=100 --param ggc-min-heapsize=131072]
ignore line: [ignoring nonexistent directory "/usr/local/include/x86_64-linux-gnu"]
ignore line: [ignoring nonexistent directory "/usr/lib/gcc/x86_64-linux-gnu/9/include-fixed"]
ignore line: [ignoring nonexistent directory "/usr/lib/gcc/x86_64-linux-gnu/9/../../../../x86_64-linux-gnu/include"]
ignore line: [#include "..." search starts here:]
ignore line: [#include <...> search starts here:]
ignore line: [ /usr/lib/gcc/x86_64-linux-gnu/9/include]
ignore line: [ /usr/local/include]
ignore line: [ /usr/include/x86_64-linux-gnu]
ignore line: [ /usr/include]
ignore line: [End of search list.]
ignore line: [GNU C17 (Ubuntu 9.3.0-17ubuntu1~20.04) version 9.3.0 (x86_64-linux-gnu)]
ignore line: [ compiled by GNU C version 9.3.0 GMP version 6.2.0 MPFR version 4.0.2 MPC version 1.1.0 isl version isl-0.22.1-GMP]
ignore line: []
ignore line: [GGC heuristics: --param ggc-min-expand=100 --param ggc-min-heapsize=131072]
ignore line: [Compiler executable checksum: bbf13931d8de1abe14040c9909cb6969]
ignore line: [COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o' '-c' '-mtune=generic' '-march=x86-64']
ignore line: [ as -v --64 -o CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o /tmp/cctDG07h.s]
ignore line: [GNU assembler version 2.34 (x86_64-linux-gnu) using BFD version (GNU Binutils for Ubuntu) 2.34]
ignore line: [COMPILER_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/]
ignore line: [LIBRARY_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib/:/lib/x86_64-linux-gnu/:/lib/../lib/:/usr/lib/x86_64-linux-gnu/:/usr/lib/../lib/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../:/lib/:/usr/lib/]
ignore line: [COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o' '-c' '-mtune=generic' '-march=x86-64']
ignore line: [Linking C executable cmTC_c6d82]
ignore line: [/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E cmake_link_script CMakeFiles/cmTC_c6d82.dir/link.txt --verbose=1]
ignore line: [/usr/bin/cc -v CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o -o cmTC_c6d82 ]
ignore line: [Using built-in specs.]
ignore line: [COLLECT_GCC=/usr/bin/cc]
ignore line: [COLLECT_LTO_WRAPPER=/usr/lib/gcc/x86_64-linux-gnu/9/lto-wrapper]
ignore line: [OFFLOAD_TARGET_NAMES=nvptx-none:hsa]
ignore line: [OFFLOAD_TARGET_DEFAULT=1]
ignore line: [Target: x86_64-linux-gnu]
ignore line: [Configured with: ../src/configure -v --with-pkgversion='Ubuntu 9.3.0-17ubuntu1~20.04' --with-bugurl=file:///usr/share/doc/gcc-9/README.Bugs --enable-languages=c ada c++ go brig d fortran objc obj-c++ gm2 --prefix=/usr --with-gcc-major-version-only --program-suffix=-9 --program-prefix=x86_64-linux-gnu- --enable-shared --enable-linker-build-id --libexecdir=/usr/lib --without-included-gettext --enable-threads=posix --libdir=/usr/lib --enable-nls --enable-clocale=gnu --enable-libstdcxx-debug --enable-libstdcxx-time=yes --with-default-libstdcxx-abi=new --enable-gnu-unique-object --disable-vtable-verify --enable-plugin --enable-default-pie --with-system-zlib --with-target-system-zlib=auto --enable-objc-gc=auto --enable-multiarch --disable-werror --with-arch-32=i686 --with-abi=m64 --with-multilib-list=m32 m64 mx32 --enable-multilib --with-tune=generic --enable-offload-targets=nvptx-none=/build/gcc-9-HskZEa/gcc-9-9.3.0/debian/tmp-nvptx/usr hsa --without-cuda-driver --enable-checking=release --build=x86_64-linux-gnu --host=x86_64-linux-gnu --target=x86_64-linux-gnu]
ignore line: [Thread model: posix]
ignore line: [gcc version 9.3.0 (Ubuntu 9.3.0-17ubuntu1~20.04) ]
ignore line: [COMPILER_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/]
ignore line: [LIBRARY_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib/:/lib/x86_64-linux-gnu/:/lib/../lib/:/usr/lib/x86_64-linux-gnu/:/usr/lib/../lib/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../:/lib/:/usr/lib/]
ignore line: [COLLECT_GCC_OPTIONS='-v' '-o' 'cmTC_c6d82' '-mtune=generic' '-march=x86-64']
link line: [ /usr/lib/gcc/x86_64-linux-gnu/9/collect2 -plugin /usr/lib/gcc/x86_64-linux-gnu/9/liblto_plugin.so -plugin-opt=/usr/lib/gcc/x86_64-linux-gnu/9/lto-wrapper -plugin-opt=-fresolution=/tmp/ccyndIuK.res -plugin-opt=-pass-through=-lgcc -plugin-opt=-pass-through=-lgcc_s -plugin-opt=-pass-through=-lc -plugin-opt=-pass-through=-lgcc -plugin-opt=-pass-through=-lgcc_s --build-id --eh-frame-hdr -m elf_x86_64 --hash-style=gnu --as-needed -dynamic-linker /lib64/ld-linux-x86-64.so.2 -pie -z now -z relro -o cmTC_c6d82 /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/Scrt1.o /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crti.o /usr/lib/gcc/x86_64-linux-gnu/9/crtbeginS.o -L/usr/lib/gcc/x86_64-linux-gnu/9 -L/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu -L/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib -L/lib/x86_64-linux-gnu -L/lib/../lib -L/usr/lib/x86_64-linux-gnu -L/usr/lib/../lib -L/usr/lib/gcc/x86_64-linux-gnu/9/../../.. CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o -lgcc --push-state --as-needed -lgcc_s --pop-state -lc -lgcc --push-state --as-needed -lgcc_s --pop-state /usr/lib/gcc/x86_64-linux-gnu/9/crtendS.o /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crtn.o]
arg [/usr/lib/gcc/x86_64-linux-gnu/9/collect2] ==> ignore
arg [-plugin] ==> ignore
arg [/usr/lib/gcc/x86_64-linux-gnu/9/liblto_plugin.so] ==> ignore
arg [-plugin-opt=/usr/lib/gcc/x86_64-linux-gnu/9/lto-wrapper] ==> ignore
arg [-plugin-opt=-fresolution=/tmp/ccyndIuK.res] ==> ignore
arg [-plugin-opt=-pass-through=-lgcc] ==> ignore
arg [-plugin-opt=-pass-through=-lgcc_s] ==> ignore
arg [-plugin-opt=-pass-through=-lc] ==> ignore
arg [-plugin-opt=-pass-through=-lgcc] ==> ignore
arg [-plugin-opt=-pass-through=-lgcc_s] ==> ignore
arg [--build-id] ==> ignore
arg [--eh-frame-hdr] ==> ignore
arg [-m] ==> ignore
arg [elf_x86_64] ==> ignore
arg [--hash-style=gnu] ==> ignore
arg [--as-needed] ==> ignore
arg [-dynamic-linker] ==> ignore
arg [/lib64/ld-linux-x86-64.so.2] ==> ignore
arg [-pie] ==> ignore
arg [-znow] ==> ignore
arg [-zrelro] ==> ignore
arg [-o] ==> ignore
arg [cmTC_c6d82] ==> ignore
arg [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/Scrt1.o] ==> obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/Scrt1.o]
arg [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crti.o] ==> obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crti.o]
arg [/usr/lib/gcc/x86_64-linux-gnu/9/crtbeginS.o] ==> obj [/usr/lib/gcc/x86_64-linux-gnu/9/crtbeginS.o]
arg [-L/usr/lib/gcc/x86_64-linux-gnu/9] ==> dir [/usr/lib/gcc/x86_64-linux-gnu/9]
arg [-L/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu] ==> dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu]
arg [-L/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib] ==> dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib]
arg [-L/lib/x86_64-linux-gnu] ==> dir [/lib/x86_64-linux-gnu]
arg [-L/lib/../lib] ==> dir [/lib/../lib]
arg [-L/usr/lib/x86_64-linux-gnu] ==> dir [/usr/lib/x86_64-linux-gnu]
arg [-L/usr/lib/../lib] ==> dir [/usr/lib/../lib]
arg [-L/usr/lib/gcc/x86_64-linux-gnu/9/../../..] ==> dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../..]
arg [CMakeFiles/cmTC_c6d82.dir/CMakeCCompilerABI.c.o] ==> ignore
arg [-lgcc] ==> lib [gcc]
arg [--push-state] ==> ignore
arg [--as-needed] ==> ignore
arg [-lgcc_s] ==> lib [gcc_s]
arg [--pop-state] ==> ignore
arg [-lc] ==> lib [c]
arg [-lgcc] ==> lib [gcc]
arg [--push-state] ==> ignore
arg [--as-needed] ==> ignore
arg [-lgcc_s] ==> lib [gcc_s]
arg [--pop-state] ==> ignore
arg [/usr/lib/gcc/x86_64-linux-gnu/9/crtendS.o] ==> obj [/usr/lib/gcc/x86_64-linux-gnu/9/crtendS.o]
arg [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crtn.o] ==> obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crtn.o]
collapse obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/Scrt1.o] ==> [/usr/lib/x86_64-linux-gnu/Scrt1.o]
collapse obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crti.o] ==> [/usr/lib/x86_64-linux-gnu/crti.o]
collapse obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crtn.o] ==> [/usr/lib/x86_64-linux-gnu/crtn.o]
collapse library dir [/usr/lib/gcc/x86_64-linux-gnu/9] ==> [/usr/lib/gcc/x86_64-linux-gnu/9]
collapse library dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu] ==> [/usr/lib/x86_64-linux-gnu]
collapse library dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib] ==> [/usr/lib]
collapse library dir [/lib/x86_64-linux-gnu] ==> [/lib/x86_64-linux-gnu]
collapse library dir [/lib/../lib] ==> [/lib]
collapse library dir [/usr/lib/x86_64-linux-gnu] ==> [/usr/lib/x86_64-linux-gnu]
collapse library dir [/usr/lib/../lib] ==> [/usr/lib]
collapse library dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../..] ==> [/usr/lib]
implicit libs: [gcc;gcc_s;c;gcc;gcc_s]
implicit objs: [/usr/lib/x86_64-linux-gnu/Scrt1.o;/usr/lib/x86_64-linux-gnu/crti.o;/usr/lib/gcc/x86_64-linux-gnu/9/crtbeginS.o;/usr/lib/gcc/x86_64-linux-gnu/9/crtendS.o;/usr/lib/x86_64-linux-gnu/crtn.o]
implicit dirs: [/usr/lib/gcc/x86_64-linux-gnu/9;/usr/lib/x86_64-linux-gnu;/usr/lib;/lib/x86_64-linux-gnu;/lib]
implicit fwks: []
Detecting CXX compiler ABI info compiled with the following output:
Change Dir: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp
Run Build Command(s):/usr/bin/make -f Makefile cmTC_96341/fast && /usr/bin/make -f CMakeFiles/cmTC_96341.dir/build.make CMakeFiles/cmTC_96341.dir/build
make[1]: Entering directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
Building CXX object CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o
/usr/bin/c++ -v -o CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o -c /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCXXCompilerABI.cpp
Using built-in specs.
COLLECT_GCC=/usr/bin/c++
OFFLOAD_TARGET_NAMES=nvptx-none:hsa
OFFLOAD_TARGET_DEFAULT=1
Target: x86_64-linux-gnu
Configured with: ../src/configure -v --with-pkgversion='Ubuntu 9.3.0-17ubuntu1~20.04' --with-bugurl=file:///usr/share/doc/gcc-9/README.Bugs --enable-languages=c,ada,c++,go,brig,d,fortran,objc,obj-c++,gm2 --prefix=/usr --with-gcc-major-version-only --program-suffix=-9 --program-prefix=x86_64-linux-gnu- --enable-shared --enable-linker-build-id --libexecdir=/usr/lib --without-included-gettext --enable-threads=posix --libdir=/usr/lib --enable-nls --enable-clocale=gnu --enable-libstdcxx-debug --enable-libstdcxx-time=yes --with-default-libstdcxx-abi=new --enable-gnu-unique-object --disable-vtable-verify --enable-plugin --enable-default-pie --with-system-zlib --with-target-system-zlib=auto --enable-objc-gc=auto --enable-multiarch --disable-werror --with-arch-32=i686 --with-abi=m64 --with-multilib-list=m32,m64,mx32 --enable-multilib --with-tune=generic --enable-offload-targets=nvptx-none=/build/gcc-9-HskZEa/gcc-9-9.3.0/debian/tmp-nvptx/usr,hsa --without-cuda-driver --enable-checking=release --build=x86_64-linux-gnu --host=x86_64-linux-gnu --target=x86_64-linux-gnu
Thread model: posix
gcc version 9.3.0 (Ubuntu 9.3.0-17ubuntu1~20.04)
COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o' '-c' '-shared-libgcc' '-mtune=generic' '-march=x86-64'
/usr/lib/gcc/x86_64-linux-gnu/9/cc1plus -quiet -v -imultiarch x86_64-linux-gnu -D_GNU_SOURCE /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCXXCompilerABI.cpp -quiet -dumpbase CMakeCXXCompilerABI.cpp -mtune=generic -march=x86-64 -auxbase-strip CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o -version -fasynchronous-unwind-tables -fstack-protector-strong -Wformat -Wformat-security -fstack-clash-protection -fcf-protection -o /tmp/ccUIqEZf.s
GNU C++14 (Ubuntu 9.3.0-17ubuntu1~20.04) version 9.3.0 (x86_64-linux-gnu)
compiled by GNU C version 9.3.0, GMP version 6.2.0, MPFR version 4.0.2, MPC version 1.1.0, isl version isl-0.22.1-GMP
GGC heuristics: --param ggc-min-expand=100 --param ggc-min-heapsize=131072
ignoring duplicate directory "/usr/include/x86_64-linux-gnu/c++/9"
ignoring nonexistent directory "/usr/local/include/x86_64-linux-gnu"
ignoring nonexistent directory "/usr/lib/gcc/x86_64-linux-gnu/9/include-fixed"
ignoring nonexistent directory "/usr/lib/gcc/x86_64-linux-gnu/9/../../../../x86_64-linux-gnu/include"
#include "..." search starts here:
#include <...> search starts here:
/usr/include/c++/9
/usr/include/x86_64-linux-gnu/c++/9
/usr/include/c++/9/backward
/usr/lib/gcc/x86_64-linux-gnu/9/include
/usr/local/include
/usr/include/x86_64-linux-gnu
/usr/include
End of search list.
GNU C++14 (Ubuntu 9.3.0-17ubuntu1~20.04) version 9.3.0 (x86_64-linux-gnu)
compiled by GNU C version 9.3.0, GMP version 6.2.0, MPFR version 4.0.2, MPC version 1.1.0, isl version isl-0.22.1-GMP
GGC heuristics: --param ggc-min-expand=100 --param ggc-min-heapsize=131072
Compiler executable checksum: 466f818abe2f30ba03783f22bd12d815
COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o' '-c' '-shared-libgcc' '-mtune=generic' '-march=x86-64'
as -v --64 -o CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o /tmp/ccUIqEZf.s
GNU assembler version 2.34 (x86_64-linux-gnu) using BFD version (GNU Binutils for Ubuntu) 2.34
COMPILER_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/
LIBRARY_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib/:/lib/x86_64-linux-gnu/:/lib/../lib/:/usr/lib/x86_64-linux-gnu/:/usr/lib/../lib/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../:/lib/:/usr/lib/
COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o' '-c' '-shared-libgcc' '-mtune=generic' '-march=x86-64'
Linking CXX executable cmTC_96341
/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E cmake_link_script CMakeFiles/cmTC_96341.dir/link.txt --verbose=1
/usr/bin/c++ -v CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o -o cmTC_96341
Using built-in specs.
COLLECT_GCC=/usr/bin/c++
COLLECT_LTO_WRAPPER=/usr/lib/gcc/x86_64-linux-gnu/9/lto-wrapper
OFFLOAD_TARGET_NAMES=nvptx-none:hsa
OFFLOAD_TARGET_DEFAULT=1
Target: x86_64-linux-gnu
Configured with: ../src/configure -v --with-pkgversion='Ubuntu 9.3.0-17ubuntu1~20.04' --with-bugurl=file:///usr/share/doc/gcc-9/README.Bugs --enable-languages=c,ada,c++,go,brig,d,fortran,objc,obj-c++,gm2 --prefix=/usr --with-gcc-major-version-only --program-suffix=-9 --program-prefix=x86_64-linux-gnu- --enable-shared --enable-linker-build-id --libexecdir=/usr/lib --without-included-gettext --enable-threads=posix --libdir=/usr/lib --enable-nls --enable-clocale=gnu --enable-libstdcxx-debug --enable-libstdcxx-time=yes --with-default-libstdcxx-abi=new --enable-gnu-unique-object --disable-vtable-verify --enable-plugin --enable-default-pie --with-system-zlib --with-target-system-zlib=auto --enable-objc-gc=auto --enable-multiarch --disable-werror --with-arch-32=i686 --with-abi=m64 --with-multilib-list=m32,m64,mx32 --enable-multilib --with-tune=generic --enable-offload-targets=nvptx-none=/build/gcc-9-HskZEa/gcc-9-9.3.0/debian/tmp-nvptx/usr,hsa --without-cuda-driver --enable-checking=release --build=x86_64-linux-gnu --host=x86_64-linux-gnu --target=x86_64-linux-gnu
Thread model: posix
gcc version 9.3.0 (Ubuntu 9.3.0-17ubuntu1~20.04)
COMPILER_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/
LIBRARY_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib/:/lib/x86_64-linux-gnu/:/lib/../lib/:/usr/lib/x86_64-linux-gnu/:/usr/lib/../lib/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../:/lib/:/usr/lib/
COLLECT_GCC_OPTIONS='-v' '-o' 'cmTC_96341' '-shared-libgcc' '-mtune=generic' '-march=x86-64'
/usr/lib/gcc/x86_64-linux-gnu/9/collect2 -plugin /usr/lib/gcc/x86_64-linux-gnu/9/liblto_plugin.so -plugin-opt=/usr/lib/gcc/x86_64-linux-gnu/9/lto-wrapper -plugin-opt=-fresolution=/tmp/cc9iZGkJ.res -plugin-opt=-pass-through=-lgcc_s -plugin-opt=-pass-through=-lgcc -plugin-opt=-pass-through=-lc -plugin-opt=-pass-through=-lgcc_s -plugin-opt=-pass-through=-lgcc --build-id --eh-frame-hdr -m elf_x86_64 --hash-style=gnu --as-needed -dynamic-linker /lib64/ld-linux-x86-64.so.2 -pie -z now -z relro -o cmTC_96341 /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/Scrt1.o /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crti.o /usr/lib/gcc/x86_64-linux-gnu/9/crtbeginS.o -L/usr/lib/gcc/x86_64-linux-gnu/9 -L/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu -L/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib -L/lib/x86_64-linux-gnu -L/lib/../lib -L/usr/lib/x86_64-linux-gnu -L/usr/lib/../lib -L/usr/lib/gcc/x86_64-linux-gnu/9/../../.. CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o -lstdc++ -lm -lgcc_s -lgcc -lc -lgcc_s -lgcc /usr/lib/gcc/x86_64-linux-gnu/9/crtendS.o /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crtn.o
COLLECT_GCC_OPTIONS='-v' '-o' 'cmTC_96341' '-shared-libgcc' '-mtune=generic' '-march=x86-64'
make[1]: Leaving directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
Parsed CXX implicit include dir info from above output: rv=done
found start of include info
found start of implicit include info
add: [/usr/include/c++/9]
add: [/usr/include/x86_64-linux-gnu/c++/9]
add: [/usr/include/c++/9/backward]
add: [/usr/lib/gcc/x86_64-linux-gnu/9/include]
add: [/usr/local/include]
add: [/usr/include/x86_64-linux-gnu]
add: [/usr/include]
end of search list found
collapse include dir [/usr/include/c++/9] ==> [/usr/include/c++/9]
collapse include dir [/usr/include/x86_64-linux-gnu/c++/9] ==> [/usr/include/x86_64-linux-gnu/c++/9]
collapse include dir [/usr/include/c++/9/backward] ==> [/usr/include/c++/9/backward]
collapse include dir [/usr/lib/gcc/x86_64-linux-gnu/9/include] ==> [/usr/lib/gcc/x86_64-linux-gnu/9/include]
collapse include dir [/usr/local/include] ==> [/usr/local/include]
collapse include dir [/usr/include/x86_64-linux-gnu] ==> [/usr/include/x86_64-linux-gnu]
collapse include dir [/usr/include] ==> [/usr/include]
implicit include dirs: [/usr/include/c++/9;/usr/include/x86_64-linux-gnu/c++/9;/usr/include/c++/9/backward;/usr/lib/gcc/x86_64-linux-gnu/9/include;/usr/local/include;/usr/include/x86_64-linux-gnu;/usr/include]
Parsed CXX implicit link information from above output:
link line regex: [^( *|.*[/\])(ld|CMAKE_LINK_STARTFILE-NOTFOUND|([^/\]+-)?ld|collect2)[^/\]*( |$)]
ignore line: [Change Dir: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp]
ignore line: []
ignore line: [Run Build Command(s):/usr/bin/make -f Makefile cmTC_96341/fast && /usr/bin/make -f CMakeFiles/cmTC_96341.dir/build.make CMakeFiles/cmTC_96341.dir/build]
ignore line: [make[1]: Entering directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp']
ignore line: [Building CXX object CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o]
ignore line: [/usr/bin/c++ -v -o CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o -c /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCXXCompilerABI.cpp]
ignore line: [Using built-in specs.]
ignore line: [COLLECT_GCC=/usr/bin/c++]
ignore line: [OFFLOAD_TARGET_NAMES=nvptx-none:hsa]
ignore line: [OFFLOAD_TARGET_DEFAULT=1]
ignore line: [Target: x86_64-linux-gnu]
ignore line: [Configured with: ../src/configure -v --with-pkgversion='Ubuntu 9.3.0-17ubuntu1~20.04' --with-bugurl=file:///usr/share/doc/gcc-9/README.Bugs --enable-languages=c ada c++ go brig d fortran objc obj-c++ gm2 --prefix=/usr --with-gcc-major-version-only --program-suffix=-9 --program-prefix=x86_64-linux-gnu- --enable-shared --enable-linker-build-id --libexecdir=/usr/lib --without-included-gettext --enable-threads=posix --libdir=/usr/lib --enable-nls --enable-clocale=gnu --enable-libstdcxx-debug --enable-libstdcxx-time=yes --with-default-libstdcxx-abi=new --enable-gnu-unique-object --disable-vtable-verify --enable-plugin --enable-default-pie --with-system-zlib --with-target-system-zlib=auto --enable-objc-gc=auto --enable-multiarch --disable-werror --with-arch-32=i686 --with-abi=m64 --with-multilib-list=m32 m64 mx32 --enable-multilib --with-tune=generic --enable-offload-targets=nvptx-none=/build/gcc-9-HskZEa/gcc-9-9.3.0/debian/tmp-nvptx/usr hsa --without-cuda-driver --enable-checking=release --build=x86_64-linux-gnu --host=x86_64-linux-gnu --target=x86_64-linux-gnu]
ignore line: [Thread model: posix]
ignore line: [gcc version 9.3.0 (Ubuntu 9.3.0-17ubuntu1~20.04) ]
ignore line: [COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o' '-c' '-shared-libgcc' '-mtune=generic' '-march=x86-64']
ignore line: [ /usr/lib/gcc/x86_64-linux-gnu/9/cc1plus -quiet -v -imultiarch x86_64-linux-gnu -D_GNU_SOURCE /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCXXCompilerABI.cpp -quiet -dumpbase CMakeCXXCompilerABI.cpp -mtune=generic -march=x86-64 -auxbase-strip CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o -version -fasynchronous-unwind-tables -fstack-protector-strong -Wformat -Wformat-security -fstack-clash-protection -fcf-protection -o /tmp/ccUIqEZf.s]
ignore line: [GNU C++14 (Ubuntu 9.3.0-17ubuntu1~20.04) version 9.3.0 (x86_64-linux-gnu)]
ignore line: [ compiled by GNU C version 9.3.0 GMP version 6.2.0 MPFR version 4.0.2 MPC version 1.1.0 isl version isl-0.22.1-GMP]
ignore line: []
ignore line: [GGC heuristics: --param ggc-min-expand=100 --param ggc-min-heapsize=131072]
ignore line: [ignoring duplicate directory "/usr/include/x86_64-linux-gnu/c++/9"]
ignore line: [ignoring nonexistent directory "/usr/local/include/x86_64-linux-gnu"]
ignore line: [ignoring nonexistent directory "/usr/lib/gcc/x86_64-linux-gnu/9/include-fixed"]
ignore line: [ignoring nonexistent directory "/usr/lib/gcc/x86_64-linux-gnu/9/../../../../x86_64-linux-gnu/include"]
ignore line: [#include "..." search starts here:]
ignore line: [#include <...> search starts here:]
ignore line: [ /usr/include/c++/9]
ignore line: [ /usr/include/x86_64-linux-gnu/c++/9]
ignore line: [ /usr/include/c++/9/backward]
ignore line: [ /usr/lib/gcc/x86_64-linux-gnu/9/include]
ignore line: [ /usr/local/include]
ignore line: [ /usr/include/x86_64-linux-gnu]
ignore line: [ /usr/include]
ignore line: [End of search list.]
ignore line: [GNU C++14 (Ubuntu 9.3.0-17ubuntu1~20.04) version 9.3.0 (x86_64-linux-gnu)]
ignore line: [ compiled by GNU C version 9.3.0 GMP version 6.2.0 MPFR version 4.0.2 MPC version 1.1.0 isl version isl-0.22.1-GMP]
ignore line: []
ignore line: [GGC heuristics: --param ggc-min-expand=100 --param ggc-min-heapsize=131072]
ignore line: [Compiler executable checksum: 466f818abe2f30ba03783f22bd12d815]
ignore line: [COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o' '-c' '-shared-libgcc' '-mtune=generic' '-march=x86-64']
ignore line: [ as -v --64 -o CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o /tmp/ccUIqEZf.s]
ignore line: [GNU assembler version 2.34 (x86_64-linux-gnu) using BFD version (GNU Binutils for Ubuntu) 2.34]
ignore line: [COMPILER_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/]
ignore line: [LIBRARY_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib/:/lib/x86_64-linux-gnu/:/lib/../lib/:/usr/lib/x86_64-linux-gnu/:/usr/lib/../lib/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../:/lib/:/usr/lib/]
ignore line: [COLLECT_GCC_OPTIONS='-v' '-o' 'CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o' '-c' '-shared-libgcc' '-mtune=generic' '-march=x86-64']
ignore line: [Linking CXX executable cmTC_96341]
ignore line: [/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E cmake_link_script CMakeFiles/cmTC_96341.dir/link.txt --verbose=1]
ignore line: [/usr/bin/c++ -v CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o -o cmTC_96341 ]
ignore line: [Using built-in specs.]
ignore line: [COLLECT_GCC=/usr/bin/c++]
ignore line: [COLLECT_LTO_WRAPPER=/usr/lib/gcc/x86_64-linux-gnu/9/lto-wrapper]
ignore line: [OFFLOAD_TARGET_NAMES=nvptx-none:hsa]
ignore line: [OFFLOAD_TARGET_DEFAULT=1]
ignore line: [Target: x86_64-linux-gnu]
ignore line: [Configured with: ../src/configure -v --with-pkgversion='Ubuntu 9.3.0-17ubuntu1~20.04' --with-bugurl=file:///usr/share/doc/gcc-9/README.Bugs --enable-languages=c ada c++ go brig d fortran objc obj-c++ gm2 --prefix=/usr --with-gcc-major-version-only --program-suffix=-9 --program-prefix=x86_64-linux-gnu- --enable-shared --enable-linker-build-id --libexecdir=/usr/lib --without-included-gettext --enable-threads=posix --libdir=/usr/lib --enable-nls --enable-clocale=gnu --enable-libstdcxx-debug --enable-libstdcxx-time=yes --with-default-libstdcxx-abi=new --enable-gnu-unique-object --disable-vtable-verify --enable-plugin --enable-default-pie --with-system-zlib --with-target-system-zlib=auto --enable-objc-gc=auto --enable-multiarch --disable-werror --with-arch-32=i686 --with-abi=m64 --with-multilib-list=m32 m64 mx32 --enable-multilib --with-tune=generic --enable-offload-targets=nvptx-none=/build/gcc-9-HskZEa/gcc-9-9.3.0/debian/tmp-nvptx/usr hsa --without-cuda-driver --enable-checking=release --build=x86_64-linux-gnu --host=x86_64-linux-gnu --target=x86_64-linux-gnu]
ignore line: [Thread model: posix]
ignore line: [gcc version 9.3.0 (Ubuntu 9.3.0-17ubuntu1~20.04) ]
ignore line: [COMPILER_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/]
ignore line: [LIBRARY_PATH=/usr/lib/gcc/x86_64-linux-gnu/9/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib/:/lib/x86_64-linux-gnu/:/lib/../lib/:/usr/lib/x86_64-linux-gnu/:/usr/lib/../lib/:/usr/lib/gcc/x86_64-linux-gnu/9/../../../:/lib/:/usr/lib/]
ignore line: [COLLECT_GCC_OPTIONS='-v' '-o' 'cmTC_96341' '-shared-libgcc' '-mtune=generic' '-march=x86-64']
link line: [ /usr/lib/gcc/x86_64-linux-gnu/9/collect2 -plugin /usr/lib/gcc/x86_64-linux-gnu/9/liblto_plugin.so -plugin-opt=/usr/lib/gcc/x86_64-linux-gnu/9/lto-wrapper -plugin-opt=-fresolution=/tmp/cc9iZGkJ.res -plugin-opt=-pass-through=-lgcc_s -plugin-opt=-pass-through=-lgcc -plugin-opt=-pass-through=-lc -plugin-opt=-pass-through=-lgcc_s -plugin-opt=-pass-through=-lgcc --build-id --eh-frame-hdr -m elf_x86_64 --hash-style=gnu --as-needed -dynamic-linker /lib64/ld-linux-x86-64.so.2 -pie -z now -z relro -o cmTC_96341 /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/Scrt1.o /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crti.o /usr/lib/gcc/x86_64-linux-gnu/9/crtbeginS.o -L/usr/lib/gcc/x86_64-linux-gnu/9 -L/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu -L/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib -L/lib/x86_64-linux-gnu -L/lib/../lib -L/usr/lib/x86_64-linux-gnu -L/usr/lib/../lib -L/usr/lib/gcc/x86_64-linux-gnu/9/../../.. CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o -lstdc++ -lm -lgcc_s -lgcc -lc -lgcc_s -lgcc /usr/lib/gcc/x86_64-linux-gnu/9/crtendS.o /usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crtn.o]
arg [/usr/lib/gcc/x86_64-linux-gnu/9/collect2] ==> ignore
arg [-plugin] ==> ignore
arg [/usr/lib/gcc/x86_64-linux-gnu/9/liblto_plugin.so] ==> ignore
arg [-plugin-opt=/usr/lib/gcc/x86_64-linux-gnu/9/lto-wrapper] ==> ignore
arg [-plugin-opt=-fresolution=/tmp/cc9iZGkJ.res] ==> ignore
arg [-plugin-opt=-pass-through=-lgcc_s] ==> ignore
arg [-plugin-opt=-pass-through=-lgcc] ==> ignore
arg [-plugin-opt=-pass-through=-lc] ==> ignore
arg [-plugin-opt=-pass-through=-lgcc_s] ==> ignore
arg [-plugin-opt=-pass-through=-lgcc] ==> ignore
arg [--build-id] ==> ignore
arg [--eh-frame-hdr] ==> ignore
arg [-m] ==> ignore
arg [elf_x86_64] ==> ignore
arg [--hash-style=gnu] ==> ignore
arg [--as-needed] ==> ignore
arg [-dynamic-linker] ==> ignore
arg [/lib64/ld-linux-x86-64.so.2] ==> ignore
arg [-pie] ==> ignore
arg [-znow] ==> ignore
arg [-zrelro] ==> ignore
arg [-o] ==> ignore
arg [cmTC_96341] ==> ignore
arg [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/Scrt1.o] ==> obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/Scrt1.o]
arg [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crti.o] ==> obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crti.o]
arg [/usr/lib/gcc/x86_64-linux-gnu/9/crtbeginS.o] ==> obj [/usr/lib/gcc/x86_64-linux-gnu/9/crtbeginS.o]
arg [-L/usr/lib/gcc/x86_64-linux-gnu/9] ==> dir [/usr/lib/gcc/x86_64-linux-gnu/9]
arg [-L/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu] ==> dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu]
arg [-L/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib] ==> dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib]
arg [-L/lib/x86_64-linux-gnu] ==> dir [/lib/x86_64-linux-gnu]
arg [-L/lib/../lib] ==> dir [/lib/../lib]
arg [-L/usr/lib/x86_64-linux-gnu] ==> dir [/usr/lib/x86_64-linux-gnu]
arg [-L/usr/lib/../lib] ==> dir [/usr/lib/../lib]
arg [-L/usr/lib/gcc/x86_64-linux-gnu/9/../../..] ==> dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../..]
arg [CMakeFiles/cmTC_96341.dir/CMakeCXXCompilerABI.cpp.o] ==> ignore
arg [-lstdc++] ==> lib [stdc++]
arg [-lm] ==> lib [m]
arg [-lgcc_s] ==> lib [gcc_s]
arg [-lgcc] ==> lib [gcc]
arg [-lc] ==> lib [c]
arg [-lgcc_s] ==> lib [gcc_s]
arg [-lgcc] ==> lib [gcc]
arg [/usr/lib/gcc/x86_64-linux-gnu/9/crtendS.o] ==> obj [/usr/lib/gcc/x86_64-linux-gnu/9/crtendS.o]
arg [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crtn.o] ==> obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crtn.o]
collapse obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/Scrt1.o] ==> [/usr/lib/x86_64-linux-gnu/Scrt1.o]
collapse obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crti.o] ==> [/usr/lib/x86_64-linux-gnu/crti.o]
collapse obj [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu/crtn.o] ==> [/usr/lib/x86_64-linux-gnu/crtn.o]
collapse library dir [/usr/lib/gcc/x86_64-linux-gnu/9] ==> [/usr/lib/gcc/x86_64-linux-gnu/9]
collapse library dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../../x86_64-linux-gnu] ==> [/usr/lib/x86_64-linux-gnu]
collapse library dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../../../lib] ==> [/usr/lib]
collapse library dir [/lib/x86_64-linux-gnu] ==> [/lib/x86_64-linux-gnu]
collapse library dir [/lib/../lib] ==> [/lib]
collapse library dir [/usr/lib/x86_64-linux-gnu] ==> [/usr/lib/x86_64-linux-gnu]
collapse library dir [/usr/lib/../lib] ==> [/usr/lib]
collapse library dir [/usr/lib/gcc/x86_64-linux-gnu/9/../../..] ==> [/usr/lib]
implicit libs: [stdc++;m;gcc_s;gcc;c;gcc_s;gcc]
implicit objs: [/usr/lib/x86_64-linux-gnu/Scrt1.o;/usr/lib/x86_64-linux-gnu/crti.o;/usr/lib/gcc/x86_64-linux-gnu/9/crtbeginS.o;/usr/lib/gcc/x86_64-linux-gnu/9/crtendS.o;/usr/lib/x86_64-linux-gnu/crtn.o]
implicit dirs: [/usr/lib/gcc/x86_64-linux-gnu/9;/usr/lib/x86_64-linux-gnu;/usr/lib;/lib/x86_64-linux-gnu;/lib]
implicit fwks: []
Determining if the include file pthread.h exists passed with the following output:
Change Dir: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp
Run Build Command(s):/usr/bin/make -f Makefile cmTC_7c41a/fast && /usr/bin/make -f CMakeFiles/cmTC_7c41a.dir/build.make CMakeFiles/cmTC_7c41a.dir/build
make[1]: Entering directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
Building C object CMakeFiles/cmTC_7c41a.dir/CheckIncludeFile.c.o
/usr/bin/cc -o CMakeFiles/cmTC_7c41a.dir/CheckIncludeFile.c.o -c /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp/CheckIncludeFile.c
Linking C executable cmTC_7c41a
/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E cmake_link_script CMakeFiles/cmTC_7c41a.dir/link.txt --verbose=1
/usr/bin/cc CMakeFiles/cmTC_7c41a.dir/CheckIncludeFile.c.o -o cmTC_7c41a
make[1]: Leaving directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
Determining if the function pthread_create exists in the pthread passed with the following output:
Change Dir: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp
Run Build Command(s):/usr/bin/make -f Makefile cmTC_3fb21/fast && /usr/bin/make -f CMakeFiles/cmTC_3fb21.dir/build.make CMakeFiles/cmTC_3fb21.dir/build
make[1]: Entering directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
Building C object CMakeFiles/cmTC_3fb21.dir/CheckFunctionExists.c.o
/usr/bin/cc -DCHECK_FUNCTION_EXISTS=pthread_create -o CMakeFiles/cmTC_3fb21.dir/CheckFunctionExists.c.o -c /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CheckFunctionExists.c
Linking C executable cmTC_3fb21
/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E cmake_link_script CMakeFiles/cmTC_3fb21.dir/link.txt --verbose=1
/usr/bin/cc -DCHECK_FUNCTION_EXISTS=pthread_create CMakeFiles/cmTC_3fb21.dir/CheckFunctionExists.c.o -o cmTC_3fb21 -lpthread
make[1]: Leaving directory '/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/CMakeTmp'
# Hashes of file build rules.
2a8898f16e24488d787196631bd8dc5d keyvalue.pb.cc
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# The generator used is:
set(CMAKE_DEPENDS_GENERATOR "Unix Makefiles")
# The top level Makefile was generated from the following files:
set(CMAKE_MAKEFILE_DEPENDS
"CMakeCache.txt"
"/home/sagar/.local/lib/cmake/grpc/gRPCConfig.cmake"
"/home/sagar/.local/lib/cmake/grpc/gRPCConfigVersion.cmake"
"/home/sagar/.local/lib/cmake/grpc/gRPCTargets-noconfig.cmake"
"/home/sagar/.local/lib/cmake/grpc/gRPCTargets.cmake"
"/home/sagar/.local/lib/cmake/protobuf/protobuf-config-version.cmake"
"/home/sagar/.local/lib/cmake/protobuf/protobuf-config.cmake"
"/home/sagar/.local/lib/cmake/protobuf/protobuf-module.cmake"
"/home/sagar/.local/lib/cmake/protobuf/protobuf-options.cmake"
"/home/sagar/.local/lib/cmake/protobuf/protobuf-targets-noconfig.cmake"
"/home/sagar/.local/lib/cmake/protobuf/protobuf-targets.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCInformation.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCXXInformation.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeCommonLanguageInclude.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeExtraGeneratorDetermineCompilerMacrosAndIncludeDirs.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeFindCodeBlocks.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeGenericSystem.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeInitializeConfigs.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeLanguageInformation.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeSystemSpecificInformation.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CMakeSystemSpecificInitialize.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CheckCSourceCompiles.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CheckIncludeFile.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/CheckLibraryExists.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/Compiler/CMakeCommonCompilerMacros.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/Compiler/GNU-C.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/Compiler/GNU-CXX.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/Compiler/GNU.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/FindPackageHandleStandardArgs.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/FindPackageMessage.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/FindThreads.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/Internal/CheckSourceCompiles.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/Platform/Linux-GNU-C.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/Platform/Linux-GNU-CXX.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/Platform/Linux-GNU.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/Platform/Linux.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/Platform/UnixPaths.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/ProcessorCount.cmake"
"/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/share/cmake-3.20/Modules/SelectLibraryConfigurations.cmake"
"../CMakeLists.txt"
"CMakeFiles/3.20.2/CMakeCCompiler.cmake"
"CMakeFiles/3.20.2/CMakeCXXCompiler.cmake"
"CMakeFiles/3.20.2/CMakeSystem.cmake"
"/home/sagar/grpc/grpc/examples/cpp/cmake/common.cmake"
)
# The corresponding makefile is:
set(CMAKE_MAKEFILE_OUTPUTS
"Makefile"
"CMakeFiles/cmake.check_cache"
)
# Byproducts of CMake generate step:
set(CMAKE_MAKEFILE_PRODUCTS
"CMakeFiles/CMakeDirectoryInformation.cmake"
)
# Dependency information for all targets:
set(CMAKE_DEPEND_INFO_FILES
"CMakeFiles/kvs_grpc_proto.dir/DependInfo.cmake"
"CMakeFiles/client.dir/DependInfo.cmake"
"CMakeFiles/server.dir/DependInfo.cmake"
"CMakeFiles/cpp.dir/DependInfo.cmake"
)
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Default target executed when no arguments are given to make.
default_target: all
.PHONY : default_target
#=============================================================================
# Special targets provided by cmake.
# Disable implicit rules so canonical targets will work.
.SUFFIXES:
# Disable VCS-based implicit rules.
% : %,v
# Disable VCS-based implicit rules.
% : RCS/%
# Disable VCS-based implicit rules.
% : RCS/%,v
# Disable VCS-based implicit rules.
% : SCCS/s.%
# Disable VCS-based implicit rules.
% : s.%
.SUFFIXES: .hpux_make_needs_suffix_list
# Command-line flag to silence nested $(MAKE).
$(VERBOSE)MAKESILENT = -s
#Suppress display of executed commands.
$(VERBOSE).SILENT:
# A target that is always out of date.
cmake_force:
.PHONY : cmake_force
#=============================================================================
# Set environment variables for the build.
# The shell in which to execute make rules.
SHELL = /bin/sh
# The CMake executable.
CMAKE_COMMAND = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# The command to remove a file.
RM = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E rm -f
# Escaping for special characters.
EQUALS = =
# The top-level source directory on which CMake was run.
CMAKE_SOURCE_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# The top-level build directory on which CMake was run.
CMAKE_BINARY_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
#=============================================================================
# Directory level rules for the build root directory
# The main recursive "all" target.
all: CMakeFiles/kvs_grpc_proto.dir/all
all: CMakeFiles/client.dir/all
all: CMakeFiles/server.dir/all
all: CMakeFiles/cpp.dir/all
.PHONY : all
# The main recursive "preinstall" target.
preinstall:
.PHONY : preinstall
# The main recursive "clean" target.
clean: CMakeFiles/kvs_grpc_proto.dir/clean
clean: CMakeFiles/client.dir/clean
clean: CMakeFiles/server.dir/clean
clean: CMakeFiles/cpp.dir/clean
.PHONY : clean
#=============================================================================
# Target rules for target CMakeFiles/kvs_grpc_proto.dir
# All Build rule for target.
CMakeFiles/kvs_grpc_proto.dir/all:
$(MAKE) $(MAKESILENT) -f CMakeFiles/kvs_grpc_proto.dir/build.make CMakeFiles/kvs_grpc_proto.dir/depend
$(MAKE) $(MAKESILENT) -f CMakeFiles/kvs_grpc_proto.dir/build.make CMakeFiles/kvs_grpc_proto.dir/build
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=5,6,7,8 "Built target kvs_grpc_proto"
.PHONY : CMakeFiles/kvs_grpc_proto.dir/all
# Build rule for subdir invocation for target.
CMakeFiles/kvs_grpc_proto.dir/rule: cmake_check_build_system
$(CMAKE_COMMAND) -E cmake_progress_start /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles 4
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 CMakeFiles/kvs_grpc_proto.dir/all
$(CMAKE_COMMAND) -E cmake_progress_start /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles 0
.PHONY : CMakeFiles/kvs_grpc_proto.dir/rule
# Convenience name for target.
kvs_grpc_proto: CMakeFiles/kvs_grpc_proto.dir/rule
.PHONY : kvs_grpc_proto
# clean rule for target.
CMakeFiles/kvs_grpc_proto.dir/clean:
$(MAKE) $(MAKESILENT) -f CMakeFiles/kvs_grpc_proto.dir/build.make CMakeFiles/kvs_grpc_proto.dir/clean
.PHONY : CMakeFiles/kvs_grpc_proto.dir/clean
#=============================================================================
# Target rules for target CMakeFiles/client.dir
# All Build rule for target.
CMakeFiles/client.dir/all: CMakeFiles/kvs_grpc_proto.dir/all
$(MAKE) $(MAKESILENT) -f CMakeFiles/client.dir/build.make CMakeFiles/client.dir/depend
$(MAKE) $(MAKESILENT) -f CMakeFiles/client.dir/build.make CMakeFiles/client.dir/build
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=1,2 "Built target client"
.PHONY : CMakeFiles/client.dir/all
# Build rule for subdir invocation for target.
CMakeFiles/client.dir/rule: cmake_check_build_system
$(CMAKE_COMMAND) -E cmake_progress_start /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles 6
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 CMakeFiles/client.dir/all
$(CMAKE_COMMAND) -E cmake_progress_start /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles 0
.PHONY : CMakeFiles/client.dir/rule
# Convenience name for target.
client: CMakeFiles/client.dir/rule
.PHONY : client
# clean rule for target.
CMakeFiles/client.dir/clean:
$(MAKE) $(MAKESILENT) -f CMakeFiles/client.dir/build.make CMakeFiles/client.dir/clean
.PHONY : CMakeFiles/client.dir/clean
#=============================================================================
# Target rules for target CMakeFiles/server.dir
# All Build rule for target.
CMakeFiles/server.dir/all: CMakeFiles/kvs_grpc_proto.dir/all
$(MAKE) $(MAKESILENT) -f CMakeFiles/server.dir/build.make CMakeFiles/server.dir/depend
$(MAKE) $(MAKESILENT) -f CMakeFiles/server.dir/build.make CMakeFiles/server.dir/build
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=9,10 "Built target server"
.PHONY : CMakeFiles/server.dir/all
# Build rule for subdir invocation for target.
CMakeFiles/server.dir/rule: cmake_check_build_system
$(CMAKE_COMMAND) -E cmake_progress_start /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles 6
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 CMakeFiles/server.dir/all
$(CMAKE_COMMAND) -E cmake_progress_start /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles 0
.PHONY : CMakeFiles/server.dir/rule
# Convenience name for target.
server: CMakeFiles/server.dir/rule
.PHONY : server
# clean rule for target.
CMakeFiles/server.dir/clean:
$(MAKE) $(MAKESILENT) -f CMakeFiles/server.dir/build.make CMakeFiles/server.dir/clean
.PHONY : CMakeFiles/server.dir/clean
#=============================================================================
# Target rules for target CMakeFiles/cpp.dir
# All Build rule for target.
CMakeFiles/cpp.dir/all:
$(MAKE) $(MAKESILENT) -f CMakeFiles/cpp.dir/build.make CMakeFiles/cpp.dir/depend
$(MAKE) $(MAKESILENT) -f CMakeFiles/cpp.dir/build.make CMakeFiles/cpp.dir/build
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=3,4 "Built target cpp"
.PHONY : CMakeFiles/cpp.dir/all
# Build rule for subdir invocation for target.
CMakeFiles/cpp.dir/rule: cmake_check_build_system
$(CMAKE_COMMAND) -E cmake_progress_start /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles 2
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 CMakeFiles/cpp.dir/all
$(CMAKE_COMMAND) -E cmake_progress_start /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles 0
.PHONY : CMakeFiles/cpp.dir/rule
# Convenience name for target.
cpp: CMakeFiles/cpp.dir/rule
.PHONY : cpp
# clean rule for target.
CMakeFiles/cpp.dir/clean:
$(MAKE) $(MAKESILENT) -f CMakeFiles/cpp.dir/build.make CMakeFiles/cpp.dir/clean
.PHONY : CMakeFiles/cpp.dir/clean
#=============================================================================
# Special targets to cleanup operation of make.
# Special rule to run CMake to check the build system integrity.
# No rule that depends on this can have commands that come from listfiles
# because they might be regenerated.
cmake_check_build_system:
$(CMAKE_COMMAND) -S$(CMAKE_SOURCE_DIR) -B$(CMAKE_BINARY_DIR) --check-build-system CMakeFiles/Makefile.cmake 0
.PHONY : cmake_check_build_system
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/rebuild_cache.dir
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/edit_cache.dir
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/kvs_grpc_proto.dir
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/client.dir
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/server.dir
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/cpp.dir
#IncludeRegexLine: ^[ ]*[#%][ ]*(include|import)[ ]*[<"]([^">]+)([">])
#IncludeRegexScan: ^.*$
#IncludeRegexComplain: ^$
#IncludeRegexTransform:
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/LRUCache.cpp
iostream
-
utility
-
string.h
-
unordered_map
-
Node.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/Node.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/Node.hpp
iostream
-
utility
-
string.h
-
# Consider dependencies only in project.
set(CMAKE_DEPENDS_IN_PROJECT_ONLY OFF)
# The set of languages for which implicit dependencies are needed:
set(CMAKE_DEPENDS_LANGUAGES
)
# The set of dependency files which are needed:
set(CMAKE_DEPENDS_DEPENDENCY_FILES
)
# Targets to which this target links.
set(CMAKE_TARGET_LINKED_INFO_FILES
)
# Fortran module output directory.
set(CMAKE_Fortran_TARGET_MODULE_DIR "")
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Delete rule output on recipe failure.
.DELETE_ON_ERROR:
#=============================================================================
# Special targets provided by cmake.
# Disable implicit rules so canonical targets will work.
.SUFFIXES:
# Disable VCS-based implicit rules.
% : %,v
# Disable VCS-based implicit rules.
% : RCS/%
# Disable VCS-based implicit rules.
% : RCS/%,v
# Disable VCS-based implicit rules.
% : SCCS/s.%
# Disable VCS-based implicit rules.
% : s.%
.SUFFIXES: .hpux_make_needs_suffix_list
# Command-line flag to silence nested $(MAKE).
$(VERBOSE)MAKESILENT = -s
#Suppress display of executed commands.
$(VERBOSE).SILENT:
# A target that is always out of date.
cmake_force:
.PHONY : cmake_force
#=============================================================================
# Set environment variables for the build.
# The shell in which to execute make rules.
SHELL = /bin/sh
# The CMake executable.
CMAKE_COMMAND = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# The command to remove a file.
RM = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E rm -f
# Escaping for special characters.
EQUALS = =
# The top-level source directory on which CMake was run.
CMAKE_SOURCE_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# The top-level build directory on which CMake was run.
CMAKE_BINARY_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
# Include any dependencies generated for this target.
include CMakeFiles/cache.dir/depend.make
# Include the progress variables for this target.
include CMakeFiles/cache.dir/progress.make
# Include the compile flags for this target's objects.
include CMakeFiles/cache.dir/flags.make
CMakeFiles/cache.dir/clean:
$(CMAKE_COMMAND) -P CMakeFiles/cache.dir/cmake_clean.cmake
.PHONY : CMakeFiles/cache.dir/clean
CMakeFiles/cache.dir/depend:
cd /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug && $(CMAKE_COMMAND) -E cmake_depends "Unix Makefiles" /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/cache.dir/DependInfo.cmake --color=$(COLOR)
.PHONY : CMakeFiles/cache.dir/depend
# Per-language clean rules from dependency scanning.
foreach(lang )
include(CMakeFiles/cache.dir/cmake_clean_${lang}.cmake OPTIONAL)
endforeach()
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/cache.dir/kvcache/LRUCache.cpp.o
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/LRUCache.cpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/Node.hpp
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/cache.dir/kvcache/LRUCache.cpp.o: \
../kvcache/LRUCache.cpp \
../kvcache/Node.hpp
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
/usr/bin/c++ -g CMakeFiles/cache.dir/kvcache/LRUCache.cpp.o -o cache
#IncludeRegexLine: ^[ ]*[#%][ ]*(include|import)[ ]*[<"]([^">]+)([">])
#IncludeRegexScan: ^.*$
#IncludeRegexComplain: ^$
#IncludeRegexTransform:
/home/sagar/.local/include/google/protobuf/any.h
string
-
google/protobuf/stubs/common.h
-
google/protobuf/arenastring.h
-
google/protobuf/message_lite.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/any.pb.h
limits
-
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_table_driven.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message.h
-
google/protobuf/repeated_field.h
-
google/protobuf/extension_set.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/arena.h
limits
-
type_traits
-
utility
-
exception
-
typeinfo
-
typeinfo
-
type_traits
-
google/protobuf/arena_impl.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/arena_impl.h
atomic
-
limits
-
typeinfo
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
sanitizer/asan_interface.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/arenastring.h
string
-
type_traits
-
utility
-
google/protobuf/stubs/logging.h
-
google/protobuf/stubs/common.h
-
google/protobuf/arena.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/descriptor.h
atomic
-
map
-
memory
-
set
-
string
-
vector
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/mutex.h
-
google/protobuf/stubs/once.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/descriptor.pb.h
limits
-
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_table_driven.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message.h
-
google/protobuf/repeated_field.h
-
google/protobuf/extension_set.h
-
google/protobuf/generated_enum_reflection.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/descriptor_database.h
map
-
string
-
utility
-
vector
-
google/protobuf/stubs/common.h
-
google/protobuf/descriptor.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/extension_set.h
algorithm
-
cassert
-
map
-
string
-
utility
-
vector
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
google/protobuf/parse_context.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/port.h
-
google/protobuf/repeated_field.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/generated_enum_reflection.h
string
-
google/protobuf/generated_enum_util.h
-
google/protobuf/port.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/generated_enum_util.h
type_traits
-
google/protobuf/message_lite.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/generated_message_reflection.h
string
-
vector
-
google/protobuf/stubs/casts.h
-
google/protobuf/stubs/common.h
-
google/protobuf/descriptor.h
-
google/protobuf/generated_enum_reflection.h
-
google/protobuf/stubs/once.h
-
google/protobuf/port.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/generated_message_table_driven.h
google/protobuf/map.h
-
google/protobuf/map_entry_lite.h
-
google/protobuf/map_field_lite.h
-
google/protobuf/message_lite.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/generated_message_util.h
assert.h
-
atomic
-
climits
-
string
-
vector
-
google/protobuf/stubs/common.h
-
google/protobuf/any.h
-
google/protobuf/has_bits.h
-
google/protobuf/implicit_weak_message.h
-
google/protobuf/message_lite.h
-
google/protobuf/stubs/once.h
-
google/protobuf/port.h
-
google/protobuf/repeated_field.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/stubs/casts.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/has_bits.h
google/protobuf/stubs/common.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/implicit_weak_message.h
string
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/message_lite.h
-
google/protobuf/repeated_field.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/io/coded_stream.h
assert.h
-
atomic
-
climits
-
cstddef
-
cstring
-
string
-
type_traits
-
utility
-
machine/endian.h
-
endian.h
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port.h
-
google/protobuf/stubs/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream.h
string
-
google/protobuf/stubs/common.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream_impl_lite.h
iosfwd
-
memory
-
string
-
google/protobuf/stubs/callback.h
-
google/protobuf/stubs/common.h
-
google/protobuf/io/zero_copy_stream.h
-
google/protobuf/stubs/stl_util.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/map.h
functional
-
initializer_list
-
iterator
-
limits
-
map
-
string
-
type_traits
-
utility
-
string_view
-
google/protobuf/stubs/common.h
-
google/protobuf/arena.h
-
google/protobuf/generated_enum_util.h
-
google/protobuf/map_type_handler.h
-
google/protobuf/stubs/hash.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/map_entry_lite.h
assert.h
-
string
-
google/protobuf/stubs/casts.h
-
google/protobuf/parse_context.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/map.h
-
google/protobuf/map_type_handler.h
-
google/protobuf/port.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/map_field_lite.h
type_traits
-
google/protobuf/parse_context.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/map.h
-
google/protobuf/map_entry_lite.h
-
google/protobuf/port.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/map_type_handler.h
google/protobuf/parse_context.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/wire_format_lite.h
-
/home/sagar/.local/include/google/protobuf/message.h
iosfwd
-
string
-
type_traits
-
vector
-
google/protobuf/stubs/casts.h
-
google/protobuf/stubs/common.h
-
google/protobuf/arena.h
-
google/protobuf/descriptor.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message_lite.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/message_lite.h
climits
-
string
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/stubs/once.h
-
google/protobuf/port.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/metadata_lite.h
string
-
google/protobuf/stubs/common.h
-
google/protobuf/arena.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/parse_context.h
cstdint
-
cstring
-
string
-
google/protobuf/io/coded_stream.h
-
google/protobuf/io/zero_copy_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/implicit_weak_message.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/port.h
-
google/protobuf/repeated_field.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/port.h
/home/sagar/.local/include/google/protobuf/port_def.inc
/home/sagar/.local/include/google/protobuf/port_undef.inc
/home/sagar/.local/include/google/protobuf/repeated_field.h
utility
-
algorithm
-
iterator
-
limits
-
string
-
type_traits
-
google/protobuf/stubs/logging.h
-
google/protobuf/stubs/common.h
-
google/protobuf/arena.h
-
google/protobuf/message_lite.h
-
google/protobuf/port.h
-
google/protobuf/stubs/casts.h
-
type_traits
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/source_context.pb.h
limits
-
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_table_driven.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message.h
-
google/protobuf/repeated_field.h
-
google/protobuf/extension_set.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/bytestream.h
stddef.h
-
string
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/stringpiece.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/callback.h
type_traits
-
google/protobuf/stubs/macros.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/casts.h
google/protobuf/stubs/common.h
-
google/protobuf/port_def.inc
-
type_traits
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/common.h
algorithm
-
iostream
-
map
-
memory
-
set
-
string
-
vector
-
google/protobuf/stubs/macros.h
-
google/protobuf/stubs/platform_macros.h
-
google/protobuf/stubs/port.h
-
google/protobuf/stubs/stringpiece.h
-
exception
-
TargetConditionals.h
-
pthread.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/hash.h
cstring
-
string
-
unordered_map
-
unordered_set
-
/home/sagar/.local/include/google/protobuf/stubs/logging.h
google/protobuf/stubs/macros.h
-
google/protobuf/stubs/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/macros.h
google/protobuf/stubs/port.h
-
/home/sagar/.local/include/google/protobuf/stubs/mutex.h
mutex
-
windows.h
-
google/protobuf/stubs/macros.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/once.h
mutex
-
utility
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/platform_macros.h
Availability.h
-
TargetConditionals.h
-
/home/sagar/.local/include/google/protobuf/stubs/port.h
assert.h
-
cstdint
-
stdlib.h
-
cstddef
-
string
-
string.h
-
google/protobuf/stubs/platform_macros.h
-
google/protobuf/port_def.inc
-
machine/endian.h
-
endian.h
-
stdlib.h
-
intrin.h
-
libkern/OSByteOrder.h
-
byteswap.h
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/status.h
iosfwd
-
string
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/stringpiece.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/stl_util.h
google/protobuf/stubs/common.h
-
/home/sagar/.local/include/google/protobuf/stubs/stringpiece.h
assert.h
-
stddef.h
-
string.h
-
iosfwd
-
limits
-
string
-
google/protobuf/stubs/hash.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/strutil.h
google/protobuf/stubs/common.h
-
google/protobuf/stubs/stringpiece.h
-
stdlib.h
-
cstring
-
google/protobuf/port_def.inc
-
vector
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/type.pb.h
limits
-
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_table_driven.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message.h
-
google/protobuf/repeated_field.h
-
google/protobuf/extension_set.h
-
google/protobuf/generated_enum_reflection.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/any.pb.h
-
google/protobuf/source_context.pb.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/unknown_field_set.h
assert.h
-
string
-
vector
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
google/protobuf/parse_context.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/io/zero_copy_stream_impl_lite.h
-
google/protobuf/message_lite.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/util/json_util.h
google/protobuf/message.h
-
google/protobuf/util/type_resolver.h
-
google/protobuf/stubs/bytestream.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/util/type_resolver.h
string
-
google/protobuf/stubs/common.h
-
google/protobuf/type.pb.h
-
google/protobuf/stubs/status.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/util/type_resolver_util.h
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/wire_format_lite.h
string
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arenastring.h
-
google/protobuf/message_lite.h
-
google/protobuf/port.h
-
google/protobuf/repeated_field.h
-
google/protobuf/stubs/casts.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/grpc/byte_buffer.h
grpc/support/port_platform.h
-
grpc/impl/codegen/byte_buffer.h
-
grpc/slice_buffer.h
-
/home/sagar/.local/include/grpc/compression.h
grpc/impl/codegen/port_platform.h
-
stdlib.h
-
grpc/impl/codegen/compression_types.h
-
grpc/slice.h
-
/home/sagar/.local/include/grpc/grpc.h
grpc/support/port_platform.h
-
grpc/status.h
-
grpc/byte_buffer.h
-
grpc/impl/codegen/connectivity_state.h
-
grpc/impl/codegen/grpc_types.h
-
grpc/impl/codegen/propagation_bits.h
-
grpc/slice.h
-
grpc/support/time.h
-
stddef.h
-
/home/sagar/.local/include/grpc/grpc_security_constants.h
/home/sagar/.local/include/grpc/impl/codegen/atm.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/atm_gcc_atomic.h
-
grpc/impl/codegen/atm_gcc_sync.h
-
grpc/impl/codegen/atm_windows.h
-
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_atomic.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_sync.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/impl/codegen/atm_windows.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/grpc_types.h
-
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer_reader.h
/home/sagar/.local/include/grpc/impl/codegen/compression_types.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/impl/codegen/connectivity_state.h
/home/sagar/.local/include/grpc/impl/codegen/gpr_slice.h
/home/sagar/.local/include/grpc/impl/codegen/gpr_types.h
grpc/impl/codegen/port_platform.h
-
stddef.h
-
/home/sagar/.local/include/grpc/impl/codegen/grpc_types.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/compression_types.h
-
grpc/impl/codegen/gpr_types.h
-
grpc/impl/codegen/slice.h
-
grpc/impl/codegen/status.h
-
stddef.h
-
/home/sagar/.local/include/grpc/impl/codegen/log.h
grpc/impl/codegen/port_platform.h
-
stdarg.h
-
stdlib.h
-
/home/sagar/.local/include/grpc/impl/codegen/port_platform.h
windows.h
-
features.h
-
linux/version.h
-
Availability.h
-
TargetConditionals.h
-
features.h
-
stdint.h
-
stdint.h
-
/home/sagar/.local/include/grpc/impl/codegen/propagation_bits.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/impl/codegen/slice.h
grpc/impl/codegen/port_platform.h
-
stddef.h
-
grpc/impl/codegen/gpr_slice.h
-
/home/sagar/.local/include/grpc/impl/codegen/status.h
/home/sagar/.local/include/grpc/impl/codegen/sync.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/sync_generic.h
-
grpc/impl/codegen/sync_custom.h
-
grpc/impl/codegen/sync_abseil.h
-
grpc/impl/codegen/sync_posix.h
-
grpc/impl/codegen/sync_windows.h
-
/home/sagar/.local/include/grpc/impl/codegen/sync_abseil.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/sync_generic.h
-
/home/sagar/.local/include/grpc/impl/codegen/sync_custom.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/sync_generic.h
-
/home/sagar/.local/include/grpc/impl/codegen/sync_generic.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/atm.h
-
/home/sagar/.local/include/grpc/impl/codegen/sync_posix.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/sync_generic.h
-
pthread.h
-
/home/sagar/.local/include/grpc/impl/codegen/sync_windows.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/sync_generic.h
-
/home/sagar/.local/include/grpc/slice.h
grpc/support/port_platform.h
-
grpc/impl/codegen/slice.h
-
grpc/support/sync.h
-
/home/sagar/.local/include/grpc/slice_buffer.h
grpc/support/port_platform.h
-
grpc/slice.h
-
/home/sagar/.local/include/grpc/status.h
grpc/support/port_platform.h
-
grpc/impl/codegen/status.h
-
/home/sagar/.local/include/grpc/support/atm.h
grpc/support/port_platform.h
-
grpc/impl/codegen/atm.h
-
/home/sagar/.local/include/grpc/support/cpu.h
grpc/support/port_platform.h
-
/home/sagar/.local/include/grpc/support/log.h
grpc/support/port_platform.h
-
grpc/impl/codegen/log.h
-
/home/sagar/.local/include/grpc/support/port_platform.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/support/sync.h
grpc/support/port_platform.h
-
grpc/impl/codegen/gpr_types.h
-
grpc/impl/codegen/sync.h
-
/home/sagar/.local/include/grpc/support/time.h
grpc/support/port_platform.h
-
grpc/impl/codegen/gpr_types.h
-
stddef.h
-
time.h
-
/home/sagar/.local/include/grpc/support/workaround_list.h
/home/sagar/.local/include/grpcpp/channel.h
memory
-
grpc/grpc.h
-
grpcpp/impl/call.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/impl/codegen/completion_queue.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/grpc_library.h
-
grpcpp/impl/codegen/sync.h
-
/home/sagar/.local/include/grpcpp/client_context.h
grpcpp/impl/codegen/client_context.h
-
/home/sagar/.local/include/grpcpp/completion_queue.h
grpcpp/impl/codegen/completion_queue.h
-
/home/sagar/.local/include/grpcpp/create_channel.h
memory
-
grpcpp/channel.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/security/credentials.h
-
grpcpp/support/channel_arguments.h
-
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/create_channel_posix.h
memory
-
grpc/support/port_platform.h
-
grpcpp/channel.h
-
grpcpp/support/channel_arguments.h
-
/home/sagar/.local/include/grpcpp/grpcpp.h
grpc/grpc.h
-
grpcpp/channel.h
-
grpcpp/client_context.h
-
grpcpp/completion_queue.h
-
grpcpp/create_channel.h
-
grpcpp/create_channel_posix.h
-
grpcpp/server.h
-
grpcpp/server_builder.h
-
grpcpp/server_context.h
-
grpcpp/server_posix.h
-
/home/sagar/.local/include/grpcpp/health_check_service_interface.h
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/impl/call.h
grpcpp/impl/codegen/call.h
-
/home/sagar/.local/include/grpcpp/impl/channel_argument_option.h
map
-
memory
-
grpcpp/impl/server_builder_option.h
-
grpcpp/support/channel_arguments.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/async_generic_service.h
grpc/impl/codegen/port_platform.h
-
grpcpp/impl/codegen/async_stream.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/server_callback.h
-
grpcpp/impl/codegen/server_callback_handlers.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/async_stream.h
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/server_context.h
-
grpcpp/impl/codegen/service_type.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/async_unary_call.h
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_op_set.h
-
grpcpp/impl/codegen/call_op_set_interface.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/client_context.h
-
grpcpp/impl/codegen/server_context.h
-
grpcpp/impl/codegen/service_type.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/byte_buffer.h
grpc/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/slice.h
-
grpcpp/impl/codegen/status.h
-
vector
-
/home/sagar/.local/include/grpcpp/impl/codegen/call.h
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/call_hook.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/call_hook.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set.h
cstring
-
map
-
memory
-
grpc/impl/codegen/compression_types.h
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_hook.h
-
grpcpp/impl/codegen/call_op_set_interface.h
-
grpcpp/impl/codegen/client_context.h
-
grpcpp/impl/codegen/completion_queue.h
-
grpcpp/impl/codegen/completion_queue_tag.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/intercepted_channel.h
-
grpcpp/impl/codegen/interceptor_common.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/slice.h
-
grpcpp/impl/codegen/string_ref.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set_interface.h
grpcpp/impl/codegen/completion_queue_tag.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/callback_common.h
functional
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/completion_queue_tag.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/channel_interface.h
grpc/impl/codegen/connectivity_state.h
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/time.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/client_callback.h
atomic
-
functional
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_op_set.h
-
grpcpp/impl/codegen/callback_common.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/sync.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/client_context.h
map
-
memory
-
string
-
grpc/impl/codegen/compression_types.h
-
grpc/impl/codegen/propagation_bits.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/create_auth_context.h
-
grpcpp/impl/codegen/metadata_map.h
-
grpcpp/impl/codegen/rpc_method.h
-
grpcpp/impl/codegen/security/auth_context.h
-
grpcpp/impl/codegen/slice.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/string_ref.h
-
grpcpp/impl/codegen/sync.h
-
grpcpp/impl/codegen/time.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/client_interceptor.h
memory
-
vector
-
grpcpp/impl/codegen/interceptor.h
-
grpcpp/impl/codegen/rpc_method.h
-
grpcpp/impl/codegen/string_ref.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue.h
list
-
grpc/impl/codegen/atm.h
-
grpcpp/impl/codegen/completion_queue_tag.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/grpc_library.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/sync.h
-
grpcpp/impl/codegen/time.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue_tag.h
/home/sagar/.local/include/grpcpp/impl/codegen/config.h
string
-
/home/sagar/.local/include/grpcpp/impl/codegen/config_protobuf.h
google/protobuf/message_lite.h
-
google/protobuf/message.h
-
google/protobuf/descriptor.h
-
google/protobuf/descriptor.pb.h
-
google/protobuf/descriptor_database.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/io/zero_copy_stream.h
-
google/protobuf/util/json_util.h
-
google/protobuf/util/type_resolver_util.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/core_codegen_interface.h
grpc/impl/codegen/byte_buffer.h
-
grpc/impl/codegen/byte_buffer_reader.h
-
grpc/impl/codegen/grpc_types.h
-
grpc/impl/codegen/sync.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/create_auth_context.h
memory
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/security/auth_context.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/grpc_library.h
grpcpp/impl/codegen/core_codegen_interface.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/intercepted_channel.h
grpcpp/impl/codegen/channel_interface.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor.h
memory
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/metadata_map.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor_common.h
array
-
functional
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_op_set_interface.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/impl/codegen/intercepted_channel.h
-
grpcpp/impl/codegen/server_interceptor.h
-
grpc/impl/codegen/grpc_types.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/message_allocator.h
/home/sagar/.local/include/grpcpp/impl/codegen/metadata_map.h
map
-
grpc/impl/codegen/log.h
-
grpcpp/impl/codegen/slice.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/method_handler.h
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/sync_stream.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_reader.h
type_traits
-
grpc/impl/codegen/byte_buffer_reader.h
-
grpc/impl/codegen/grpc_types.h
-
grpc/impl/codegen/slice.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config_protobuf.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_writer.h
type_traits
-
grpc/impl/codegen/grpc_types.h
-
grpc/impl/codegen/slice.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config_protobuf.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/proto_utils.h
type_traits
-
grpc/impl/codegen/byte_buffer_reader.h
-
grpc/impl/codegen/grpc_types.h
-
grpc/impl/codegen/slice.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config_protobuf.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/proto_buffer_reader.h
-
grpcpp/impl/codegen/proto_buffer_writer.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/slice.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_method.h
memory
-
grpcpp/impl/codegen/channel_interface.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_service_method.h
climits
-
functional
-
map
-
memory
-
vector
-
grpc/impl/codegen/log.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/rpc_method.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/security/auth_context.h
iterator
-
vector
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/string_ref.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/serialization_traits.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback.h
atomic
-
functional
-
type_traits
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_op_set.h
-
grpcpp/impl/codegen/callback_common.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/message_allocator.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/sync.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback_handlers.h
grpcpp/impl/codegen/message_allocator.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/server_callback.h
-
grpcpp/impl/codegen/server_context.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/server_context.h
atomic
-
cassert
-
map
-
memory
-
type_traits
-
vector
-
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/compression_types.h
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_op_set.h
-
grpcpp/impl/codegen/callback_common.h
-
grpcpp/impl/codegen/completion_queue_tag.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/create_auth_context.h
-
grpcpp/impl/codegen/message_allocator.h
-
grpcpp/impl/codegen/metadata_map.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/security/auth_context.h
-
grpcpp/impl/codegen/server_callback.h
-
grpcpp/impl/codegen/server_interceptor.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/string_ref.h
-
grpcpp/impl/codegen/time.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/server_interceptor.h
atomic
-
vector
-
grpcpp/impl/codegen/interceptor.h
-
grpcpp/impl/codegen/rpc_method.h
-
grpcpp/impl/codegen/string_ref.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/server_interface.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_hook.h
-
grpcpp/impl/codegen/completion_queue_tag.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/interceptor_common.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/server_context.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/service_type.h
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/server_interface.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/slice.h
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/string_ref.h
-
grpc/impl/codegen/slice.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/status.h
grpc/impl/codegen/status.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/status_code_enum.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/status_code_enum.h
/home/sagar/.local/include/grpcpp/impl/codegen/string_ref.h
string.h
-
algorithm
-
iosfwd
-
iostream
-
iterator
-
grpcpp/impl/codegen/config.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/stub_options.h
/home/sagar/.local/include/grpcpp/impl/codegen/sync.h
grpc/impl/codegen/port_platform.h
-
pthread.h
-
mutex
-
grpc/impl/codegen/log.h
-
grpc/impl/codegen/sync.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
absl/synchronization/mutex.h
/home/sagar/.local/include/grpcpp/impl/codegen/absl/synchronization/mutex.h
/home/sagar/.local/include/grpcpp/impl/codegen/sync_stream.h
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/client_context.h
-
grpcpp/impl/codegen/completion_queue.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/server_context.h
-
grpcpp/impl/codegen/service_type.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/time.h
chrono
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/config.h
-
/home/sagar/.local/include/grpcpp/impl/rpc_service_method.h
grpcpp/impl/codegen/rpc_service_method.h
-
/home/sagar/.local/include/grpcpp/impl/server_builder_option.h
map
-
memory
-
grpcpp/impl/server_builder_plugin.h
-
grpcpp/support/channel_arguments.h
-
/home/sagar/.local/include/grpcpp/impl/server_builder_plugin.h
memory
-
grpcpp/support/channel_arguments.h
-
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/resource_quota.h
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/grpc_library.h
-
/home/sagar/.local/include/grpcpp/security/auth_context.h
grpcpp/impl/codegen/security/auth_context.h
-
/home/sagar/.local/include/grpcpp/security/auth_metadata_processor.h
map
-
grpcpp/security/auth_context.h
-
grpcpp/support/status.h
-
grpcpp/support/string_ref.h
-
/home/sagar/.local/include/grpcpp/security/authorization_policy_provider.h
grpc/status.h
-
grpcpp/impl/codegen/grpc_library.h
-
memory
-
/home/sagar/.local/include/grpcpp/security/credentials.h
map
-
memory
-
vector
-
grpc/grpc_security_constants.h
-
grpcpp/channel.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/impl/codegen/grpc_library.h
-
grpcpp/security/auth_context.h
-
grpcpp/security/tls_credentials_options.h
-
grpcpp/support/channel_arguments.h
-
grpcpp/support/status.h
-
grpcpp/support/string_ref.h
-
/home/sagar/.local/include/grpcpp/security/server_credentials.h
memory
-
vector
-
grpc/grpc_security_constants.h
-
grpcpp/security/auth_metadata_processor.h
-
grpcpp/security/tls_credentials_options.h
-
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/security/tls_certificate_provider.h
grpc/grpc_security_constants.h
-
grpc/status.h
-
grpc/support/log.h
-
grpcpp/impl/codegen/grpc_library.h
-
grpcpp/support/config.h
-
memory
-
vector
-
/home/sagar/.local/include/grpcpp/security/tls_credentials_options.h
grpc/grpc_security_constants.h
-
grpc/status.h
-
grpc/support/log.h
-
grpcpp/security/tls_certificate_provider.h
-
grpcpp/support/config.h
-
memory
-
vector
-
/home/sagar/.local/include/grpcpp/server.h
list
-
memory
-
vector
-
grpc/impl/codegen/port_platform.h
-
grpc/compression.h
-
grpc/support/atm.h
-
grpcpp/channel.h
-
grpcpp/completion_queue.h
-
grpcpp/health_check_service_interface.h
-
grpcpp/impl/call.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/impl/codegen/completion_queue.h
-
grpcpp/impl/codegen/grpc_library.h
-
grpcpp/impl/codegen/server_interface.h
-
grpcpp/impl/rpc_service_method.h
-
grpcpp/security/server_credentials.h
-
grpcpp/support/channel_arguments.h
-
grpcpp/support/config.h
-
grpcpp/support/status.h
-
/home/sagar/.local/include/grpcpp/server_builder.h
climits
-
map
-
memory
-
vector
-
grpc/impl/codegen/port_platform.h
-
grpc/compression.h
-
grpc/support/cpu.h
-
grpc/support/workaround_list.h
-
grpcpp/impl/channel_argument_option.h
-
grpcpp/impl/codegen/server_interceptor.h
-
grpcpp/impl/server_builder_option.h
-
grpcpp/impl/server_builder_plugin.h
-
grpcpp/security/authorization_policy_provider.h
-
grpcpp/server.h
-
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/server_context.h
grpcpp/impl/codegen/server_context.h
-
/home/sagar/.local/include/grpcpp/server_posix.h
memory
-
grpc/support/port_platform.h
-
grpcpp/server.h
-
/home/sagar/.local/include/grpcpp/support/channel_arguments.h
list
-
vector
-
grpc/compression.h
-
grpc/grpc.h
-
grpcpp/resource_quota.h
-
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/support/config.h
grpcpp/impl/codegen/config.h
-
/home/sagar/.local/include/grpcpp/support/status.h
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/support/string_ref.h
grpcpp/impl/codegen/string_ref.h
-
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVClient.cc
iostream
-
memory
-
string
-
grpc/support/log.h
-
grpcpp/grpcpp.h
-
proto/keyvalue.grpc.pb.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.grpc.pb.h
KVStorage.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVStorage.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVStorage.hpp
iostream
-
bits/stdc++.h
-
sys/types.h
-
unordered_map
-
string.h
-
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.grpc.pb.h
keyvalue.pb.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.pb.h
functional
-
grpcpp/impl/codegen/async_generic_service.h
-
grpcpp/impl/codegen/async_stream.h
-
grpcpp/impl/codegen/async_unary_call.h
-
grpcpp/impl/codegen/client_callback.h
-
grpcpp/impl/codegen/client_context.h
-
grpcpp/impl/codegen/completion_queue.h
-
grpcpp/impl/codegen/message_allocator.h
-
grpcpp/impl/codegen/method_handler.h
-
grpcpp/impl/codegen/proto_utils.h
-
grpcpp/impl/codegen/rpc_method.h
-
grpcpp/impl/codegen/server_callback.h
-
grpcpp/impl/codegen/server_callback_handlers.h
-
grpcpp/impl/codegen/server_context.h
-
grpcpp/impl/codegen/service_type.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/stub_options.h
-
grpcpp/impl/codegen/sync_stream.h
-
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.pb.h
limits
-
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_table_driven.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message.h
-
google/protobuf/repeated_field.h
-
google/protobuf/extension_set.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
# Consider dependencies only in project.
set(CMAKE_DEPENDS_IN_PROJECT_ONLY OFF)
# The set of languages for which implicit dependencies are needed:
set(CMAKE_DEPENDS_LANGUAGES
"CXX"
)
# The set of files for implicit dependencies of each language:
set(CMAKE_DEPENDS_CHECK_CXX
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVClient.cc" "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/client.dir/KVClient.cc.o"
)
set(CMAKE_CXX_COMPILER_ID "GNU")
# Preprocessor definitions for this target.
set(CMAKE_TARGET_DEFINITIONS_CXX
"CARES_STATICLIB"
)
# The include file search paths:
set(CMAKE_CXX_TARGET_INCLUDE_PATH
"."
"../storage"
"/home/sagar/.local/include"
)
# The set of dependency files which are needed:
set(CMAKE_DEPENDS_DEPENDENCY_FILES
)
# Targets to which this target links.
set(CMAKE_TARGET_LINKED_INFO_FILES
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/kvs_grpc_proto.dir/DependInfo.cmake"
)
# Fortran module output directory.
set(CMAKE_Fortran_TARGET_MODULE_DIR "")
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Delete rule output on recipe failure.
.DELETE_ON_ERROR:
#=============================================================================
# Special targets provided by cmake.
# Disable implicit rules so canonical targets will work.
.SUFFIXES:
# Disable VCS-based implicit rules.
% : %,v
# Disable VCS-based implicit rules.
% : RCS/%
# Disable VCS-based implicit rules.
% : RCS/%,v
# Disable VCS-based implicit rules.
% : SCCS/s.%
# Disable VCS-based implicit rules.
% : s.%
.SUFFIXES: .hpux_make_needs_suffix_list
# Command-line flag to silence nested $(MAKE).
$(VERBOSE)MAKESILENT = -s
#Suppress display of executed commands.
$(VERBOSE).SILENT:
# A target that is always out of date.
cmake_force:
.PHONY : cmake_force
#=============================================================================
# Set environment variables for the build.
# The shell in which to execute make rules.
SHELL = /bin/sh
# The CMake executable.
CMAKE_COMMAND = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# The command to remove a file.
RM = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E rm -f
# Escaping for special characters.
EQUALS = =
# The top-level source directory on which CMake was run.
CMAKE_SOURCE_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# The top-level build directory on which CMake was run.
CMAKE_BINARY_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
# Include any dependencies generated for this target.
include CMakeFiles/client.dir/depend.make
# Include the progress variables for this target.
include CMakeFiles/client.dir/progress.make
# Include the compile flags for this target's objects.
include CMakeFiles/client.dir/flags.make
CMakeFiles/client.dir/KVClient.cc.o: CMakeFiles/client.dir/flags.make
CMakeFiles/client.dir/KVClient.cc.o: ../KVClient.cc
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_1) "Building CXX object CMakeFiles/client.dir/KVClient.cc.o"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -o CMakeFiles/client.dir/KVClient.cc.o -c /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVClient.cc
CMakeFiles/client.dir/KVClient.cc.i: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Preprocessing CXX source to CMakeFiles/client.dir/KVClient.cc.i"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -E /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVClient.cc > CMakeFiles/client.dir/KVClient.cc.i
CMakeFiles/client.dir/KVClient.cc.s: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Compiling CXX source to assembly CMakeFiles/client.dir/KVClient.cc.s"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -S /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVClient.cc -o CMakeFiles/client.dir/KVClient.cc.s
# Object files for target client
client_OBJECTS = \
"CMakeFiles/client.dir/KVClient.cc.o"
# External object files for target client
client_EXTERNAL_OBJECTS =
client: CMakeFiles/client.dir/KVClient.cc.o
client: CMakeFiles/client.dir/build.make
client: libkvs_grpc_proto.a
client: /home/sagar/.local/lib/libgrpc++_reflection.a
client: /home/sagar/.local/lib/libgrpc++.a
client: /home/sagar/.local/lib/libprotobuf.a
client: /home/sagar/.local/lib/libgrpc.a
client: /home/sagar/.local/lib/libz.a
client: /home/sagar/.local/lib/libcares.a
client: /home/sagar/.local/lib/libaddress_sorting.a
client: /home/sagar/.local/lib/libre2.a
client: /home/sagar/.local/lib/libabsl_hash.a
client: /home/sagar/.local/lib/libabsl_city.a
client: /home/sagar/.local/lib/libabsl_wyhash.a
client: /home/sagar/.local/lib/libabsl_raw_hash_set.a
client: /home/sagar/.local/lib/libabsl_hashtablez_sampler.a
client: /home/sagar/.local/lib/libabsl_exponential_biased.a
client: /home/sagar/.local/lib/libabsl_statusor.a
client: /home/sagar/.local/lib/libabsl_bad_variant_access.a
client: /home/sagar/.local/lib/libgpr.a
client: /home/sagar/.local/lib/libupb.a
client: /home/sagar/.local/lib/libabsl_status.a
client: /home/sagar/.local/lib/libabsl_cord.a
client: /home/sagar/.local/lib/libabsl_str_format_internal.a
client: /home/sagar/.local/lib/libabsl_synchronization.a
client: /home/sagar/.local/lib/libabsl_stacktrace.a
client: /home/sagar/.local/lib/libabsl_symbolize.a
client: /home/sagar/.local/lib/libabsl_debugging_internal.a
client: /home/sagar/.local/lib/libabsl_demangle_internal.a
client: /home/sagar/.local/lib/libabsl_graphcycles_internal.a
client: /home/sagar/.local/lib/libabsl_malloc_internal.a
client: /home/sagar/.local/lib/libabsl_time.a
client: /home/sagar/.local/lib/libabsl_strings.a
client: /home/sagar/.local/lib/libabsl_throw_delegate.a
client: /home/sagar/.local/lib/libabsl_strings_internal.a
client: /home/sagar/.local/lib/libabsl_base.a
client: /home/sagar/.local/lib/libabsl_spinlock_wait.a
client: /home/sagar/.local/lib/libabsl_int128.a
client: /home/sagar/.local/lib/libabsl_civil_time.a
client: /home/sagar/.local/lib/libabsl_time_zone.a
client: /home/sagar/.local/lib/libabsl_bad_optional_access.a
client: /home/sagar/.local/lib/libabsl_raw_logging_internal.a
client: /home/sagar/.local/lib/libabsl_log_severity.a
client: /home/sagar/.local/lib/libssl.a
client: /home/sagar/.local/lib/libcrypto.a
client: CMakeFiles/client.dir/link.txt
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --bold --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_2) "Linking CXX executable client"
$(CMAKE_COMMAND) -E cmake_link_script CMakeFiles/client.dir/link.txt --verbose=$(VERBOSE)
# Rule to build all files generated by this target.
CMakeFiles/client.dir/build: client
.PHONY : CMakeFiles/client.dir/build
CMakeFiles/client.dir/clean:
$(CMAKE_COMMAND) -P CMakeFiles/client.dir/cmake_clean.cmake
.PHONY : CMakeFiles/client.dir/clean
CMakeFiles/client.dir/depend:
cd /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug && $(CMAKE_COMMAND) -E cmake_depends "Unix Makefiles" /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/client.dir/DependInfo.cmake --color=$(COLOR)
.PHONY : CMakeFiles/client.dir/depend
file(REMOVE_RECURSE
"CMakeFiles/client.dir/KVClient.cc.o"
"client"
"client.pdb"
)
# Per-language clean rules from dependency scanning.
foreach(lang CXX)
include(CMakeFiles/client.dir/cmake_clean_${lang}.cmake OPTIONAL)
endforeach()
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/client.dir/KVClient.cc.o
/home/sagar/.local/include/google/protobuf/any.h
/home/sagar/.local/include/google/protobuf/any.pb.h
/home/sagar/.local/include/google/protobuf/arena.h
/home/sagar/.local/include/google/protobuf/arena_impl.h
/home/sagar/.local/include/google/protobuf/arenastring.h
/home/sagar/.local/include/google/protobuf/descriptor.h
/home/sagar/.local/include/google/protobuf/descriptor.pb.h
/home/sagar/.local/include/google/protobuf/descriptor_database.h
/home/sagar/.local/include/google/protobuf/extension_set.h
/home/sagar/.local/include/google/protobuf/generated_enum_reflection.h
/home/sagar/.local/include/google/protobuf/generated_enum_util.h
/home/sagar/.local/include/google/protobuf/generated_message_reflection.h
/home/sagar/.local/include/google/protobuf/generated_message_table_driven.h
/home/sagar/.local/include/google/protobuf/generated_message_util.h
/home/sagar/.local/include/google/protobuf/has_bits.h
/home/sagar/.local/include/google/protobuf/implicit_weak_message.h
/home/sagar/.local/include/google/protobuf/io/coded_stream.h
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream.h
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream_impl_lite.h
/home/sagar/.local/include/google/protobuf/map.h
/home/sagar/.local/include/google/protobuf/map_entry_lite.h
/home/sagar/.local/include/google/protobuf/map_field_lite.h
/home/sagar/.local/include/google/protobuf/map_type_handler.h
/home/sagar/.local/include/google/protobuf/message.h
/home/sagar/.local/include/google/protobuf/message_lite.h
/home/sagar/.local/include/google/protobuf/metadata_lite.h
/home/sagar/.local/include/google/protobuf/parse_context.h
/home/sagar/.local/include/google/protobuf/port.h
/home/sagar/.local/include/google/protobuf/port_def.inc
/home/sagar/.local/include/google/protobuf/port_undef.inc
/home/sagar/.local/include/google/protobuf/repeated_field.h
/home/sagar/.local/include/google/protobuf/source_context.pb.h
/home/sagar/.local/include/google/protobuf/stubs/bytestream.h
/home/sagar/.local/include/google/protobuf/stubs/callback.h
/home/sagar/.local/include/google/protobuf/stubs/casts.h
/home/sagar/.local/include/google/protobuf/stubs/common.h
/home/sagar/.local/include/google/protobuf/stubs/hash.h
/home/sagar/.local/include/google/protobuf/stubs/logging.h
/home/sagar/.local/include/google/protobuf/stubs/macros.h
/home/sagar/.local/include/google/protobuf/stubs/mutex.h
/home/sagar/.local/include/google/protobuf/stubs/once.h
/home/sagar/.local/include/google/protobuf/stubs/platform_macros.h
/home/sagar/.local/include/google/protobuf/stubs/port.h
/home/sagar/.local/include/google/protobuf/stubs/status.h
/home/sagar/.local/include/google/protobuf/stubs/stl_util.h
/home/sagar/.local/include/google/protobuf/stubs/stringpiece.h
/home/sagar/.local/include/google/protobuf/stubs/strutil.h
/home/sagar/.local/include/google/protobuf/type.pb.h
/home/sagar/.local/include/google/protobuf/unknown_field_set.h
/home/sagar/.local/include/google/protobuf/util/json_util.h
/home/sagar/.local/include/google/protobuf/util/type_resolver.h
/home/sagar/.local/include/google/protobuf/util/type_resolver_util.h
/home/sagar/.local/include/google/protobuf/wire_format_lite.h
/home/sagar/.local/include/grpc/byte_buffer.h
/home/sagar/.local/include/grpc/compression.h
/home/sagar/.local/include/grpc/grpc.h
/home/sagar/.local/include/grpc/grpc_security_constants.h
/home/sagar/.local/include/grpc/impl/codegen/atm.h
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_atomic.h
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_sync.h
/home/sagar/.local/include/grpc/impl/codegen/atm_windows.h
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer.h
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer_reader.h
/home/sagar/.local/include/grpc/impl/codegen/compression_types.h
/home/sagar/.local/include/grpc/impl/codegen/connectivity_state.h
/home/sagar/.local/include/grpc/impl/codegen/gpr_slice.h
/home/sagar/.local/include/grpc/impl/codegen/gpr_types.h
/home/sagar/.local/include/grpc/impl/codegen/grpc_types.h
/home/sagar/.local/include/grpc/impl/codegen/log.h
/home/sagar/.local/include/grpc/impl/codegen/port_platform.h
/home/sagar/.local/include/grpc/impl/codegen/propagation_bits.h
/home/sagar/.local/include/grpc/impl/codegen/slice.h
/home/sagar/.local/include/grpc/impl/codegen/status.h
/home/sagar/.local/include/grpc/impl/codegen/sync.h
/home/sagar/.local/include/grpc/impl/codegen/sync_abseil.h
/home/sagar/.local/include/grpc/impl/codegen/sync_custom.h
/home/sagar/.local/include/grpc/impl/codegen/sync_generic.h
/home/sagar/.local/include/grpc/impl/codegen/sync_posix.h
/home/sagar/.local/include/grpc/impl/codegen/sync_windows.h
/home/sagar/.local/include/grpc/slice.h
/home/sagar/.local/include/grpc/slice_buffer.h
/home/sagar/.local/include/grpc/status.h
/home/sagar/.local/include/grpc/support/atm.h
/home/sagar/.local/include/grpc/support/cpu.h
/home/sagar/.local/include/grpc/support/log.h
/home/sagar/.local/include/grpc/support/port_platform.h
/home/sagar/.local/include/grpc/support/sync.h
/home/sagar/.local/include/grpc/support/time.h
/home/sagar/.local/include/grpc/support/workaround_list.h
/home/sagar/.local/include/grpcpp/channel.h
/home/sagar/.local/include/grpcpp/client_context.h
/home/sagar/.local/include/grpcpp/completion_queue.h
/home/sagar/.local/include/grpcpp/create_channel.h
/home/sagar/.local/include/grpcpp/create_channel_posix.h
/home/sagar/.local/include/grpcpp/grpcpp.h
/home/sagar/.local/include/grpcpp/health_check_service_interface.h
/home/sagar/.local/include/grpcpp/impl/call.h
/home/sagar/.local/include/grpcpp/impl/channel_argument_option.h
/home/sagar/.local/include/grpcpp/impl/codegen/async_generic_service.h
/home/sagar/.local/include/grpcpp/impl/codegen/async_stream.h
/home/sagar/.local/include/grpcpp/impl/codegen/async_unary_call.h
/home/sagar/.local/include/grpcpp/impl/codegen/byte_buffer.h
/home/sagar/.local/include/grpcpp/impl/codegen/call.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_hook.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/callback_common.h
/home/sagar/.local/include/grpcpp/impl/codegen/channel_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/client_callback.h
/home/sagar/.local/include/grpcpp/impl/codegen/client_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/client_interceptor.h
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue.h
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue_tag.h
/home/sagar/.local/include/grpcpp/impl/codegen/config.h
/home/sagar/.local/include/grpcpp/impl/codegen/config_protobuf.h
/home/sagar/.local/include/grpcpp/impl/codegen/core_codegen_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/create_auth_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/grpc_library.h
/home/sagar/.local/include/grpcpp/impl/codegen/intercepted_channel.h
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor.h
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor_common.h
/home/sagar/.local/include/grpcpp/impl/codegen/message_allocator.h
/home/sagar/.local/include/grpcpp/impl/codegen/metadata_map.h
/home/sagar/.local/include/grpcpp/impl/codegen/method_handler.h
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_reader.h
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_writer.h
/home/sagar/.local/include/grpcpp/impl/codegen/proto_utils.h
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_method.h
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_service_method.h
/home/sagar/.local/include/grpcpp/impl/codegen/security/auth_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/serialization_traits.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback_handlers.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_interceptor.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/service_type.h
/home/sagar/.local/include/grpcpp/impl/codegen/slice.h
/home/sagar/.local/include/grpcpp/impl/codegen/status.h
/home/sagar/.local/include/grpcpp/impl/codegen/status_code_enum.h
/home/sagar/.local/include/grpcpp/impl/codegen/string_ref.h
/home/sagar/.local/include/grpcpp/impl/codegen/stub_options.h
/home/sagar/.local/include/grpcpp/impl/codegen/sync.h
/home/sagar/.local/include/grpcpp/impl/codegen/sync_stream.h
/home/sagar/.local/include/grpcpp/impl/codegen/time.h
/home/sagar/.local/include/grpcpp/impl/rpc_service_method.h
/home/sagar/.local/include/grpcpp/impl/server_builder_option.h
/home/sagar/.local/include/grpcpp/impl/server_builder_plugin.h
/home/sagar/.local/include/grpcpp/resource_quota.h
/home/sagar/.local/include/grpcpp/security/auth_context.h
/home/sagar/.local/include/grpcpp/security/auth_metadata_processor.h
/home/sagar/.local/include/grpcpp/security/authorization_policy_provider.h
/home/sagar/.local/include/grpcpp/security/credentials.h
/home/sagar/.local/include/grpcpp/security/server_credentials.h
/home/sagar/.local/include/grpcpp/security/tls_certificate_provider.h
/home/sagar/.local/include/grpcpp/security/tls_credentials_options.h
/home/sagar/.local/include/grpcpp/server.h
/home/sagar/.local/include/grpcpp/server_builder.h
/home/sagar/.local/include/grpcpp/server_context.h
/home/sagar/.local/include/grpcpp/server_posix.h
/home/sagar/.local/include/grpcpp/support/channel_arguments.h
/home/sagar/.local/include/grpcpp/support/config.h
/home/sagar/.local/include/grpcpp/support/status.h
/home/sagar/.local/include/grpcpp/support/string_ref.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVClient.cc
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVStorage.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.grpc.pb.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.pb.h
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/client.dir/KVClient.cc.o: \
/home/sagar/.local/include/google/protobuf/any.h \
/home/sagar/.local/include/google/protobuf/any.pb.h \
/home/sagar/.local/include/google/protobuf/arena.h \
/home/sagar/.local/include/google/protobuf/arena_impl.h \
/home/sagar/.local/include/google/protobuf/arenastring.h \
/home/sagar/.local/include/google/protobuf/descriptor.h \
/home/sagar/.local/include/google/protobuf/descriptor.pb.h \
/home/sagar/.local/include/google/protobuf/descriptor_database.h \
/home/sagar/.local/include/google/protobuf/extension_set.h \
/home/sagar/.local/include/google/protobuf/generated_enum_reflection.h \
/home/sagar/.local/include/google/protobuf/generated_enum_util.h \
/home/sagar/.local/include/google/protobuf/generated_message_reflection.h \
/home/sagar/.local/include/google/protobuf/generated_message_table_driven.h \
/home/sagar/.local/include/google/protobuf/generated_message_util.h \
/home/sagar/.local/include/google/protobuf/has_bits.h \
/home/sagar/.local/include/google/protobuf/implicit_weak_message.h \
/home/sagar/.local/include/google/protobuf/io/coded_stream.h \
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream.h \
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream_impl_lite.h \
/home/sagar/.local/include/google/protobuf/map.h \
/home/sagar/.local/include/google/protobuf/map_entry_lite.h \
/home/sagar/.local/include/google/protobuf/map_field_lite.h \
/home/sagar/.local/include/google/protobuf/map_type_handler.h \
/home/sagar/.local/include/google/protobuf/message.h \
/home/sagar/.local/include/google/protobuf/message_lite.h \
/home/sagar/.local/include/google/protobuf/metadata_lite.h \
/home/sagar/.local/include/google/protobuf/parse_context.h \
/home/sagar/.local/include/google/protobuf/port.h \
/home/sagar/.local/include/google/protobuf/port_def.inc \
/home/sagar/.local/include/google/protobuf/port_undef.inc \
/home/sagar/.local/include/google/protobuf/repeated_field.h \
/home/sagar/.local/include/google/protobuf/source_context.pb.h \
/home/sagar/.local/include/google/protobuf/stubs/bytestream.h \
/home/sagar/.local/include/google/protobuf/stubs/callback.h \
/home/sagar/.local/include/google/protobuf/stubs/casts.h \
/home/sagar/.local/include/google/protobuf/stubs/common.h \
/home/sagar/.local/include/google/protobuf/stubs/hash.h \
/home/sagar/.local/include/google/protobuf/stubs/logging.h \
/home/sagar/.local/include/google/protobuf/stubs/macros.h \
/home/sagar/.local/include/google/protobuf/stubs/mutex.h \
/home/sagar/.local/include/google/protobuf/stubs/once.h \
/home/sagar/.local/include/google/protobuf/stubs/platform_macros.h \
/home/sagar/.local/include/google/protobuf/stubs/port.h \
/home/sagar/.local/include/google/protobuf/stubs/status.h \
/home/sagar/.local/include/google/protobuf/stubs/stl_util.h \
/home/sagar/.local/include/google/protobuf/stubs/stringpiece.h \
/home/sagar/.local/include/google/protobuf/stubs/strutil.h \
/home/sagar/.local/include/google/protobuf/type.pb.h \
/home/sagar/.local/include/google/protobuf/unknown_field_set.h \
/home/sagar/.local/include/google/protobuf/util/json_util.h \
/home/sagar/.local/include/google/protobuf/util/type_resolver.h \
/home/sagar/.local/include/google/protobuf/util/type_resolver_util.h \
/home/sagar/.local/include/google/protobuf/wire_format_lite.h \
/home/sagar/.local/include/grpc/byte_buffer.h \
/home/sagar/.local/include/grpc/compression.h \
/home/sagar/.local/include/grpc/grpc.h \
/home/sagar/.local/include/grpc/grpc_security_constants.h \
/home/sagar/.local/include/grpc/impl/codegen/atm.h \
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_atomic.h \
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_sync.h \
/home/sagar/.local/include/grpc/impl/codegen/atm_windows.h \
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer.h \
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer_reader.h \
/home/sagar/.local/include/grpc/impl/codegen/compression_types.h \
/home/sagar/.local/include/grpc/impl/codegen/connectivity_state.h \
/home/sagar/.local/include/grpc/impl/codegen/gpr_slice.h \
/home/sagar/.local/include/grpc/impl/codegen/gpr_types.h \
/home/sagar/.local/include/grpc/impl/codegen/grpc_types.h \
/home/sagar/.local/include/grpc/impl/codegen/log.h \
/home/sagar/.local/include/grpc/impl/codegen/port_platform.h \
/home/sagar/.local/include/grpc/impl/codegen/propagation_bits.h \
/home/sagar/.local/include/grpc/impl/codegen/slice.h \
/home/sagar/.local/include/grpc/impl/codegen/status.h \
/home/sagar/.local/include/grpc/impl/codegen/sync.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_abseil.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_custom.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_generic.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_posix.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_windows.h \
/home/sagar/.local/include/grpc/slice.h \
/home/sagar/.local/include/grpc/slice_buffer.h \
/home/sagar/.local/include/grpc/status.h \
/home/sagar/.local/include/grpc/support/atm.h \
/home/sagar/.local/include/grpc/support/cpu.h \
/home/sagar/.local/include/grpc/support/log.h \
/home/sagar/.local/include/grpc/support/port_platform.h \
/home/sagar/.local/include/grpc/support/sync.h \
/home/sagar/.local/include/grpc/support/time.h \
/home/sagar/.local/include/grpc/support/workaround_list.h \
/home/sagar/.local/include/grpcpp/channel.h \
/home/sagar/.local/include/grpcpp/client_context.h \
/home/sagar/.local/include/grpcpp/completion_queue.h \
/home/sagar/.local/include/grpcpp/create_channel.h \
/home/sagar/.local/include/grpcpp/create_channel_posix.h \
/home/sagar/.local/include/grpcpp/grpcpp.h \
/home/sagar/.local/include/grpcpp/health_check_service_interface.h \
/home/sagar/.local/include/grpcpp/impl/call.h \
/home/sagar/.local/include/grpcpp/impl/channel_argument_option.h \
/home/sagar/.local/include/grpcpp/impl/codegen/async_generic_service.h \
/home/sagar/.local/include/grpcpp/impl/codegen/async_stream.h \
/home/sagar/.local/include/grpcpp/impl/codegen/async_unary_call.h \
/home/sagar/.local/include/grpcpp/impl/codegen/byte_buffer.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call_hook.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/callback_common.h \
/home/sagar/.local/include/grpcpp/impl/codegen/channel_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/client_callback.h \
/home/sagar/.local/include/grpcpp/impl/codegen/client_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/client_interceptor.h \
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue.h \
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue_tag.h \
/home/sagar/.local/include/grpcpp/impl/codegen/config.h \
/home/sagar/.local/include/grpcpp/impl/codegen/config_protobuf.h \
/home/sagar/.local/include/grpcpp/impl/codegen/core_codegen_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/create_auth_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/grpc_library.h \
/home/sagar/.local/include/grpcpp/impl/codegen/intercepted_channel.h \
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor.h \
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor_common.h \
/home/sagar/.local/include/grpcpp/impl/codegen/message_allocator.h \
/home/sagar/.local/include/grpcpp/impl/codegen/metadata_map.h \
/home/sagar/.local/include/grpcpp/impl/codegen/method_handler.h \
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_reader.h \
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_writer.h \
/home/sagar/.local/include/grpcpp/impl/codegen/proto_utils.h \
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_method.h \
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_service_method.h \
/home/sagar/.local/include/grpcpp/impl/codegen/security/auth_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/serialization_traits.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback_handlers.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_interceptor.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/service_type.h \
/home/sagar/.local/include/grpcpp/impl/codegen/slice.h \
/home/sagar/.local/include/grpcpp/impl/codegen/status.h \
/home/sagar/.local/include/grpcpp/impl/codegen/status_code_enum.h \
/home/sagar/.local/include/grpcpp/impl/codegen/string_ref.h \
/home/sagar/.local/include/grpcpp/impl/codegen/stub_options.h \
/home/sagar/.local/include/grpcpp/impl/codegen/sync.h \
/home/sagar/.local/include/grpcpp/impl/codegen/sync_stream.h \
/home/sagar/.local/include/grpcpp/impl/codegen/time.h \
/home/sagar/.local/include/grpcpp/impl/rpc_service_method.h \
/home/sagar/.local/include/grpcpp/impl/server_builder_option.h \
/home/sagar/.local/include/grpcpp/impl/server_builder_plugin.h \
/home/sagar/.local/include/grpcpp/resource_quota.h \
/home/sagar/.local/include/grpcpp/security/auth_context.h \
/home/sagar/.local/include/grpcpp/security/auth_metadata_processor.h \
/home/sagar/.local/include/grpcpp/security/authorization_policy_provider.h \
/home/sagar/.local/include/grpcpp/security/credentials.h \
/home/sagar/.local/include/grpcpp/security/server_credentials.h \
/home/sagar/.local/include/grpcpp/security/tls_certificate_provider.h \
/home/sagar/.local/include/grpcpp/security/tls_credentials_options.h \
/home/sagar/.local/include/grpcpp/server.h \
/home/sagar/.local/include/grpcpp/server_builder.h \
/home/sagar/.local/include/grpcpp/server_context.h \
/home/sagar/.local/include/grpcpp/server_posix.h \
/home/sagar/.local/include/grpcpp/support/channel_arguments.h \
/home/sagar/.local/include/grpcpp/support/config.h \
/home/sagar/.local/include/grpcpp/support/status.h \
/home/sagar/.local/include/grpcpp/support/string_ref.h \
../KVClient.cc \
../KVStorage.hpp \
../proto/keyvalue.grpc.pb.h \
../proto/keyvalue.pb.h
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# compile CXX with /usr/bin/c++
CXX_DEFINES = -DCARES_STATICLIB
CXX_INCLUDES = -I/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug -I/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage -isystem /home/sagar/.local/include
CXX_FLAGS = -g -std=gnu++11
/usr/bin/c++ -g CMakeFiles/client.dir/KVClient.cc.o -o client libkvs_grpc_proto.a /home/sagar/.local/lib/libgrpc++_reflection.a /home/sagar/.local/lib/libgrpc++.a /home/sagar/.local/lib/libprotobuf.a /home/sagar/.local/lib/libgrpc.a /home/sagar/.local/lib/libz.a /home/sagar/.local/lib/libcares.a -lnsl /home/sagar/.local/lib/libaddress_sorting.a /home/sagar/.local/lib/libre2.a /home/sagar/.local/lib/libabsl_hash.a /home/sagar/.local/lib/libabsl_city.a /home/sagar/.local/lib/libabsl_wyhash.a /home/sagar/.local/lib/libabsl_raw_hash_set.a /home/sagar/.local/lib/libabsl_hashtablez_sampler.a /home/sagar/.local/lib/libabsl_exponential_biased.a /home/sagar/.local/lib/libabsl_statusor.a /home/sagar/.local/lib/libabsl_bad_variant_access.a /home/sagar/.local/lib/libgpr.a /home/sagar/.local/lib/libupb.a -ldl -lrt -lm /home/sagar/.local/lib/libabsl_status.a /home/sagar/.local/lib/libabsl_cord.a /home/sagar/.local/lib/libabsl_str_format_internal.a /home/sagar/.local/lib/libabsl_synchronization.a /home/sagar/.local/lib/libabsl_stacktrace.a /home/sagar/.local/lib/libabsl_symbolize.a /home/sagar/.local/lib/libabsl_debugging_internal.a /home/sagar/.local/lib/libabsl_demangle_internal.a /home/sagar/.local/lib/libabsl_graphcycles_internal.a /home/sagar/.local/lib/libabsl_malloc_internal.a /home/sagar/.local/lib/libabsl_time.a /home/sagar/.local/lib/libabsl_strings.a /home/sagar/.local/lib/libabsl_throw_delegate.a /home/sagar/.local/lib/libabsl_strings_internal.a /home/sagar/.local/lib/libabsl_base.a /home/sagar/.local/lib/libabsl_spinlock_wait.a -lrt /home/sagar/.local/lib/libabsl_int128.a /home/sagar/.local/lib/libabsl_civil_time.a /home/sagar/.local/lib/libabsl_time_zone.a /home/sagar/.local/lib/libabsl_bad_optional_access.a /home/sagar/.local/lib/libabsl_raw_logging_internal.a /home/sagar/.local/lib/libabsl_log_severity.a /home/sagar/.local/lib/libssl.a /home/sagar/.local/lib/libcrypto.a -lpthread -lpthread
CMAKE_PROGRESS_1 = 1
CMAKE_PROGRESS_2 = 2
ToolSet: 1.0 (local)Options:
Options:
\ No newline at end of file
/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -DCMAKE_BUILD_TYPE=Debug -DCMAKE_DEPENDS_USE_COMPILER=FALSE -G "CodeBlocks - Unix Makefiles" /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
-- Using protobuf 3.15.8.0
-- Using gRPC 1.40.0
-- Configuring done
-- Generating done
-- Build files have been written to: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
# This file is generated by cmake for dependency checking of the CMakeCache.txt file
#IncludeRegexLine: ^[ ]*[#%][ ]*(include|import)[ ]*[<"]([^">]+)([">])
#IncludeRegexScan: ^.*$
#IncludeRegexComplain: ^$
#IncludeRegexTransform:
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServerConfig.cpp
iostream
-
fstream
-
bits/stdc++.h
-
sys/types.h
-
# Consider dependencies only in project.
set(CMAKE_DEPENDS_IN_PROJECT_ONLY OFF)
# The set of languages for which implicit dependencies are needed:
set(CMAKE_DEPENDS_LANGUAGES
"CXX"
)
# The set of files for implicit dependencies of each language:
set(CMAKE_DEPENDS_CHECK_CXX
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServerConfig.cpp" "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/config.dir/KVServerConfig.cpp.o"
)
set(CMAKE_CXX_COMPILER_ID "GNU")
# The include file search paths:
set(CMAKE_CXX_TARGET_INCLUDE_PATH
"."
)
# The set of dependency files which are needed:
set(CMAKE_DEPENDS_DEPENDENCY_FILES
)
# Targets to which this target links.
set(CMAKE_TARGET_LINKED_INFO_FILES
)
# Fortran module output directory.
set(CMAKE_Fortran_TARGET_MODULE_DIR "")
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Delete rule output on recipe failure.
.DELETE_ON_ERROR:
#=============================================================================
# Special targets provided by cmake.
# Disable implicit rules so canonical targets will work.
.SUFFIXES:
# Disable VCS-based implicit rules.
% : %,v
# Disable VCS-based implicit rules.
% : RCS/%
# Disable VCS-based implicit rules.
% : RCS/%,v
# Disable VCS-based implicit rules.
% : SCCS/s.%
# Disable VCS-based implicit rules.
% : s.%
.SUFFIXES: .hpux_make_needs_suffix_list
# Command-line flag to silence nested $(MAKE).
$(VERBOSE)MAKESILENT = -s
#Suppress display of executed commands.
$(VERBOSE).SILENT:
# A target that is always out of date.
cmake_force:
.PHONY : cmake_force
#=============================================================================
# Set environment variables for the build.
# The shell in which to execute make rules.
SHELL = /bin/sh
# The CMake executable.
CMAKE_COMMAND = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# The command to remove a file.
RM = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E rm -f
# Escaping for special characters.
EQUALS = =
# The top-level source directory on which CMake was run.
CMAKE_SOURCE_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# The top-level build directory on which CMake was run.
CMAKE_BINARY_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
# Include any dependencies generated for this target.
include CMakeFiles/config.dir/depend.make
# Include the progress variables for this target.
include CMakeFiles/config.dir/progress.make
# Include the compile flags for this target's objects.
include CMakeFiles/config.dir/flags.make
CMakeFiles/config.dir/KVServerConfig.cpp.o: CMakeFiles/config.dir/flags.make
CMakeFiles/config.dir/KVServerConfig.cpp.o: ../KVServerConfig.cpp
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_1) "Building CXX object CMakeFiles/config.dir/KVServerConfig.cpp.o"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -o CMakeFiles/config.dir/KVServerConfig.cpp.o -c /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServerConfig.cpp
CMakeFiles/config.dir/KVServerConfig.cpp.i: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Preprocessing CXX source to CMakeFiles/config.dir/KVServerConfig.cpp.i"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -E /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServerConfig.cpp > CMakeFiles/config.dir/KVServerConfig.cpp.i
CMakeFiles/config.dir/KVServerConfig.cpp.s: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Compiling CXX source to assembly CMakeFiles/config.dir/KVServerConfig.cpp.s"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -S /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServerConfig.cpp -o CMakeFiles/config.dir/KVServerConfig.cpp.s
# Object files for target config
config_OBJECTS = \
"CMakeFiles/config.dir/KVServerConfig.cpp.o"
# External object files for target config
config_EXTERNAL_OBJECTS =
config: CMakeFiles/config.dir/KVServerConfig.cpp.o
config: CMakeFiles/config.dir/build.make
config: CMakeFiles/config.dir/link.txt
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --bold --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_2) "Linking CXX executable config"
$(CMAKE_COMMAND) -E cmake_link_script CMakeFiles/config.dir/link.txt --verbose=$(VERBOSE)
# Rule to build all files generated by this target.
CMakeFiles/config.dir/build: config
.PHONY : CMakeFiles/config.dir/build
CMakeFiles/config.dir/clean:
$(CMAKE_COMMAND) -P CMakeFiles/config.dir/cmake_clean.cmake
.PHONY : CMakeFiles/config.dir/clean
CMakeFiles/config.dir/depend:
cd /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug && $(CMAKE_COMMAND) -E cmake_depends "Unix Makefiles" /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/config.dir/DependInfo.cmake --color=$(COLOR)
.PHONY : CMakeFiles/config.dir/depend
file(REMOVE_RECURSE
"CMakeFiles/config.dir/KVServerConfig.cpp.o"
"config"
"config.pdb"
)
# Per-language clean rules from dependency scanning.
foreach(lang CXX)
include(CMakeFiles/config.dir/cmake_clean_${lang}.cmake OPTIONAL)
endforeach()
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/config.dir/KVServerConfig.cpp.o
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServerConfig.cpp
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/config.dir/KVServerConfig.cpp.o: \
../KVServerConfig.cpp
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# compile CXX with /usr/bin/c++
CXX_DEFINES =
CXX_INCLUDES = -I/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
CXX_FLAGS = -g -std=gnu++11
/usr/bin/c++ -g CMakeFiles/config.dir/KVServerConfig.cpp.o -o config
CMAKE_PROGRESS_1 = 3
CMAKE_PROGRESS_2 = 4
#IncludeRegexLine: ^[ ]*[#%][ ]*(include|import)[ ]*[<"]([^">]+)([">])
#IncludeRegexScan: ^.*$
#IncludeRegexComplain: ^$
#IncludeRegexTransform:
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVStorage.hpp
iostream
-
bits/stdc++.h
-
sys/types.h
-
unordered_map
-
string.h
-
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/test.cpp
iostream
-
KVStorage.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVStorage.hpp
# Consider dependencies only in project.
set(CMAKE_DEPENDS_IN_PROJECT_ONLY OFF)
# The set of languages for which implicit dependencies are needed:
set(CMAKE_DEPENDS_LANGUAGES
"CXX"
)
# The set of files for implicit dependencies of each language:
set(CMAKE_DEPENDS_CHECK_CXX
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/test.cpp" "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/cpp.dir/test.cpp.o"
)
set(CMAKE_CXX_COMPILER_ID "GNU")
# The include file search paths:
set(CMAKE_CXX_TARGET_INCLUDE_PATH
"."
"../storage"
)
# The set of dependency files which are needed:
set(CMAKE_DEPENDS_DEPENDENCY_FILES
)
# Targets to which this target links.
set(CMAKE_TARGET_LINKED_INFO_FILES
)
# Fortran module output directory.
set(CMAKE_Fortran_TARGET_MODULE_DIR "")
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Delete rule output on recipe failure.
.DELETE_ON_ERROR:
#=============================================================================
# Special targets provided by cmake.
# Disable implicit rules so canonical targets will work.
.SUFFIXES:
# Disable VCS-based implicit rules.
% : %,v
# Disable VCS-based implicit rules.
% : RCS/%
# Disable VCS-based implicit rules.
% : RCS/%,v
# Disable VCS-based implicit rules.
% : SCCS/s.%
# Disable VCS-based implicit rules.
% : s.%
.SUFFIXES: .hpux_make_needs_suffix_list
# Command-line flag to silence nested $(MAKE).
$(VERBOSE)MAKESILENT = -s
#Suppress display of executed commands.
$(VERBOSE).SILENT:
# A target that is always out of date.
cmake_force:
.PHONY : cmake_force
#=============================================================================
# Set environment variables for the build.
# The shell in which to execute make rules.
SHELL = /bin/sh
# The CMake executable.
CMAKE_COMMAND = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# The command to remove a file.
RM = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E rm -f
# Escaping for special characters.
EQUALS = =
# The top-level source directory on which CMake was run.
CMAKE_SOURCE_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# The top-level build directory on which CMake was run.
CMAKE_BINARY_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
# Include any dependencies generated for this target.
include CMakeFiles/cpp.dir/depend.make
# Include the progress variables for this target.
include CMakeFiles/cpp.dir/progress.make
# Include the compile flags for this target's objects.
include CMakeFiles/cpp.dir/flags.make
CMakeFiles/cpp.dir/test.cpp.o: CMakeFiles/cpp.dir/flags.make
CMakeFiles/cpp.dir/test.cpp.o: ../test.cpp
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_1) "Building CXX object CMakeFiles/cpp.dir/test.cpp.o"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -o CMakeFiles/cpp.dir/test.cpp.o -c /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/test.cpp
CMakeFiles/cpp.dir/test.cpp.i: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Preprocessing CXX source to CMakeFiles/cpp.dir/test.cpp.i"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -E /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/test.cpp > CMakeFiles/cpp.dir/test.cpp.i
CMakeFiles/cpp.dir/test.cpp.s: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Compiling CXX source to assembly CMakeFiles/cpp.dir/test.cpp.s"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -S /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/test.cpp -o CMakeFiles/cpp.dir/test.cpp.s
# Object files for target cpp
cpp_OBJECTS = \
"CMakeFiles/cpp.dir/test.cpp.o"
# External object files for target cpp
cpp_EXTERNAL_OBJECTS =
cpp: CMakeFiles/cpp.dir/test.cpp.o
cpp: CMakeFiles/cpp.dir/build.make
cpp: CMakeFiles/cpp.dir/link.txt
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --bold --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_2) "Linking CXX executable cpp"
$(CMAKE_COMMAND) -E cmake_link_script CMakeFiles/cpp.dir/link.txt --verbose=$(VERBOSE)
# Rule to build all files generated by this target.
CMakeFiles/cpp.dir/build: cpp
.PHONY : CMakeFiles/cpp.dir/build
CMakeFiles/cpp.dir/clean:
$(CMAKE_COMMAND) -P CMakeFiles/cpp.dir/cmake_clean.cmake
.PHONY : CMakeFiles/cpp.dir/clean
CMakeFiles/cpp.dir/depend:
cd /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug && $(CMAKE_COMMAND) -E cmake_depends "Unix Makefiles" /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/cpp.dir/DependInfo.cmake --color=$(COLOR)
.PHONY : CMakeFiles/cpp.dir/depend
file(REMOVE_RECURSE
"CMakeFiles/cpp.dir/test.cpp.o"
"cpp"
"cpp.pdb"
)
# Per-language clean rules from dependency scanning.
foreach(lang CXX)
include(CMakeFiles/cpp.dir/cmake_clean_${lang}.cmake OPTIONAL)
endforeach()
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/cpp.dir/test.cpp.o
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVStorage.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/test.cpp
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/cpp.dir/test.cpp.o: \
../KVStorage.hpp \
../test.cpp
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# compile CXX with /usr/bin/c++
CXX_DEFINES =
CXX_INCLUDES = -I/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug -I/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage
CXX_FLAGS = -g -std=gnu++11
/usr/bin/c++ -g CMakeFiles/cpp.dir/test.cpp.o -o cpp
CMAKE_PROGRESS_1 = 3
CMAKE_PROGRESS_2 = 4
#IncludeRegexLine: ^[ ]*[#%][ ]*(include|import)[ ]*[<"]([^">]+)([">])
#IncludeRegexScan: ^.*$
#IncludeRegexComplain: ^$
#IncludeRegexTransform:
# Consider dependencies only in project.
set(CMAKE_DEPENDS_IN_PROJECT_ONLY OFF)
# The set of languages for which implicit dependencies are needed:
set(CMAKE_DEPENDS_LANGUAGES
"CXX"
)
# The set of files for implicit dependencies of each language:
set(CMAKE_DEPENDS_CHECK_CXX
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.grpc.pb.cc" "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o"
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.cc" "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o"
)
set(CMAKE_CXX_COMPILER_ID "GNU")
# Preprocessor definitions for this target.
set(CMAKE_TARGET_DEFINITIONS_CXX
"CARES_STATICLIB"
)
# The include file search paths:
set(CMAKE_CXX_TARGET_INCLUDE_PATH
"."
"../storage"
"/home/sagar/.local/include"
)
# The set of dependency files which are needed:
set(CMAKE_DEPENDS_DEPENDENCY_FILES
)
# Pairs of files generated by the same build rule.
set(CMAKE_MULTIPLE_OUTPUT_PAIRS
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.grpc.pb.cc" "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.cc"
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.grpc.pb.h" "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.cc"
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.h" "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.cc"
)
# Targets to which this target links.
set(CMAKE_TARGET_LINKED_INFO_FILES
)
# Fortran module output directory.
set(CMAKE_Fortran_TARGET_MODULE_DIR "")
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Delete rule output on recipe failure.
.DELETE_ON_ERROR:
#=============================================================================
# Special targets provided by cmake.
# Disable implicit rules so canonical targets will work.
.SUFFIXES:
# Disable VCS-based implicit rules.
% : %,v
# Disable VCS-based implicit rules.
% : RCS/%
# Disable VCS-based implicit rules.
% : RCS/%,v
# Disable VCS-based implicit rules.
% : SCCS/s.%
# Disable VCS-based implicit rules.
% : s.%
.SUFFIXES: .hpux_make_needs_suffix_list
# Command-line flag to silence nested $(MAKE).
$(VERBOSE)MAKESILENT = -s
#Suppress display of executed commands.
$(VERBOSE).SILENT:
# A target that is always out of date.
cmake_force:
.PHONY : cmake_force
#=============================================================================
# Set environment variables for the build.
# The shell in which to execute make rules.
SHELL = /bin/sh
# The CMake executable.
CMAKE_COMMAND = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# The command to remove a file.
RM = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E rm -f
# Escaping for special characters.
EQUALS = =
# The top-level source directory on which CMake was run.
CMAKE_SOURCE_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# The top-level build directory on which CMake was run.
CMAKE_BINARY_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
# Include any dependencies generated for this target.
include CMakeFiles/kvs_grpc_proto.dir/depend.make
# Include the progress variables for this target.
include CMakeFiles/kvs_grpc_proto.dir/progress.make
# Include the compile flags for this target's objects.
include CMakeFiles/kvs_grpc_proto.dir/flags.make
keyvalue.pb.cc: ../proto/keyvalue.proto
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --blue --bold --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_1) "Generating keyvalue.pb.cc, keyvalue.pb.h, keyvalue.grpc.pb.cc, keyvalue.grpc.pb.h"
/home/sagar/.local/bin/protoc-3.15.8.0 --grpc_out /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug --cpp_out /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug -I /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto --plugin=protoc-gen-grpc="/home/sagar/.local/bin/grpc_cpp_plugin" /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.proto
keyvalue.pb.h: keyvalue.pb.cc
@$(CMAKE_COMMAND) -E touch_nocreate keyvalue.pb.h
keyvalue.grpc.pb.cc: keyvalue.pb.cc
@$(CMAKE_COMMAND) -E touch_nocreate keyvalue.grpc.pb.cc
keyvalue.grpc.pb.h: keyvalue.pb.cc
@$(CMAKE_COMMAND) -E touch_nocreate keyvalue.grpc.pb.h
CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o: CMakeFiles/kvs_grpc_proto.dir/flags.make
CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o: keyvalue.grpc.pb.cc
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_2) "Building CXX object CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -o CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o -c /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.grpc.pb.cc
CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.i: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Preprocessing CXX source to CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.i"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -E /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.grpc.pb.cc > CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.i
CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.s: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Compiling CXX source to assembly CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.s"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -S /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.grpc.pb.cc -o CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.s
CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o: CMakeFiles/kvs_grpc_proto.dir/flags.make
CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o: keyvalue.pb.cc
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_3) "Building CXX object CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -o CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o -c /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.cc
CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.i: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Preprocessing CXX source to CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.i"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -E /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.cc > CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.i
CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.s: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Compiling CXX source to assembly CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.s"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -S /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.cc -o CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.s
# Object files for target kvs_grpc_proto
kvs_grpc_proto_OBJECTS = \
"CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o" \
"CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o"
# External object files for target kvs_grpc_proto
kvs_grpc_proto_EXTERNAL_OBJECTS =
libkvs_grpc_proto.a: CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o
libkvs_grpc_proto.a: CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o
libkvs_grpc_proto.a: CMakeFiles/kvs_grpc_proto.dir/build.make
libkvs_grpc_proto.a: CMakeFiles/kvs_grpc_proto.dir/link.txt
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --bold --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_4) "Linking CXX static library libkvs_grpc_proto.a"
$(CMAKE_COMMAND) -P CMakeFiles/kvs_grpc_proto.dir/cmake_clean_target.cmake
$(CMAKE_COMMAND) -E cmake_link_script CMakeFiles/kvs_grpc_proto.dir/link.txt --verbose=$(VERBOSE)
# Rule to build all files generated by this target.
CMakeFiles/kvs_grpc_proto.dir/build: libkvs_grpc_proto.a
.PHONY : CMakeFiles/kvs_grpc_proto.dir/build
CMakeFiles/kvs_grpc_proto.dir/clean:
$(CMAKE_COMMAND) -P CMakeFiles/kvs_grpc_proto.dir/cmake_clean.cmake
.PHONY : CMakeFiles/kvs_grpc_proto.dir/clean
CMakeFiles/kvs_grpc_proto.dir/depend: keyvalue.grpc.pb.cc
CMakeFiles/kvs_grpc_proto.dir/depend: keyvalue.grpc.pb.h
CMakeFiles/kvs_grpc_proto.dir/depend: keyvalue.pb.cc
CMakeFiles/kvs_grpc_proto.dir/depend: keyvalue.pb.h
cd /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug && $(CMAKE_COMMAND) -E cmake_depends "Unix Makefiles" /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/kvs_grpc_proto.dir/DependInfo.cmake --color=$(COLOR)
.PHONY : CMakeFiles/kvs_grpc_proto.dir/depend
file(REMOVE_RECURSE
"CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o"
"CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o"
"keyvalue.grpc.pb.cc"
"keyvalue.grpc.pb.h"
"keyvalue.pb.cc"
"keyvalue.pb.h"
"libkvs_grpc_proto.a"
"libkvs_grpc_proto.pdb"
)
# Per-language clean rules from dependency scanning.
foreach(lang CXX)
include(CMakeFiles/kvs_grpc_proto.dir/cmake_clean_${lang}.cmake OPTIONAL)
endforeach()
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o
/home/sagar/.local/include/google/protobuf/any.h
/home/sagar/.local/include/google/protobuf/any.pb.h
/home/sagar/.local/include/google/protobuf/arena.h
/home/sagar/.local/include/google/protobuf/arena_impl.h
/home/sagar/.local/include/google/protobuf/arenastring.h
/home/sagar/.local/include/google/protobuf/descriptor.h
/home/sagar/.local/include/google/protobuf/descriptor.pb.h
/home/sagar/.local/include/google/protobuf/descriptor_database.h
/home/sagar/.local/include/google/protobuf/extension_set.h
/home/sagar/.local/include/google/protobuf/generated_enum_reflection.h
/home/sagar/.local/include/google/protobuf/generated_enum_util.h
/home/sagar/.local/include/google/protobuf/generated_message_reflection.h
/home/sagar/.local/include/google/protobuf/generated_message_table_driven.h
/home/sagar/.local/include/google/protobuf/generated_message_util.h
/home/sagar/.local/include/google/protobuf/has_bits.h
/home/sagar/.local/include/google/protobuf/implicit_weak_message.h
/home/sagar/.local/include/google/protobuf/io/coded_stream.h
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream.h
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream_impl_lite.h
/home/sagar/.local/include/google/protobuf/map.h
/home/sagar/.local/include/google/protobuf/map_entry_lite.h
/home/sagar/.local/include/google/protobuf/map_field_lite.h
/home/sagar/.local/include/google/protobuf/map_type_handler.h
/home/sagar/.local/include/google/protobuf/message.h
/home/sagar/.local/include/google/protobuf/message_lite.h
/home/sagar/.local/include/google/protobuf/metadata_lite.h
/home/sagar/.local/include/google/protobuf/parse_context.h
/home/sagar/.local/include/google/protobuf/port.h
/home/sagar/.local/include/google/protobuf/port_def.inc
/home/sagar/.local/include/google/protobuf/port_undef.inc
/home/sagar/.local/include/google/protobuf/repeated_field.h
/home/sagar/.local/include/google/protobuf/source_context.pb.h
/home/sagar/.local/include/google/protobuf/stubs/bytestream.h
/home/sagar/.local/include/google/protobuf/stubs/callback.h
/home/sagar/.local/include/google/protobuf/stubs/casts.h
/home/sagar/.local/include/google/protobuf/stubs/common.h
/home/sagar/.local/include/google/protobuf/stubs/hash.h
/home/sagar/.local/include/google/protobuf/stubs/logging.h
/home/sagar/.local/include/google/protobuf/stubs/macros.h
/home/sagar/.local/include/google/protobuf/stubs/mutex.h
/home/sagar/.local/include/google/protobuf/stubs/once.h
/home/sagar/.local/include/google/protobuf/stubs/platform_macros.h
/home/sagar/.local/include/google/protobuf/stubs/port.h
/home/sagar/.local/include/google/protobuf/stubs/status.h
/home/sagar/.local/include/google/protobuf/stubs/stl_util.h
/home/sagar/.local/include/google/protobuf/stubs/stringpiece.h
/home/sagar/.local/include/google/protobuf/stubs/strutil.h
/home/sagar/.local/include/google/protobuf/type.pb.h
/home/sagar/.local/include/google/protobuf/unknown_field_set.h
/home/sagar/.local/include/google/protobuf/util/json_util.h
/home/sagar/.local/include/google/protobuf/util/type_resolver.h
/home/sagar/.local/include/google/protobuf/util/type_resolver_util.h
/home/sagar/.local/include/google/protobuf/wire_format_lite.h
/home/sagar/.local/include/grpc/impl/codegen/atm.h
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_atomic.h
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_sync.h
/home/sagar/.local/include/grpc/impl/codegen/atm_windows.h
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer.h
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer_reader.h
/home/sagar/.local/include/grpc/impl/codegen/compression_types.h
/home/sagar/.local/include/grpc/impl/codegen/connectivity_state.h
/home/sagar/.local/include/grpc/impl/codegen/gpr_slice.h
/home/sagar/.local/include/grpc/impl/codegen/gpr_types.h
/home/sagar/.local/include/grpc/impl/codegen/grpc_types.h
/home/sagar/.local/include/grpc/impl/codegen/log.h
/home/sagar/.local/include/grpc/impl/codegen/port_platform.h
/home/sagar/.local/include/grpc/impl/codegen/propagation_bits.h
/home/sagar/.local/include/grpc/impl/codegen/slice.h
/home/sagar/.local/include/grpc/impl/codegen/status.h
/home/sagar/.local/include/grpc/impl/codegen/sync.h
/home/sagar/.local/include/grpc/impl/codegen/sync_abseil.h
/home/sagar/.local/include/grpc/impl/codegen/sync_custom.h
/home/sagar/.local/include/grpc/impl/codegen/sync_generic.h
/home/sagar/.local/include/grpc/impl/codegen/sync_posix.h
/home/sagar/.local/include/grpc/impl/codegen/sync_windows.h
/home/sagar/.local/include/grpcpp/impl/codegen/async_generic_service.h
/home/sagar/.local/include/grpcpp/impl/codegen/async_stream.h
/home/sagar/.local/include/grpcpp/impl/codegen/async_unary_call.h
/home/sagar/.local/include/grpcpp/impl/codegen/byte_buffer.h
/home/sagar/.local/include/grpcpp/impl/codegen/call.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_hook.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/callback_common.h
/home/sagar/.local/include/grpcpp/impl/codegen/channel_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/client_callback.h
/home/sagar/.local/include/grpcpp/impl/codegen/client_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/client_interceptor.h
/home/sagar/.local/include/grpcpp/impl/codegen/client_unary_call.h
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue.h
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue_tag.h
/home/sagar/.local/include/grpcpp/impl/codegen/config.h
/home/sagar/.local/include/grpcpp/impl/codegen/config_protobuf.h
/home/sagar/.local/include/grpcpp/impl/codegen/core_codegen_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/create_auth_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/grpc_library.h
/home/sagar/.local/include/grpcpp/impl/codegen/intercepted_channel.h
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor.h
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor_common.h
/home/sagar/.local/include/grpcpp/impl/codegen/message_allocator.h
/home/sagar/.local/include/grpcpp/impl/codegen/metadata_map.h
/home/sagar/.local/include/grpcpp/impl/codegen/method_handler.h
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_reader.h
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_writer.h
/home/sagar/.local/include/grpcpp/impl/codegen/proto_utils.h
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_method.h
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_service_method.h
/home/sagar/.local/include/grpcpp/impl/codegen/security/auth_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/serialization_traits.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback_handlers.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_interceptor.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/service_type.h
/home/sagar/.local/include/grpcpp/impl/codegen/slice.h
/home/sagar/.local/include/grpcpp/impl/codegen/status.h
/home/sagar/.local/include/grpcpp/impl/codegen/status_code_enum.h
/home/sagar/.local/include/grpcpp/impl/codegen/string_ref.h
/home/sagar/.local/include/grpcpp/impl/codegen/stub_options.h
/home/sagar/.local/include/grpcpp/impl/codegen/sync.h
/home/sagar/.local/include/grpcpp/impl/codegen/sync_stream.h
/home/sagar/.local/include/grpcpp/impl/codegen/time.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.grpc.pb.cc
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.grpc.pb.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.h
CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o
/home/sagar/.local/include/google/protobuf/any.h
/home/sagar/.local/include/google/protobuf/arena.h
/home/sagar/.local/include/google/protobuf/arena_impl.h
/home/sagar/.local/include/google/protobuf/arenastring.h
/home/sagar/.local/include/google/protobuf/descriptor.h
/home/sagar/.local/include/google/protobuf/extension_set.h
/home/sagar/.local/include/google/protobuf/generated_enum_reflection.h
/home/sagar/.local/include/google/protobuf/generated_enum_util.h
/home/sagar/.local/include/google/protobuf/generated_message_reflection.h
/home/sagar/.local/include/google/protobuf/generated_message_table_driven.h
/home/sagar/.local/include/google/protobuf/generated_message_util.h
/home/sagar/.local/include/google/protobuf/has_bits.h
/home/sagar/.local/include/google/protobuf/implicit_weak_message.h
/home/sagar/.local/include/google/protobuf/io/coded_stream.h
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream.h
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream_impl_lite.h
/home/sagar/.local/include/google/protobuf/map.h
/home/sagar/.local/include/google/protobuf/map_entry_lite.h
/home/sagar/.local/include/google/protobuf/map_field_lite.h
/home/sagar/.local/include/google/protobuf/map_type_handler.h
/home/sagar/.local/include/google/protobuf/message.h
/home/sagar/.local/include/google/protobuf/message_lite.h
/home/sagar/.local/include/google/protobuf/metadata_lite.h
/home/sagar/.local/include/google/protobuf/parse_context.h
/home/sagar/.local/include/google/protobuf/port.h
/home/sagar/.local/include/google/protobuf/port_def.inc
/home/sagar/.local/include/google/protobuf/port_undef.inc
/home/sagar/.local/include/google/protobuf/reflection_ops.h
/home/sagar/.local/include/google/protobuf/repeated_field.h
/home/sagar/.local/include/google/protobuf/stubs/callback.h
/home/sagar/.local/include/google/protobuf/stubs/casts.h
/home/sagar/.local/include/google/protobuf/stubs/common.h
/home/sagar/.local/include/google/protobuf/stubs/hash.h
/home/sagar/.local/include/google/protobuf/stubs/logging.h
/home/sagar/.local/include/google/protobuf/stubs/macros.h
/home/sagar/.local/include/google/protobuf/stubs/mutex.h
/home/sagar/.local/include/google/protobuf/stubs/once.h
/home/sagar/.local/include/google/protobuf/stubs/platform_macros.h
/home/sagar/.local/include/google/protobuf/stubs/port.h
/home/sagar/.local/include/google/protobuf/stubs/stl_util.h
/home/sagar/.local/include/google/protobuf/stubs/stringpiece.h
/home/sagar/.local/include/google/protobuf/stubs/strutil.h
/home/sagar/.local/include/google/protobuf/unknown_field_set.h
/home/sagar/.local/include/google/protobuf/wire_format.h
/home/sagar/.local/include/google/protobuf/wire_format_lite.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.cc
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.h
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o: \
/home/sagar/.local/include/google/protobuf/any.h \
/home/sagar/.local/include/google/protobuf/any.pb.h \
/home/sagar/.local/include/google/protobuf/arena.h \
/home/sagar/.local/include/google/protobuf/arena_impl.h \
/home/sagar/.local/include/google/protobuf/arenastring.h \
/home/sagar/.local/include/google/protobuf/descriptor.h \
/home/sagar/.local/include/google/protobuf/descriptor.pb.h \
/home/sagar/.local/include/google/protobuf/descriptor_database.h \
/home/sagar/.local/include/google/protobuf/extension_set.h \
/home/sagar/.local/include/google/protobuf/generated_enum_reflection.h \
/home/sagar/.local/include/google/protobuf/generated_enum_util.h \
/home/sagar/.local/include/google/protobuf/generated_message_reflection.h \
/home/sagar/.local/include/google/protobuf/generated_message_table_driven.h \
/home/sagar/.local/include/google/protobuf/generated_message_util.h \
/home/sagar/.local/include/google/protobuf/has_bits.h \
/home/sagar/.local/include/google/protobuf/implicit_weak_message.h \
/home/sagar/.local/include/google/protobuf/io/coded_stream.h \
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream.h \
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream_impl_lite.h \
/home/sagar/.local/include/google/protobuf/map.h \
/home/sagar/.local/include/google/protobuf/map_entry_lite.h \
/home/sagar/.local/include/google/protobuf/map_field_lite.h \
/home/sagar/.local/include/google/protobuf/map_type_handler.h \
/home/sagar/.local/include/google/protobuf/message.h \
/home/sagar/.local/include/google/protobuf/message_lite.h \
/home/sagar/.local/include/google/protobuf/metadata_lite.h \
/home/sagar/.local/include/google/protobuf/parse_context.h \
/home/sagar/.local/include/google/protobuf/port.h \
/home/sagar/.local/include/google/protobuf/port_def.inc \
/home/sagar/.local/include/google/protobuf/port_undef.inc \
/home/sagar/.local/include/google/protobuf/repeated_field.h \
/home/sagar/.local/include/google/protobuf/source_context.pb.h \
/home/sagar/.local/include/google/protobuf/stubs/bytestream.h \
/home/sagar/.local/include/google/protobuf/stubs/callback.h \
/home/sagar/.local/include/google/protobuf/stubs/casts.h \
/home/sagar/.local/include/google/protobuf/stubs/common.h \
/home/sagar/.local/include/google/protobuf/stubs/hash.h \
/home/sagar/.local/include/google/protobuf/stubs/logging.h \
/home/sagar/.local/include/google/protobuf/stubs/macros.h \
/home/sagar/.local/include/google/protobuf/stubs/mutex.h \
/home/sagar/.local/include/google/protobuf/stubs/once.h \
/home/sagar/.local/include/google/protobuf/stubs/platform_macros.h \
/home/sagar/.local/include/google/protobuf/stubs/port.h \
/home/sagar/.local/include/google/protobuf/stubs/status.h \
/home/sagar/.local/include/google/protobuf/stubs/stl_util.h \
/home/sagar/.local/include/google/protobuf/stubs/stringpiece.h \
/home/sagar/.local/include/google/protobuf/stubs/strutil.h \
/home/sagar/.local/include/google/protobuf/type.pb.h \
/home/sagar/.local/include/google/protobuf/unknown_field_set.h \
/home/sagar/.local/include/google/protobuf/util/json_util.h \
/home/sagar/.local/include/google/protobuf/util/type_resolver.h \
/home/sagar/.local/include/google/protobuf/util/type_resolver_util.h \
/home/sagar/.local/include/google/protobuf/wire_format_lite.h \
/home/sagar/.local/include/grpc/impl/codegen/atm.h \
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_atomic.h \
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_sync.h \
/home/sagar/.local/include/grpc/impl/codegen/atm_windows.h \
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer.h \
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer_reader.h \
/home/sagar/.local/include/grpc/impl/codegen/compression_types.h \
/home/sagar/.local/include/grpc/impl/codegen/connectivity_state.h \
/home/sagar/.local/include/grpc/impl/codegen/gpr_slice.h \
/home/sagar/.local/include/grpc/impl/codegen/gpr_types.h \
/home/sagar/.local/include/grpc/impl/codegen/grpc_types.h \
/home/sagar/.local/include/grpc/impl/codegen/log.h \
/home/sagar/.local/include/grpc/impl/codegen/port_platform.h \
/home/sagar/.local/include/grpc/impl/codegen/propagation_bits.h \
/home/sagar/.local/include/grpc/impl/codegen/slice.h \
/home/sagar/.local/include/grpc/impl/codegen/status.h \
/home/sagar/.local/include/grpc/impl/codegen/sync.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_abseil.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_custom.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_generic.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_posix.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_windows.h \
/home/sagar/.local/include/grpcpp/impl/codegen/async_generic_service.h \
/home/sagar/.local/include/grpcpp/impl/codegen/async_stream.h \
/home/sagar/.local/include/grpcpp/impl/codegen/async_unary_call.h \
/home/sagar/.local/include/grpcpp/impl/codegen/byte_buffer.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call_hook.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/callback_common.h \
/home/sagar/.local/include/grpcpp/impl/codegen/channel_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/client_callback.h \
/home/sagar/.local/include/grpcpp/impl/codegen/client_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/client_interceptor.h \
/home/sagar/.local/include/grpcpp/impl/codegen/client_unary_call.h \
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue.h \
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue_tag.h \
/home/sagar/.local/include/grpcpp/impl/codegen/config.h \
/home/sagar/.local/include/grpcpp/impl/codegen/config_protobuf.h \
/home/sagar/.local/include/grpcpp/impl/codegen/core_codegen_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/create_auth_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/grpc_library.h \
/home/sagar/.local/include/grpcpp/impl/codegen/intercepted_channel.h \
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor.h \
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor_common.h \
/home/sagar/.local/include/grpcpp/impl/codegen/message_allocator.h \
/home/sagar/.local/include/grpcpp/impl/codegen/metadata_map.h \
/home/sagar/.local/include/grpcpp/impl/codegen/method_handler.h \
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_reader.h \
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_writer.h \
/home/sagar/.local/include/grpcpp/impl/codegen/proto_utils.h \
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_method.h \
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_service_method.h \
/home/sagar/.local/include/grpcpp/impl/codegen/security/auth_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/serialization_traits.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback_handlers.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_interceptor.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/service_type.h \
/home/sagar/.local/include/grpcpp/impl/codegen/slice.h \
/home/sagar/.local/include/grpcpp/impl/codegen/status.h \
/home/sagar/.local/include/grpcpp/impl/codegen/status_code_enum.h \
/home/sagar/.local/include/grpcpp/impl/codegen/string_ref.h \
/home/sagar/.local/include/grpcpp/impl/codegen/stub_options.h \
/home/sagar/.local/include/grpcpp/impl/codegen/sync.h \
/home/sagar/.local/include/grpcpp/impl/codegen/sync_stream.h \
/home/sagar/.local/include/grpcpp/impl/codegen/time.h \
keyvalue.grpc.pb.cc \
keyvalue.grpc.pb.h \
keyvalue.pb.h
CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o: \
/home/sagar/.local/include/google/protobuf/any.h \
/home/sagar/.local/include/google/protobuf/arena.h \
/home/sagar/.local/include/google/protobuf/arena_impl.h \
/home/sagar/.local/include/google/protobuf/arenastring.h \
/home/sagar/.local/include/google/protobuf/descriptor.h \
/home/sagar/.local/include/google/protobuf/extension_set.h \
/home/sagar/.local/include/google/protobuf/generated_enum_reflection.h \
/home/sagar/.local/include/google/protobuf/generated_enum_util.h \
/home/sagar/.local/include/google/protobuf/generated_message_reflection.h \
/home/sagar/.local/include/google/protobuf/generated_message_table_driven.h \
/home/sagar/.local/include/google/protobuf/generated_message_util.h \
/home/sagar/.local/include/google/protobuf/has_bits.h \
/home/sagar/.local/include/google/protobuf/implicit_weak_message.h \
/home/sagar/.local/include/google/protobuf/io/coded_stream.h \
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream.h \
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream_impl_lite.h \
/home/sagar/.local/include/google/protobuf/map.h \
/home/sagar/.local/include/google/protobuf/map_entry_lite.h \
/home/sagar/.local/include/google/protobuf/map_field_lite.h \
/home/sagar/.local/include/google/protobuf/map_type_handler.h \
/home/sagar/.local/include/google/protobuf/message.h \
/home/sagar/.local/include/google/protobuf/message_lite.h \
/home/sagar/.local/include/google/protobuf/metadata_lite.h \
/home/sagar/.local/include/google/protobuf/parse_context.h \
/home/sagar/.local/include/google/protobuf/port.h \
/home/sagar/.local/include/google/protobuf/port_def.inc \
/home/sagar/.local/include/google/protobuf/port_undef.inc \
/home/sagar/.local/include/google/protobuf/reflection_ops.h \
/home/sagar/.local/include/google/protobuf/repeated_field.h \
/home/sagar/.local/include/google/protobuf/stubs/callback.h \
/home/sagar/.local/include/google/protobuf/stubs/casts.h \
/home/sagar/.local/include/google/protobuf/stubs/common.h \
/home/sagar/.local/include/google/protobuf/stubs/hash.h \
/home/sagar/.local/include/google/protobuf/stubs/logging.h \
/home/sagar/.local/include/google/protobuf/stubs/macros.h \
/home/sagar/.local/include/google/protobuf/stubs/mutex.h \
/home/sagar/.local/include/google/protobuf/stubs/once.h \
/home/sagar/.local/include/google/protobuf/stubs/platform_macros.h \
/home/sagar/.local/include/google/protobuf/stubs/port.h \
/home/sagar/.local/include/google/protobuf/stubs/stl_util.h \
/home/sagar/.local/include/google/protobuf/stubs/stringpiece.h \
/home/sagar/.local/include/google/protobuf/stubs/strutil.h \
/home/sagar/.local/include/google/protobuf/unknown_field_set.h \
/home/sagar/.local/include/google/protobuf/wire_format.h \
/home/sagar/.local/include/google/protobuf/wire_format_lite.h \
keyvalue.pb.cc \
keyvalue.pb.h
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# compile CXX with /usr/bin/c++
CXX_DEFINES = -DCARES_STATICLIB
CXX_INCLUDES = -I/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug -I/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage -isystem /home/sagar/.local/include
CXX_FLAGS = -g -std=gnu++11
/usr/bin/ar qc libkvs_grpc_proto.a CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o
/usr/bin/ranlib libkvs_grpc_proto.a
CMAKE_PROGRESS_1 = 5
CMAKE_PROGRESS_2 = 6
CMAKE_PROGRESS_3 = 7
CMAKE_PROGRESS_4 = 8
#IncludeRegexLine: ^[ ]*[#%][ ]*(include|import)[ ]*[<"]([^">]+)([">])
#IncludeRegexScan: ^.*$
#IncludeRegexComplain: ^$
#IncludeRegexTransform:
/home/sagar/.local/include/google/protobuf/any.h
string
-
google/protobuf/stubs/common.h
-
google/protobuf/arenastring.h
-
google/protobuf/message_lite.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/any.pb.h
limits
-
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_table_driven.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message.h
-
google/protobuf/repeated_field.h
-
google/protobuf/extension_set.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/arena.h
limits
-
type_traits
-
utility
-
exception
-
typeinfo
-
typeinfo
-
type_traits
-
google/protobuf/arena_impl.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/arena_impl.h
atomic
-
limits
-
typeinfo
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
sanitizer/asan_interface.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/arenastring.h
string
-
type_traits
-
utility
-
google/protobuf/stubs/logging.h
-
google/protobuf/stubs/common.h
-
google/protobuf/arena.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/descriptor.h
atomic
-
map
-
memory
-
set
-
string
-
vector
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/mutex.h
-
google/protobuf/stubs/once.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/descriptor.pb.h
limits
-
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_table_driven.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message.h
-
google/protobuf/repeated_field.h
-
google/protobuf/extension_set.h
-
google/protobuf/generated_enum_reflection.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/descriptor_database.h
map
-
string
-
utility
-
vector
-
google/protobuf/stubs/common.h
-
google/protobuf/descriptor.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/extension_set.h
algorithm
-
cassert
-
map
-
string
-
utility
-
vector
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
google/protobuf/parse_context.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/port.h
-
google/protobuf/repeated_field.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/generated_enum_reflection.h
string
-
google/protobuf/generated_enum_util.h
-
google/protobuf/port.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/generated_enum_util.h
type_traits
-
google/protobuf/message_lite.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/generated_message_reflection.h
string
-
vector
-
google/protobuf/stubs/casts.h
-
google/protobuf/stubs/common.h
-
google/protobuf/descriptor.h
-
google/protobuf/generated_enum_reflection.h
-
google/protobuf/stubs/once.h
-
google/protobuf/port.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/generated_message_table_driven.h
google/protobuf/map.h
-
google/protobuf/map_entry_lite.h
-
google/protobuf/map_field_lite.h
-
google/protobuf/message_lite.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/generated_message_util.h
assert.h
-
atomic
-
climits
-
string
-
vector
-
google/protobuf/stubs/common.h
-
google/protobuf/any.h
-
google/protobuf/has_bits.h
-
google/protobuf/implicit_weak_message.h
-
google/protobuf/message_lite.h
-
google/protobuf/stubs/once.h
-
google/protobuf/port.h
-
google/protobuf/repeated_field.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/stubs/casts.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/has_bits.h
google/protobuf/stubs/common.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/implicit_weak_message.h
string
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/message_lite.h
-
google/protobuf/repeated_field.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/io/coded_stream.h
assert.h
-
atomic
-
climits
-
cstddef
-
cstring
-
string
-
type_traits
-
utility
-
machine/endian.h
-
endian.h
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port.h
-
google/protobuf/stubs/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream.h
string
-
google/protobuf/stubs/common.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream_impl_lite.h
iosfwd
-
memory
-
string
-
google/protobuf/stubs/callback.h
-
google/protobuf/stubs/common.h
-
google/protobuf/io/zero_copy_stream.h
-
google/protobuf/stubs/stl_util.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/map.h
functional
-
initializer_list
-
iterator
-
limits
-
map
-
string
-
type_traits
-
utility
-
string_view
-
google/protobuf/stubs/common.h
-
google/protobuf/arena.h
-
google/protobuf/generated_enum_util.h
-
google/protobuf/map_type_handler.h
-
google/protobuf/stubs/hash.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/map_entry_lite.h
assert.h
-
string
-
google/protobuf/stubs/casts.h
-
google/protobuf/parse_context.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/map.h
-
google/protobuf/map_type_handler.h
-
google/protobuf/port.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/map_field_lite.h
type_traits
-
google/protobuf/parse_context.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/map.h
-
google/protobuf/map_entry_lite.h
-
google/protobuf/port.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/map_type_handler.h
google/protobuf/parse_context.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/wire_format_lite.h
-
/home/sagar/.local/include/google/protobuf/message.h
iosfwd
-
string
-
type_traits
-
vector
-
google/protobuf/stubs/casts.h
-
google/protobuf/stubs/common.h
-
google/protobuf/arena.h
-
google/protobuf/descriptor.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message_lite.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/message_lite.h
climits
-
string
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/stubs/once.h
-
google/protobuf/port.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/metadata_lite.h
string
-
google/protobuf/stubs/common.h
-
google/protobuf/arena.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/parse_context.h
cstdint
-
cstring
-
string
-
google/protobuf/io/coded_stream.h
-
google/protobuf/io/zero_copy_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/implicit_weak_message.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/port.h
-
google/protobuf/repeated_field.h
-
google/protobuf/wire_format_lite.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/port.h
/home/sagar/.local/include/google/protobuf/port_def.inc
/home/sagar/.local/include/google/protobuf/port_undef.inc
/home/sagar/.local/include/google/protobuf/repeated_field.h
utility
-
algorithm
-
iterator
-
limits
-
string
-
type_traits
-
google/protobuf/stubs/logging.h
-
google/protobuf/stubs/common.h
-
google/protobuf/arena.h
-
google/protobuf/message_lite.h
-
google/protobuf/port.h
-
google/protobuf/stubs/casts.h
-
type_traits
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/source_context.pb.h
limits
-
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_table_driven.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message.h
-
google/protobuf/repeated_field.h
-
google/protobuf/extension_set.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/bytestream.h
stddef.h
-
string
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/stringpiece.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/callback.h
type_traits
-
google/protobuf/stubs/macros.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/casts.h
google/protobuf/stubs/common.h
-
google/protobuf/port_def.inc
-
type_traits
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/common.h
algorithm
-
iostream
-
map
-
memory
-
set
-
string
-
vector
-
google/protobuf/stubs/macros.h
-
google/protobuf/stubs/platform_macros.h
-
google/protobuf/stubs/port.h
-
google/protobuf/stubs/stringpiece.h
-
exception
-
TargetConditionals.h
-
pthread.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/hash.h
cstring
-
string
-
unordered_map
-
unordered_set
-
/home/sagar/.local/include/google/protobuf/stubs/logging.h
google/protobuf/stubs/macros.h
-
google/protobuf/stubs/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/macros.h
google/protobuf/stubs/port.h
-
/home/sagar/.local/include/google/protobuf/stubs/mutex.h
mutex
-
windows.h
-
google/protobuf/stubs/macros.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/once.h
mutex
-
utility
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/platform_macros.h
Availability.h
-
TargetConditionals.h
-
/home/sagar/.local/include/google/protobuf/stubs/port.h
assert.h
-
cstdint
-
stdlib.h
-
cstddef
-
string
-
string.h
-
google/protobuf/stubs/platform_macros.h
-
google/protobuf/port_def.inc
-
machine/endian.h
-
endian.h
-
stdlib.h
-
intrin.h
-
libkern/OSByteOrder.h
-
byteswap.h
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/status.h
iosfwd
-
string
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/stringpiece.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/stl_util.h
google/protobuf/stubs/common.h
-
/home/sagar/.local/include/google/protobuf/stubs/stringpiece.h
assert.h
-
stddef.h
-
string.h
-
iosfwd
-
limits
-
string
-
google/protobuf/stubs/hash.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/stubs/strutil.h
google/protobuf/stubs/common.h
-
google/protobuf/stubs/stringpiece.h
-
stdlib.h
-
cstring
-
google/protobuf/port_def.inc
-
vector
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/type.pb.h
limits
-
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_table_driven.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message.h
-
google/protobuf/repeated_field.h
-
google/protobuf/extension_set.h
-
google/protobuf/generated_enum_reflection.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/any.pb.h
-
google/protobuf/source_context.pb.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/unknown_field_set.h
assert.h
-
string
-
vector
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
google/protobuf/parse_context.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/io/zero_copy_stream_impl_lite.h
-
google/protobuf/message_lite.h
-
google/protobuf/port.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/util/json_util.h
google/protobuf/message.h
-
google/protobuf/util/type_resolver.h
-
google/protobuf/stubs/bytestream.h
-
google/protobuf/stubs/strutil.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/util/type_resolver.h
string
-
google/protobuf/stubs/common.h
-
google/protobuf/type.pb.h
-
google/protobuf/stubs/status.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/util/type_resolver_util.h
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/google/protobuf/wire_format_lite.h
string
-
google/protobuf/stubs/common.h
-
google/protobuf/stubs/logging.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arenastring.h
-
google/protobuf/message_lite.h
-
google/protobuf/port.h
-
google/protobuf/repeated_field.h
-
google/protobuf/stubs/casts.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/.local/include/grpc/byte_buffer.h
grpc/support/port_platform.h
-
grpc/impl/codegen/byte_buffer.h
-
grpc/slice_buffer.h
-
/home/sagar/.local/include/grpc/compression.h
grpc/impl/codegen/port_platform.h
-
stdlib.h
-
grpc/impl/codegen/compression_types.h
-
grpc/slice.h
-
/home/sagar/.local/include/grpc/grpc.h
grpc/support/port_platform.h
-
grpc/status.h
-
grpc/byte_buffer.h
-
grpc/impl/codegen/connectivity_state.h
-
grpc/impl/codegen/grpc_types.h
-
grpc/impl/codegen/propagation_bits.h
-
grpc/slice.h
-
grpc/support/time.h
-
stddef.h
-
/home/sagar/.local/include/grpc/grpc_security_constants.h
/home/sagar/.local/include/grpc/impl/codegen/atm.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/atm_gcc_atomic.h
-
grpc/impl/codegen/atm_gcc_sync.h
-
grpc/impl/codegen/atm_windows.h
-
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_atomic.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_sync.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/impl/codegen/atm_windows.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/grpc_types.h
-
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer_reader.h
/home/sagar/.local/include/grpc/impl/codegen/compression_types.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/impl/codegen/connectivity_state.h
/home/sagar/.local/include/grpc/impl/codegen/gpr_slice.h
/home/sagar/.local/include/grpc/impl/codegen/gpr_types.h
grpc/impl/codegen/port_platform.h
-
stddef.h
-
/home/sagar/.local/include/grpc/impl/codegen/grpc_types.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/compression_types.h
-
grpc/impl/codegen/gpr_types.h
-
grpc/impl/codegen/slice.h
-
grpc/impl/codegen/status.h
-
stddef.h
-
/home/sagar/.local/include/grpc/impl/codegen/log.h
grpc/impl/codegen/port_platform.h
-
stdarg.h
-
stdlib.h
-
/home/sagar/.local/include/grpc/impl/codegen/port_platform.h
windows.h
-
features.h
-
linux/version.h
-
Availability.h
-
TargetConditionals.h
-
features.h
-
stdint.h
-
stdint.h
-
/home/sagar/.local/include/grpc/impl/codegen/propagation_bits.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/impl/codegen/slice.h
grpc/impl/codegen/port_platform.h
-
stddef.h
-
grpc/impl/codegen/gpr_slice.h
-
/home/sagar/.local/include/grpc/impl/codegen/status.h
/home/sagar/.local/include/grpc/impl/codegen/sync.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/sync_generic.h
-
grpc/impl/codegen/sync_custom.h
-
grpc/impl/codegen/sync_abseil.h
-
grpc/impl/codegen/sync_posix.h
-
grpc/impl/codegen/sync_windows.h
-
/home/sagar/.local/include/grpc/impl/codegen/sync_abseil.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/sync_generic.h
-
/home/sagar/.local/include/grpc/impl/codegen/sync_custom.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/sync_generic.h
-
/home/sagar/.local/include/grpc/impl/codegen/sync_generic.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/atm.h
-
/home/sagar/.local/include/grpc/impl/codegen/sync_posix.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/sync_generic.h
-
pthread.h
-
/home/sagar/.local/include/grpc/impl/codegen/sync_windows.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/sync_generic.h
-
/home/sagar/.local/include/grpc/slice.h
grpc/support/port_platform.h
-
grpc/impl/codegen/slice.h
-
grpc/support/sync.h
-
/home/sagar/.local/include/grpc/slice_buffer.h
grpc/support/port_platform.h
-
grpc/slice.h
-
/home/sagar/.local/include/grpc/status.h
grpc/support/port_platform.h
-
grpc/impl/codegen/status.h
-
/home/sagar/.local/include/grpc/support/atm.h
grpc/support/port_platform.h
-
grpc/impl/codegen/atm.h
-
/home/sagar/.local/include/grpc/support/cpu.h
grpc/support/port_platform.h
-
/home/sagar/.local/include/grpc/support/log.h
grpc/support/port_platform.h
-
grpc/impl/codegen/log.h
-
/home/sagar/.local/include/grpc/support/port_platform.h
grpc/impl/codegen/port_platform.h
-
/home/sagar/.local/include/grpc/support/sync.h
grpc/support/port_platform.h
-
grpc/impl/codegen/gpr_types.h
-
grpc/impl/codegen/sync.h
-
/home/sagar/.local/include/grpc/support/time.h
grpc/support/port_platform.h
-
grpc/impl/codegen/gpr_types.h
-
stddef.h
-
time.h
-
/home/sagar/.local/include/grpc/support/workaround_list.h
/home/sagar/.local/include/grpcpp/channel.h
memory
-
grpc/grpc.h
-
grpcpp/impl/call.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/impl/codegen/completion_queue.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/grpc_library.h
-
grpcpp/impl/codegen/sync.h
-
/home/sagar/.local/include/grpcpp/client_context.h
grpcpp/impl/codegen/client_context.h
-
/home/sagar/.local/include/grpcpp/completion_queue.h
grpcpp/impl/codegen/completion_queue.h
-
/home/sagar/.local/include/grpcpp/create_channel.h
memory
-
grpcpp/channel.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/security/credentials.h
-
grpcpp/support/channel_arguments.h
-
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/create_channel_posix.h
memory
-
grpc/support/port_platform.h
-
grpcpp/channel.h
-
grpcpp/support/channel_arguments.h
-
/home/sagar/.local/include/grpcpp/grpcpp.h
grpc/grpc.h
-
grpcpp/channel.h
-
grpcpp/client_context.h
-
grpcpp/completion_queue.h
-
grpcpp/create_channel.h
-
grpcpp/create_channel_posix.h
-
grpcpp/server.h
-
grpcpp/server_builder.h
-
grpcpp/server_context.h
-
grpcpp/server_posix.h
-
/home/sagar/.local/include/grpcpp/health_check_service_interface.h
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/impl/call.h
grpcpp/impl/codegen/call.h
-
/home/sagar/.local/include/grpcpp/impl/channel_argument_option.h
map
-
memory
-
grpcpp/impl/server_builder_option.h
-
grpcpp/support/channel_arguments.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/async_generic_service.h
grpc/impl/codegen/port_platform.h
-
grpcpp/impl/codegen/async_stream.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/server_callback.h
-
grpcpp/impl/codegen/server_callback_handlers.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/async_stream.h
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/server_context.h
-
grpcpp/impl/codegen/service_type.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/async_unary_call.h
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_op_set.h
-
grpcpp/impl/codegen/call_op_set_interface.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/client_context.h
-
grpcpp/impl/codegen/server_context.h
-
grpcpp/impl/codegen/service_type.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/byte_buffer.h
grpc/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/slice.h
-
grpcpp/impl/codegen/status.h
-
vector
-
/home/sagar/.local/include/grpcpp/impl/codegen/call.h
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/call_hook.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/call_hook.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set.h
cstring
-
map
-
memory
-
grpc/impl/codegen/compression_types.h
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_hook.h
-
grpcpp/impl/codegen/call_op_set_interface.h
-
grpcpp/impl/codegen/client_context.h
-
grpcpp/impl/codegen/completion_queue.h
-
grpcpp/impl/codegen/completion_queue_tag.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/intercepted_channel.h
-
grpcpp/impl/codegen/interceptor_common.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/slice.h
-
grpcpp/impl/codegen/string_ref.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set_interface.h
grpcpp/impl/codegen/completion_queue_tag.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/callback_common.h
functional
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/completion_queue_tag.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/channel_interface.h
grpc/impl/codegen/connectivity_state.h
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/time.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/client_callback.h
atomic
-
functional
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_op_set.h
-
grpcpp/impl/codegen/callback_common.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/sync.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/client_context.h
map
-
memory
-
string
-
grpc/impl/codegen/compression_types.h
-
grpc/impl/codegen/propagation_bits.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/create_auth_context.h
-
grpcpp/impl/codegen/metadata_map.h
-
grpcpp/impl/codegen/rpc_method.h
-
grpcpp/impl/codegen/security/auth_context.h
-
grpcpp/impl/codegen/slice.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/string_ref.h
-
grpcpp/impl/codegen/sync.h
-
grpcpp/impl/codegen/time.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/client_interceptor.h
memory
-
vector
-
grpcpp/impl/codegen/interceptor.h
-
grpcpp/impl/codegen/rpc_method.h
-
grpcpp/impl/codegen/string_ref.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue.h
list
-
grpc/impl/codegen/atm.h
-
grpcpp/impl/codegen/completion_queue_tag.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/grpc_library.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/sync.h
-
grpcpp/impl/codegen/time.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue_tag.h
/home/sagar/.local/include/grpcpp/impl/codegen/config.h
string
-
/home/sagar/.local/include/grpcpp/impl/codegen/config_protobuf.h
google/protobuf/message_lite.h
-
google/protobuf/message.h
-
google/protobuf/descriptor.h
-
google/protobuf/descriptor.pb.h
-
google/protobuf/descriptor_database.h
-
google/protobuf/io/coded_stream.h
-
google/protobuf/io/zero_copy_stream.h
-
google/protobuf/util/json_util.h
-
google/protobuf/util/type_resolver_util.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/core_codegen_interface.h
grpc/impl/codegen/byte_buffer.h
-
grpc/impl/codegen/byte_buffer_reader.h
-
grpc/impl/codegen/grpc_types.h
-
grpc/impl/codegen/sync.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/create_auth_context.h
memory
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/security/auth_context.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/grpc_library.h
grpcpp/impl/codegen/core_codegen_interface.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/intercepted_channel.h
grpcpp/impl/codegen/channel_interface.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor.h
memory
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/metadata_map.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor_common.h
array
-
functional
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_op_set_interface.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/impl/codegen/intercepted_channel.h
-
grpcpp/impl/codegen/server_interceptor.h
-
grpc/impl/codegen/grpc_types.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/message_allocator.h
/home/sagar/.local/include/grpcpp/impl/codegen/metadata_map.h
map
-
grpc/impl/codegen/log.h
-
grpcpp/impl/codegen/slice.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/method_handler.h
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/sync_stream.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_reader.h
type_traits
-
grpc/impl/codegen/byte_buffer_reader.h
-
grpc/impl/codegen/grpc_types.h
-
grpc/impl/codegen/slice.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config_protobuf.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_writer.h
type_traits
-
grpc/impl/codegen/grpc_types.h
-
grpc/impl/codegen/slice.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config_protobuf.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/proto_utils.h
type_traits
-
grpc/impl/codegen/byte_buffer_reader.h
-
grpc/impl/codegen/grpc_types.h
-
grpc/impl/codegen/slice.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config_protobuf.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/proto_buffer_reader.h
-
grpcpp/impl/codegen/proto_buffer_writer.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/slice.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_method.h
memory
-
grpcpp/impl/codegen/channel_interface.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_service_method.h
climits
-
functional
-
map
-
memory
-
vector
-
grpc/impl/codegen/log.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/rpc_method.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/security/auth_context.h
iterator
-
vector
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/string_ref.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/serialization_traits.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback.h
atomic
-
functional
-
type_traits
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_op_set.h
-
grpcpp/impl/codegen/callback_common.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/message_allocator.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/sync.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback_handlers.h
grpcpp/impl/codegen/message_allocator.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/server_callback.h
-
grpcpp/impl/codegen/server_context.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/server_context.h
atomic
-
cassert
-
map
-
memory
-
type_traits
-
vector
-
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/compression_types.h
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_op_set.h
-
grpcpp/impl/codegen/callback_common.h
-
grpcpp/impl/codegen/completion_queue_tag.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/create_auth_context.h
-
grpcpp/impl/codegen/message_allocator.h
-
grpcpp/impl/codegen/metadata_map.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/security/auth_context.h
-
grpcpp/impl/codegen/server_callback.h
-
grpcpp/impl/codegen/server_interceptor.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/string_ref.h
-
grpcpp/impl/codegen/time.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/server_interceptor.h
atomic
-
vector
-
grpcpp/impl/codegen/interceptor.h
-
grpcpp/impl/codegen/rpc_method.h
-
grpcpp/impl/codegen/string_ref.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/server_interface.h
grpc/impl/codegen/port_platform.h
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/byte_buffer.h
-
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/call_hook.h
-
grpcpp/impl/codegen/completion_queue_tag.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/interceptor_common.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/server_context.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/service_type.h
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/rpc_service_method.h
-
grpcpp/impl/codegen/serialization_traits.h
-
grpcpp/impl/codegen/server_interface.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/slice.h
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/string_ref.h
-
grpc/impl/codegen/slice.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/status.h
grpc/impl/codegen/status.h
-
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/status_code_enum.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/status_code_enum.h
/home/sagar/.local/include/grpcpp/impl/codegen/string_ref.h
string.h
-
algorithm
-
iosfwd
-
iostream
-
iterator
-
grpcpp/impl/codegen/config.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/stub_options.h
/home/sagar/.local/include/grpcpp/impl/codegen/sync.h
grpc/impl/codegen/port_platform.h
-
pthread.h
-
mutex
-
grpc/impl/codegen/log.h
-
grpc/impl/codegen/sync.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
absl/synchronization/mutex.h
/home/sagar/.local/include/grpcpp/impl/codegen/absl/synchronization/mutex.h
/home/sagar/.local/include/grpcpp/impl/codegen/sync_stream.h
grpcpp/impl/codegen/call.h
-
grpcpp/impl/codegen/channel_interface.h
-
grpcpp/impl/codegen/client_context.h
-
grpcpp/impl/codegen/completion_queue.h
-
grpcpp/impl/codegen/core_codegen_interface.h
-
grpcpp/impl/codegen/server_context.h
-
grpcpp/impl/codegen/service_type.h
-
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/impl/codegen/time.h
chrono
-
grpc/impl/codegen/grpc_types.h
-
grpcpp/impl/codegen/config.h
-
/home/sagar/.local/include/grpcpp/impl/rpc_service_method.h
grpcpp/impl/codegen/rpc_service_method.h
-
/home/sagar/.local/include/grpcpp/impl/server_builder_option.h
map
-
memory
-
grpcpp/impl/server_builder_plugin.h
-
grpcpp/support/channel_arguments.h
-
/home/sagar/.local/include/grpcpp/impl/server_builder_plugin.h
memory
-
grpcpp/support/channel_arguments.h
-
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/resource_quota.h
grpcpp/impl/codegen/config.h
-
grpcpp/impl/codegen/grpc_library.h
-
/home/sagar/.local/include/grpcpp/security/auth_context.h
grpcpp/impl/codegen/security/auth_context.h
-
/home/sagar/.local/include/grpcpp/security/auth_metadata_processor.h
map
-
grpcpp/security/auth_context.h
-
grpcpp/support/status.h
-
grpcpp/support/string_ref.h
-
/home/sagar/.local/include/grpcpp/security/authorization_policy_provider.h
grpc/status.h
-
grpcpp/impl/codegen/grpc_library.h
-
memory
-
/home/sagar/.local/include/grpcpp/security/credentials.h
map
-
memory
-
vector
-
grpc/grpc_security_constants.h
-
grpcpp/channel.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/impl/codegen/grpc_library.h
-
grpcpp/security/auth_context.h
-
grpcpp/security/tls_credentials_options.h
-
grpcpp/support/channel_arguments.h
-
grpcpp/support/status.h
-
grpcpp/support/string_ref.h
-
/home/sagar/.local/include/grpcpp/security/server_credentials.h
memory
-
vector
-
grpc/grpc_security_constants.h
-
grpcpp/security/auth_metadata_processor.h
-
grpcpp/security/tls_credentials_options.h
-
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/security/tls_certificate_provider.h
grpc/grpc_security_constants.h
-
grpc/status.h
-
grpc/support/log.h
-
grpcpp/impl/codegen/grpc_library.h
-
grpcpp/support/config.h
-
memory
-
vector
-
/home/sagar/.local/include/grpcpp/security/tls_credentials_options.h
grpc/grpc_security_constants.h
-
grpc/status.h
-
grpc/support/log.h
-
grpcpp/security/tls_certificate_provider.h
-
grpcpp/support/config.h
-
memory
-
vector
-
/home/sagar/.local/include/grpcpp/server.h
list
-
memory
-
vector
-
grpc/impl/codegen/port_platform.h
-
grpc/compression.h
-
grpc/support/atm.h
-
grpcpp/channel.h
-
grpcpp/completion_queue.h
-
grpcpp/health_check_service_interface.h
-
grpcpp/impl/call.h
-
grpcpp/impl/codegen/client_interceptor.h
-
grpcpp/impl/codegen/completion_queue.h
-
grpcpp/impl/codegen/grpc_library.h
-
grpcpp/impl/codegen/server_interface.h
-
grpcpp/impl/rpc_service_method.h
-
grpcpp/security/server_credentials.h
-
grpcpp/support/channel_arguments.h
-
grpcpp/support/config.h
-
grpcpp/support/status.h
-
/home/sagar/.local/include/grpcpp/server_builder.h
climits
-
map
-
memory
-
vector
-
grpc/impl/codegen/port_platform.h
-
grpc/compression.h
-
grpc/support/cpu.h
-
grpc/support/workaround_list.h
-
grpcpp/impl/channel_argument_option.h
-
grpcpp/impl/codegen/server_interceptor.h
-
grpcpp/impl/server_builder_option.h
-
grpcpp/impl/server_builder_plugin.h
-
grpcpp/security/authorization_policy_provider.h
-
grpcpp/server.h
-
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/server_context.h
grpcpp/impl/codegen/server_context.h
-
/home/sagar/.local/include/grpcpp/server_posix.h
memory
-
grpc/support/port_platform.h
-
grpcpp/server.h
-
/home/sagar/.local/include/grpcpp/support/channel_arguments.h
list
-
vector
-
grpc/compression.h
-
grpc/grpc.h
-
grpcpp/resource_quota.h
-
grpcpp/support/config.h
-
/home/sagar/.local/include/grpcpp/support/config.h
grpcpp/impl/codegen/config.h
-
/home/sagar/.local/include/grpcpp/support/status.h
grpcpp/impl/codegen/status.h
-
/home/sagar/.local/include/grpcpp/support/string_ref.h
grpcpp/impl/codegen/string_ref.h
-
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServer.cc
iostream
-
memory
-
string
-
grpc/support/log.h
-
grpcpp/grpcpp.h
-
thread
-
vector
-
proto/keyvalue.grpc.pb.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.grpc.pb.h
service/KeyValueCallDatServiceImpl.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/service/KeyValueCallDatServiceImpl.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVStorage.hpp
iostream
-
bits/stdc++.h
-
sys/types.h
-
unordered_map
-
string.h
-
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/LRUCache.hpp
iostream
-
utility
-
string.h
-
map
-
pthread.h
-
Node.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/Node.hpp
../KVStorage.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVStorage.hpp
../logs/colorlog.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/logs/colorlog.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/Node.hpp
iostream
-
utility
-
string.h
-
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/logs/colorlog.hpp
iostream
-
bits/stdc++.h
-
sys/types.h
-
thread
-
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.grpc.pb.h
keyvalue.pb.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.pb.h
functional
-
grpcpp/impl/codegen/async_generic_service.h
-
grpcpp/impl/codegen/async_stream.h
-
grpcpp/impl/codegen/async_unary_call.h
-
grpcpp/impl/codegen/client_callback.h
-
grpcpp/impl/codegen/client_context.h
-
grpcpp/impl/codegen/completion_queue.h
-
grpcpp/impl/codegen/message_allocator.h
-
grpcpp/impl/codegen/method_handler.h
-
grpcpp/impl/codegen/proto_utils.h
-
grpcpp/impl/codegen/rpc_method.h
-
grpcpp/impl/codegen/server_callback.h
-
grpcpp/impl/codegen/server_callback_handlers.h
-
grpcpp/impl/codegen/server_context.h
-
grpcpp/impl/codegen/service_type.h
-
grpcpp/impl/codegen/status.h
-
grpcpp/impl/codegen/stub_options.h
-
grpcpp/impl/codegen/sync_stream.h
-
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.pb.h
limits
-
string
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
google/protobuf/io/coded_stream.h
-
google/protobuf/arena.h
-
google/protobuf/arenastring.h
-
google/protobuf/generated_message_table_driven.h
-
google/protobuf/generated_message_util.h
-
google/protobuf/metadata_lite.h
-
google/protobuf/generated_message_reflection.h
-
google/protobuf/message.h
-
google/protobuf/repeated_field.h
-
google/protobuf/extension_set.h
-
google/protobuf/unknown_field_set.h
-
google/protobuf/port_def.inc
-
google/protobuf/port_undef.inc
-
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/service/KeyValueCallDatServiceImpl.hpp
iostream
-
memory
-
string
-
thread
-
grpc/support/log.h
-
grpcpp/grpcpp.h
-
../proto/keyvalue.grpc.pb.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.grpc.pb.h
../kvcache/LRUCache.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/LRUCache.hpp
# Consider dependencies only in project.
set(CMAKE_DEPENDS_IN_PROJECT_ONLY OFF)
# The set of languages for which implicit dependencies are needed:
set(CMAKE_DEPENDS_LANGUAGES
"CXX"
)
# The set of files for implicit dependencies of each language:
set(CMAKE_DEPENDS_CHECK_CXX
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServer.cc" "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/server.dir/KVServer.cc.o"
)
set(CMAKE_CXX_COMPILER_ID "GNU")
# Preprocessor definitions for this target.
set(CMAKE_TARGET_DEFINITIONS_CXX
"CARES_STATICLIB"
)
# The include file search paths:
set(CMAKE_CXX_TARGET_INCLUDE_PATH
"."
"../storage"
"/home/sagar/.local/include"
)
# The set of dependency files which are needed:
set(CMAKE_DEPENDS_DEPENDENCY_FILES
)
# Targets to which this target links.
set(CMAKE_TARGET_LINKED_INFO_FILES
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/kvs_grpc_proto.dir/DependInfo.cmake"
)
# Fortran module output directory.
set(CMAKE_Fortran_TARGET_MODULE_DIR "")
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Delete rule output on recipe failure.
.DELETE_ON_ERROR:
#=============================================================================
# Special targets provided by cmake.
# Disable implicit rules so canonical targets will work.
.SUFFIXES:
# Disable VCS-based implicit rules.
% : %,v
# Disable VCS-based implicit rules.
% : RCS/%
# Disable VCS-based implicit rules.
% : RCS/%,v
# Disable VCS-based implicit rules.
% : SCCS/s.%
# Disable VCS-based implicit rules.
% : s.%
.SUFFIXES: .hpux_make_needs_suffix_list
# Command-line flag to silence nested $(MAKE).
$(VERBOSE)MAKESILENT = -s
#Suppress display of executed commands.
$(VERBOSE).SILENT:
# A target that is always out of date.
cmake_force:
.PHONY : cmake_force
#=============================================================================
# Set environment variables for the build.
# The shell in which to execute make rules.
SHELL = /bin/sh
# The CMake executable.
CMAKE_COMMAND = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# The command to remove a file.
RM = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E rm -f
# Escaping for special characters.
EQUALS = =
# The top-level source directory on which CMake was run.
CMAKE_SOURCE_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# The top-level build directory on which CMake was run.
CMAKE_BINARY_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
# Include any dependencies generated for this target.
include CMakeFiles/server.dir/depend.make
# Include the progress variables for this target.
include CMakeFiles/server.dir/progress.make
# Include the compile flags for this target's objects.
include CMakeFiles/server.dir/flags.make
CMakeFiles/server.dir/KVServer.cc.o: CMakeFiles/server.dir/flags.make
CMakeFiles/server.dir/KVServer.cc.o: ../KVServer.cc
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_1) "Building CXX object CMakeFiles/server.dir/KVServer.cc.o"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -o CMakeFiles/server.dir/KVServer.cc.o -c /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServer.cc
CMakeFiles/server.dir/KVServer.cc.i: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Preprocessing CXX source to CMakeFiles/server.dir/KVServer.cc.i"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -E /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServer.cc > CMakeFiles/server.dir/KVServer.cc.i
CMakeFiles/server.dir/KVServer.cc.s: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Compiling CXX source to assembly CMakeFiles/server.dir/KVServer.cc.s"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -S /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServer.cc -o CMakeFiles/server.dir/KVServer.cc.s
# Object files for target server
server_OBJECTS = \
"CMakeFiles/server.dir/KVServer.cc.o"
# External object files for target server
server_EXTERNAL_OBJECTS =
server: CMakeFiles/server.dir/KVServer.cc.o
server: CMakeFiles/server.dir/build.make
server: libkvs_grpc_proto.a
server: /home/sagar/.local/lib/libgrpc++_reflection.a
server: /home/sagar/.local/lib/libgrpc++.a
server: /home/sagar/.local/lib/libprotobuf.a
server: /home/sagar/.local/lib/libgrpc.a
server: /home/sagar/.local/lib/libz.a
server: /home/sagar/.local/lib/libcares.a
server: /home/sagar/.local/lib/libaddress_sorting.a
server: /home/sagar/.local/lib/libre2.a
server: /home/sagar/.local/lib/libabsl_hash.a
server: /home/sagar/.local/lib/libabsl_city.a
server: /home/sagar/.local/lib/libabsl_wyhash.a
server: /home/sagar/.local/lib/libabsl_raw_hash_set.a
server: /home/sagar/.local/lib/libabsl_hashtablez_sampler.a
server: /home/sagar/.local/lib/libabsl_exponential_biased.a
server: /home/sagar/.local/lib/libabsl_statusor.a
server: /home/sagar/.local/lib/libabsl_bad_variant_access.a
server: /home/sagar/.local/lib/libgpr.a
server: /home/sagar/.local/lib/libupb.a
server: /home/sagar/.local/lib/libabsl_status.a
server: /home/sagar/.local/lib/libabsl_cord.a
server: /home/sagar/.local/lib/libabsl_str_format_internal.a
server: /home/sagar/.local/lib/libabsl_synchronization.a
server: /home/sagar/.local/lib/libabsl_stacktrace.a
server: /home/sagar/.local/lib/libabsl_symbolize.a
server: /home/sagar/.local/lib/libabsl_debugging_internal.a
server: /home/sagar/.local/lib/libabsl_demangle_internal.a
server: /home/sagar/.local/lib/libabsl_graphcycles_internal.a
server: /home/sagar/.local/lib/libabsl_malloc_internal.a
server: /home/sagar/.local/lib/libabsl_time.a
server: /home/sagar/.local/lib/libabsl_strings.a
server: /home/sagar/.local/lib/libabsl_throw_delegate.a
server: /home/sagar/.local/lib/libabsl_strings_internal.a
server: /home/sagar/.local/lib/libabsl_base.a
server: /home/sagar/.local/lib/libabsl_spinlock_wait.a
server: /home/sagar/.local/lib/libabsl_int128.a
server: /home/sagar/.local/lib/libabsl_civil_time.a
server: /home/sagar/.local/lib/libabsl_time_zone.a
server: /home/sagar/.local/lib/libabsl_bad_optional_access.a
server: /home/sagar/.local/lib/libabsl_raw_logging_internal.a
server: /home/sagar/.local/lib/libabsl_log_severity.a
server: /home/sagar/.local/lib/libssl.a
server: /home/sagar/.local/lib/libcrypto.a
server: CMakeFiles/server.dir/link.txt
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --bold --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_2) "Linking CXX executable server"
$(CMAKE_COMMAND) -E cmake_link_script CMakeFiles/server.dir/link.txt --verbose=$(VERBOSE)
# Rule to build all files generated by this target.
CMakeFiles/server.dir/build: server
.PHONY : CMakeFiles/server.dir/build
CMakeFiles/server.dir/clean:
$(CMAKE_COMMAND) -P CMakeFiles/server.dir/cmake_clean.cmake
.PHONY : CMakeFiles/server.dir/clean
CMakeFiles/server.dir/depend:
cd /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug && $(CMAKE_COMMAND) -E cmake_depends "Unix Makefiles" /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/server.dir/DependInfo.cmake --color=$(COLOR)
.PHONY : CMakeFiles/server.dir/depend
file(REMOVE_RECURSE
"CMakeFiles/server.dir/KVServer.cc.o"
"server"
"server.pdb"
)
# Per-language clean rules from dependency scanning.
foreach(lang CXX)
include(CMakeFiles/server.dir/cmake_clean_${lang}.cmake OPTIONAL)
endforeach()
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/server.dir/KVServer.cc.o
/home/sagar/.local/include/google/protobuf/any.h
/home/sagar/.local/include/google/protobuf/any.pb.h
/home/sagar/.local/include/google/protobuf/arena.h
/home/sagar/.local/include/google/protobuf/arena_impl.h
/home/sagar/.local/include/google/protobuf/arenastring.h
/home/sagar/.local/include/google/protobuf/descriptor.h
/home/sagar/.local/include/google/protobuf/descriptor.pb.h
/home/sagar/.local/include/google/protobuf/descriptor_database.h
/home/sagar/.local/include/google/protobuf/extension_set.h
/home/sagar/.local/include/google/protobuf/generated_enum_reflection.h
/home/sagar/.local/include/google/protobuf/generated_enum_util.h
/home/sagar/.local/include/google/protobuf/generated_message_reflection.h
/home/sagar/.local/include/google/protobuf/generated_message_table_driven.h
/home/sagar/.local/include/google/protobuf/generated_message_util.h
/home/sagar/.local/include/google/protobuf/has_bits.h
/home/sagar/.local/include/google/protobuf/implicit_weak_message.h
/home/sagar/.local/include/google/protobuf/io/coded_stream.h
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream.h
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream_impl_lite.h
/home/sagar/.local/include/google/protobuf/map.h
/home/sagar/.local/include/google/protobuf/map_entry_lite.h
/home/sagar/.local/include/google/protobuf/map_field_lite.h
/home/sagar/.local/include/google/protobuf/map_type_handler.h
/home/sagar/.local/include/google/protobuf/message.h
/home/sagar/.local/include/google/protobuf/message_lite.h
/home/sagar/.local/include/google/protobuf/metadata_lite.h
/home/sagar/.local/include/google/protobuf/parse_context.h
/home/sagar/.local/include/google/protobuf/port.h
/home/sagar/.local/include/google/protobuf/port_def.inc
/home/sagar/.local/include/google/protobuf/port_undef.inc
/home/sagar/.local/include/google/protobuf/repeated_field.h
/home/sagar/.local/include/google/protobuf/source_context.pb.h
/home/sagar/.local/include/google/protobuf/stubs/bytestream.h
/home/sagar/.local/include/google/protobuf/stubs/callback.h
/home/sagar/.local/include/google/protobuf/stubs/casts.h
/home/sagar/.local/include/google/protobuf/stubs/common.h
/home/sagar/.local/include/google/protobuf/stubs/hash.h
/home/sagar/.local/include/google/protobuf/stubs/logging.h
/home/sagar/.local/include/google/protobuf/stubs/macros.h
/home/sagar/.local/include/google/protobuf/stubs/mutex.h
/home/sagar/.local/include/google/protobuf/stubs/once.h
/home/sagar/.local/include/google/protobuf/stubs/platform_macros.h
/home/sagar/.local/include/google/protobuf/stubs/port.h
/home/sagar/.local/include/google/protobuf/stubs/status.h
/home/sagar/.local/include/google/protobuf/stubs/stl_util.h
/home/sagar/.local/include/google/protobuf/stubs/stringpiece.h
/home/sagar/.local/include/google/protobuf/stubs/strutil.h
/home/sagar/.local/include/google/protobuf/type.pb.h
/home/sagar/.local/include/google/protobuf/unknown_field_set.h
/home/sagar/.local/include/google/protobuf/util/json_util.h
/home/sagar/.local/include/google/protobuf/util/type_resolver.h
/home/sagar/.local/include/google/protobuf/util/type_resolver_util.h
/home/sagar/.local/include/google/protobuf/wire_format_lite.h
/home/sagar/.local/include/grpc/byte_buffer.h
/home/sagar/.local/include/grpc/compression.h
/home/sagar/.local/include/grpc/grpc.h
/home/sagar/.local/include/grpc/grpc_security_constants.h
/home/sagar/.local/include/grpc/impl/codegen/atm.h
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_atomic.h
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_sync.h
/home/sagar/.local/include/grpc/impl/codegen/atm_windows.h
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer.h
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer_reader.h
/home/sagar/.local/include/grpc/impl/codegen/compression_types.h
/home/sagar/.local/include/grpc/impl/codegen/connectivity_state.h
/home/sagar/.local/include/grpc/impl/codegen/gpr_slice.h
/home/sagar/.local/include/grpc/impl/codegen/gpr_types.h
/home/sagar/.local/include/grpc/impl/codegen/grpc_types.h
/home/sagar/.local/include/grpc/impl/codegen/log.h
/home/sagar/.local/include/grpc/impl/codegen/port_platform.h
/home/sagar/.local/include/grpc/impl/codegen/propagation_bits.h
/home/sagar/.local/include/grpc/impl/codegen/slice.h
/home/sagar/.local/include/grpc/impl/codegen/status.h
/home/sagar/.local/include/grpc/impl/codegen/sync.h
/home/sagar/.local/include/grpc/impl/codegen/sync_abseil.h
/home/sagar/.local/include/grpc/impl/codegen/sync_custom.h
/home/sagar/.local/include/grpc/impl/codegen/sync_generic.h
/home/sagar/.local/include/grpc/impl/codegen/sync_posix.h
/home/sagar/.local/include/grpc/impl/codegen/sync_windows.h
/home/sagar/.local/include/grpc/slice.h
/home/sagar/.local/include/grpc/slice_buffer.h
/home/sagar/.local/include/grpc/status.h
/home/sagar/.local/include/grpc/support/atm.h
/home/sagar/.local/include/grpc/support/cpu.h
/home/sagar/.local/include/grpc/support/log.h
/home/sagar/.local/include/grpc/support/port_platform.h
/home/sagar/.local/include/grpc/support/sync.h
/home/sagar/.local/include/grpc/support/time.h
/home/sagar/.local/include/grpc/support/workaround_list.h
/home/sagar/.local/include/grpcpp/channel.h
/home/sagar/.local/include/grpcpp/client_context.h
/home/sagar/.local/include/grpcpp/completion_queue.h
/home/sagar/.local/include/grpcpp/create_channel.h
/home/sagar/.local/include/grpcpp/create_channel_posix.h
/home/sagar/.local/include/grpcpp/grpcpp.h
/home/sagar/.local/include/grpcpp/health_check_service_interface.h
/home/sagar/.local/include/grpcpp/impl/call.h
/home/sagar/.local/include/grpcpp/impl/channel_argument_option.h
/home/sagar/.local/include/grpcpp/impl/codegen/async_generic_service.h
/home/sagar/.local/include/grpcpp/impl/codegen/async_stream.h
/home/sagar/.local/include/grpcpp/impl/codegen/async_unary_call.h
/home/sagar/.local/include/grpcpp/impl/codegen/byte_buffer.h
/home/sagar/.local/include/grpcpp/impl/codegen/call.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_hook.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set.h
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/callback_common.h
/home/sagar/.local/include/grpcpp/impl/codegen/channel_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/client_callback.h
/home/sagar/.local/include/grpcpp/impl/codegen/client_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/client_interceptor.h
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue.h
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue_tag.h
/home/sagar/.local/include/grpcpp/impl/codegen/config.h
/home/sagar/.local/include/grpcpp/impl/codegen/config_protobuf.h
/home/sagar/.local/include/grpcpp/impl/codegen/core_codegen_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/create_auth_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/grpc_library.h
/home/sagar/.local/include/grpcpp/impl/codegen/intercepted_channel.h
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor.h
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor_common.h
/home/sagar/.local/include/grpcpp/impl/codegen/message_allocator.h
/home/sagar/.local/include/grpcpp/impl/codegen/metadata_map.h
/home/sagar/.local/include/grpcpp/impl/codegen/method_handler.h
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_reader.h
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_writer.h
/home/sagar/.local/include/grpcpp/impl/codegen/proto_utils.h
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_method.h
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_service_method.h
/home/sagar/.local/include/grpcpp/impl/codegen/security/auth_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/serialization_traits.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback_handlers.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_context.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_interceptor.h
/home/sagar/.local/include/grpcpp/impl/codegen/server_interface.h
/home/sagar/.local/include/grpcpp/impl/codegen/service_type.h
/home/sagar/.local/include/grpcpp/impl/codegen/slice.h
/home/sagar/.local/include/grpcpp/impl/codegen/status.h
/home/sagar/.local/include/grpcpp/impl/codegen/status_code_enum.h
/home/sagar/.local/include/grpcpp/impl/codegen/string_ref.h
/home/sagar/.local/include/grpcpp/impl/codegen/stub_options.h
/home/sagar/.local/include/grpcpp/impl/codegen/sync.h
/home/sagar/.local/include/grpcpp/impl/codegen/sync_stream.h
/home/sagar/.local/include/grpcpp/impl/codegen/time.h
/home/sagar/.local/include/grpcpp/impl/rpc_service_method.h
/home/sagar/.local/include/grpcpp/impl/server_builder_option.h
/home/sagar/.local/include/grpcpp/impl/server_builder_plugin.h
/home/sagar/.local/include/grpcpp/resource_quota.h
/home/sagar/.local/include/grpcpp/security/auth_context.h
/home/sagar/.local/include/grpcpp/security/auth_metadata_processor.h
/home/sagar/.local/include/grpcpp/security/authorization_policy_provider.h
/home/sagar/.local/include/grpcpp/security/credentials.h
/home/sagar/.local/include/grpcpp/security/server_credentials.h
/home/sagar/.local/include/grpcpp/security/tls_certificate_provider.h
/home/sagar/.local/include/grpcpp/security/tls_credentials_options.h
/home/sagar/.local/include/grpcpp/server.h
/home/sagar/.local/include/grpcpp/server_builder.h
/home/sagar/.local/include/grpcpp/server_context.h
/home/sagar/.local/include/grpcpp/server_posix.h
/home/sagar/.local/include/grpcpp/support/channel_arguments.h
/home/sagar/.local/include/grpcpp/support/config.h
/home/sagar/.local/include/grpcpp/support/status.h
/home/sagar/.local/include/grpcpp/support/string_ref.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServer.cc
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVStorage.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/LRUCache.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/Node.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/logs/colorlog.hpp
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.grpc.pb.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/proto/keyvalue.pb.h
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/service/KeyValueCallDatServiceImpl.hpp
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/server.dir/KVServer.cc.o: \
/home/sagar/.local/include/google/protobuf/any.h \
/home/sagar/.local/include/google/protobuf/any.pb.h \
/home/sagar/.local/include/google/protobuf/arena.h \
/home/sagar/.local/include/google/protobuf/arena_impl.h \
/home/sagar/.local/include/google/protobuf/arenastring.h \
/home/sagar/.local/include/google/protobuf/descriptor.h \
/home/sagar/.local/include/google/protobuf/descriptor.pb.h \
/home/sagar/.local/include/google/protobuf/descriptor_database.h \
/home/sagar/.local/include/google/protobuf/extension_set.h \
/home/sagar/.local/include/google/protobuf/generated_enum_reflection.h \
/home/sagar/.local/include/google/protobuf/generated_enum_util.h \
/home/sagar/.local/include/google/protobuf/generated_message_reflection.h \
/home/sagar/.local/include/google/protobuf/generated_message_table_driven.h \
/home/sagar/.local/include/google/protobuf/generated_message_util.h \
/home/sagar/.local/include/google/protobuf/has_bits.h \
/home/sagar/.local/include/google/protobuf/implicit_weak_message.h \
/home/sagar/.local/include/google/protobuf/io/coded_stream.h \
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream.h \
/home/sagar/.local/include/google/protobuf/io/zero_copy_stream_impl_lite.h \
/home/sagar/.local/include/google/protobuf/map.h \
/home/sagar/.local/include/google/protobuf/map_entry_lite.h \
/home/sagar/.local/include/google/protobuf/map_field_lite.h \
/home/sagar/.local/include/google/protobuf/map_type_handler.h \
/home/sagar/.local/include/google/protobuf/message.h \
/home/sagar/.local/include/google/protobuf/message_lite.h \
/home/sagar/.local/include/google/protobuf/metadata_lite.h \
/home/sagar/.local/include/google/protobuf/parse_context.h \
/home/sagar/.local/include/google/protobuf/port.h \
/home/sagar/.local/include/google/protobuf/port_def.inc \
/home/sagar/.local/include/google/protobuf/port_undef.inc \
/home/sagar/.local/include/google/protobuf/repeated_field.h \
/home/sagar/.local/include/google/protobuf/source_context.pb.h \
/home/sagar/.local/include/google/protobuf/stubs/bytestream.h \
/home/sagar/.local/include/google/protobuf/stubs/callback.h \
/home/sagar/.local/include/google/protobuf/stubs/casts.h \
/home/sagar/.local/include/google/protobuf/stubs/common.h \
/home/sagar/.local/include/google/protobuf/stubs/hash.h \
/home/sagar/.local/include/google/protobuf/stubs/logging.h \
/home/sagar/.local/include/google/protobuf/stubs/macros.h \
/home/sagar/.local/include/google/protobuf/stubs/mutex.h \
/home/sagar/.local/include/google/protobuf/stubs/once.h \
/home/sagar/.local/include/google/protobuf/stubs/platform_macros.h \
/home/sagar/.local/include/google/protobuf/stubs/port.h \
/home/sagar/.local/include/google/protobuf/stubs/status.h \
/home/sagar/.local/include/google/protobuf/stubs/stl_util.h \
/home/sagar/.local/include/google/protobuf/stubs/stringpiece.h \
/home/sagar/.local/include/google/protobuf/stubs/strutil.h \
/home/sagar/.local/include/google/protobuf/type.pb.h \
/home/sagar/.local/include/google/protobuf/unknown_field_set.h \
/home/sagar/.local/include/google/protobuf/util/json_util.h \
/home/sagar/.local/include/google/protobuf/util/type_resolver.h \
/home/sagar/.local/include/google/protobuf/util/type_resolver_util.h \
/home/sagar/.local/include/google/protobuf/wire_format_lite.h \
/home/sagar/.local/include/grpc/byte_buffer.h \
/home/sagar/.local/include/grpc/compression.h \
/home/sagar/.local/include/grpc/grpc.h \
/home/sagar/.local/include/grpc/grpc_security_constants.h \
/home/sagar/.local/include/grpc/impl/codegen/atm.h \
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_atomic.h \
/home/sagar/.local/include/grpc/impl/codegen/atm_gcc_sync.h \
/home/sagar/.local/include/grpc/impl/codegen/atm_windows.h \
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer.h \
/home/sagar/.local/include/grpc/impl/codegen/byte_buffer_reader.h \
/home/sagar/.local/include/grpc/impl/codegen/compression_types.h \
/home/sagar/.local/include/grpc/impl/codegen/connectivity_state.h \
/home/sagar/.local/include/grpc/impl/codegen/gpr_slice.h \
/home/sagar/.local/include/grpc/impl/codegen/gpr_types.h \
/home/sagar/.local/include/grpc/impl/codegen/grpc_types.h \
/home/sagar/.local/include/grpc/impl/codegen/log.h \
/home/sagar/.local/include/grpc/impl/codegen/port_platform.h \
/home/sagar/.local/include/grpc/impl/codegen/propagation_bits.h \
/home/sagar/.local/include/grpc/impl/codegen/slice.h \
/home/sagar/.local/include/grpc/impl/codegen/status.h \
/home/sagar/.local/include/grpc/impl/codegen/sync.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_abseil.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_custom.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_generic.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_posix.h \
/home/sagar/.local/include/grpc/impl/codegen/sync_windows.h \
/home/sagar/.local/include/grpc/slice.h \
/home/sagar/.local/include/grpc/slice_buffer.h \
/home/sagar/.local/include/grpc/status.h \
/home/sagar/.local/include/grpc/support/atm.h \
/home/sagar/.local/include/grpc/support/cpu.h \
/home/sagar/.local/include/grpc/support/log.h \
/home/sagar/.local/include/grpc/support/port_platform.h \
/home/sagar/.local/include/grpc/support/sync.h \
/home/sagar/.local/include/grpc/support/time.h \
/home/sagar/.local/include/grpc/support/workaround_list.h \
/home/sagar/.local/include/grpcpp/channel.h \
/home/sagar/.local/include/grpcpp/client_context.h \
/home/sagar/.local/include/grpcpp/completion_queue.h \
/home/sagar/.local/include/grpcpp/create_channel.h \
/home/sagar/.local/include/grpcpp/create_channel_posix.h \
/home/sagar/.local/include/grpcpp/grpcpp.h \
/home/sagar/.local/include/grpcpp/health_check_service_interface.h \
/home/sagar/.local/include/grpcpp/impl/call.h \
/home/sagar/.local/include/grpcpp/impl/channel_argument_option.h \
/home/sagar/.local/include/grpcpp/impl/codegen/async_generic_service.h \
/home/sagar/.local/include/grpcpp/impl/codegen/async_stream.h \
/home/sagar/.local/include/grpcpp/impl/codegen/async_unary_call.h \
/home/sagar/.local/include/grpcpp/impl/codegen/byte_buffer.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call_hook.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set.h \
/home/sagar/.local/include/grpcpp/impl/codegen/call_op_set_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/callback_common.h \
/home/sagar/.local/include/grpcpp/impl/codegen/channel_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/client_callback.h \
/home/sagar/.local/include/grpcpp/impl/codegen/client_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/client_interceptor.h \
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue.h \
/home/sagar/.local/include/grpcpp/impl/codegen/completion_queue_tag.h \
/home/sagar/.local/include/grpcpp/impl/codegen/config.h \
/home/sagar/.local/include/grpcpp/impl/codegen/config_protobuf.h \
/home/sagar/.local/include/grpcpp/impl/codegen/core_codegen_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/create_auth_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/grpc_library.h \
/home/sagar/.local/include/grpcpp/impl/codegen/intercepted_channel.h \
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor.h \
/home/sagar/.local/include/grpcpp/impl/codegen/interceptor_common.h \
/home/sagar/.local/include/grpcpp/impl/codegen/message_allocator.h \
/home/sagar/.local/include/grpcpp/impl/codegen/metadata_map.h \
/home/sagar/.local/include/grpcpp/impl/codegen/method_handler.h \
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_reader.h \
/home/sagar/.local/include/grpcpp/impl/codegen/proto_buffer_writer.h \
/home/sagar/.local/include/grpcpp/impl/codegen/proto_utils.h \
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_method.h \
/home/sagar/.local/include/grpcpp/impl/codegen/rpc_service_method.h \
/home/sagar/.local/include/grpcpp/impl/codegen/security/auth_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/serialization_traits.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_callback_handlers.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_context.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_interceptor.h \
/home/sagar/.local/include/grpcpp/impl/codegen/server_interface.h \
/home/sagar/.local/include/grpcpp/impl/codegen/service_type.h \
/home/sagar/.local/include/grpcpp/impl/codegen/slice.h \
/home/sagar/.local/include/grpcpp/impl/codegen/status.h \
/home/sagar/.local/include/grpcpp/impl/codegen/status_code_enum.h \
/home/sagar/.local/include/grpcpp/impl/codegen/string_ref.h \
/home/sagar/.local/include/grpcpp/impl/codegen/stub_options.h \
/home/sagar/.local/include/grpcpp/impl/codegen/sync.h \
/home/sagar/.local/include/grpcpp/impl/codegen/sync_stream.h \
/home/sagar/.local/include/grpcpp/impl/codegen/time.h \
/home/sagar/.local/include/grpcpp/impl/rpc_service_method.h \
/home/sagar/.local/include/grpcpp/impl/server_builder_option.h \
/home/sagar/.local/include/grpcpp/impl/server_builder_plugin.h \
/home/sagar/.local/include/grpcpp/resource_quota.h \
/home/sagar/.local/include/grpcpp/security/auth_context.h \
/home/sagar/.local/include/grpcpp/security/auth_metadata_processor.h \
/home/sagar/.local/include/grpcpp/security/authorization_policy_provider.h \
/home/sagar/.local/include/grpcpp/security/credentials.h \
/home/sagar/.local/include/grpcpp/security/server_credentials.h \
/home/sagar/.local/include/grpcpp/security/tls_certificate_provider.h \
/home/sagar/.local/include/grpcpp/security/tls_credentials_options.h \
/home/sagar/.local/include/grpcpp/server.h \
/home/sagar/.local/include/grpcpp/server_builder.h \
/home/sagar/.local/include/grpcpp/server_context.h \
/home/sagar/.local/include/grpcpp/server_posix.h \
/home/sagar/.local/include/grpcpp/support/channel_arguments.h \
/home/sagar/.local/include/grpcpp/support/config.h \
/home/sagar/.local/include/grpcpp/support/status.h \
/home/sagar/.local/include/grpcpp/support/string_ref.h \
../KVServer.cc \
../KVStorage.hpp \
../kvcache/LRUCache.hpp \
../kvcache/Node.hpp \
../logs/colorlog.hpp \
../proto/keyvalue.grpc.pb.h \
../proto/keyvalue.pb.h \
../service/KeyValueCallDatServiceImpl.hpp
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# compile CXX with /usr/bin/c++
CXX_DEFINES = -DCARES_STATICLIB
CXX_INCLUDES = -I/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug -I/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage -isystem /home/sagar/.local/include
CXX_FLAGS = -g -std=gnu++11
/usr/bin/c++ -g CMakeFiles/server.dir/KVServer.cc.o -o server libkvs_grpc_proto.a /home/sagar/.local/lib/libgrpc++_reflection.a /home/sagar/.local/lib/libgrpc++.a /home/sagar/.local/lib/libprotobuf.a /home/sagar/.local/lib/libgrpc.a /home/sagar/.local/lib/libz.a /home/sagar/.local/lib/libcares.a -lnsl /home/sagar/.local/lib/libaddress_sorting.a /home/sagar/.local/lib/libre2.a /home/sagar/.local/lib/libabsl_hash.a /home/sagar/.local/lib/libabsl_city.a /home/sagar/.local/lib/libabsl_wyhash.a /home/sagar/.local/lib/libabsl_raw_hash_set.a /home/sagar/.local/lib/libabsl_hashtablez_sampler.a /home/sagar/.local/lib/libabsl_exponential_biased.a /home/sagar/.local/lib/libabsl_statusor.a /home/sagar/.local/lib/libabsl_bad_variant_access.a /home/sagar/.local/lib/libgpr.a /home/sagar/.local/lib/libupb.a -ldl -lrt -lm /home/sagar/.local/lib/libabsl_status.a /home/sagar/.local/lib/libabsl_cord.a /home/sagar/.local/lib/libabsl_str_format_internal.a /home/sagar/.local/lib/libabsl_synchronization.a /home/sagar/.local/lib/libabsl_stacktrace.a /home/sagar/.local/lib/libabsl_symbolize.a /home/sagar/.local/lib/libabsl_debugging_internal.a /home/sagar/.local/lib/libabsl_demangle_internal.a /home/sagar/.local/lib/libabsl_graphcycles_internal.a /home/sagar/.local/lib/libabsl_malloc_internal.a /home/sagar/.local/lib/libabsl_time.a /home/sagar/.local/lib/libabsl_strings.a /home/sagar/.local/lib/libabsl_throw_delegate.a /home/sagar/.local/lib/libabsl_strings_internal.a /home/sagar/.local/lib/libabsl_base.a /home/sagar/.local/lib/libabsl_spinlock_wait.a -lrt /home/sagar/.local/lib/libabsl_int128.a /home/sagar/.local/lib/libabsl_civil_time.a /home/sagar/.local/lib/libabsl_time_zone.a /home/sagar/.local/lib/libabsl_bad_optional_access.a /home/sagar/.local/lib/libabsl_raw_logging_internal.a /home/sagar/.local/lib/libabsl_log_severity.a /home/sagar/.local/lib/libssl.a /home/sagar/.local/lib/libcrypto.a -lpthread -lpthread
CMAKE_PROGRESS_1 = 9
CMAKE_PROGRESS_2 = 10
#IncludeRegexLine: ^[ ]*[#%][ ]*(include|import)[ ]*[<"]([^">]+)([">])
#IncludeRegexScan: ^.*$
#IncludeRegexComplain: ^$
#IncludeRegexTransform:
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage/KVStorage.cpp
iostream
-
fstream
-
bits/stdc++.h
-
sys/types.h
-
map
-
# Consider dependencies only in project.
set(CMAKE_DEPENDS_IN_PROJECT_ONLY OFF)
# The set of languages for which implicit dependencies are needed:
set(CMAKE_DEPENDS_LANGUAGES
)
# The set of dependency files which are needed:
set(CMAKE_DEPENDS_DEPENDENCY_FILES
)
# Targets to which this target links.
set(CMAKE_TARGET_LINKED_INFO_FILES
)
# Fortran module output directory.
set(CMAKE_Fortran_TARGET_MODULE_DIR "")
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Delete rule output on recipe failure.
.DELETE_ON_ERROR:
#=============================================================================
# Special targets provided by cmake.
# Disable implicit rules so canonical targets will work.
.SUFFIXES:
# Disable VCS-based implicit rules.
% : %,v
# Disable VCS-based implicit rules.
% : RCS/%
# Disable VCS-based implicit rules.
% : RCS/%,v
# Disable VCS-based implicit rules.
% : SCCS/s.%
# Disable VCS-based implicit rules.
% : s.%
.SUFFIXES: .hpux_make_needs_suffix_list
# Command-line flag to silence nested $(MAKE).
$(VERBOSE)MAKESILENT = -s
#Suppress display of executed commands.
$(VERBOSE).SILENT:
# A target that is always out of date.
cmake_force:
.PHONY : cmake_force
#=============================================================================
# Set environment variables for the build.
# The shell in which to execute make rules.
SHELL = /bin/sh
# The CMake executable.
CMAKE_COMMAND = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# The command to remove a file.
RM = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E rm -f
# Escaping for special characters.
EQUALS = =
# The top-level source directory on which CMake was run.
CMAKE_SOURCE_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# The top-level build directory on which CMake was run.
CMAKE_BINARY_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
# Include any dependencies generated for this target.
include CMakeFiles/storage.dir/depend.make
# Include the progress variables for this target.
include CMakeFiles/storage.dir/progress.make
# Include the compile flags for this target's objects.
include CMakeFiles/storage.dir/flags.make
CMakeFiles/storage.dir/clean:
$(CMAKE_COMMAND) -P CMakeFiles/storage.dir/cmake_clean.cmake
.PHONY : CMakeFiles/storage.dir/clean
CMakeFiles/storage.dir/depend:
cd /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug && $(CMAKE_COMMAND) -E cmake_depends "Unix Makefiles" /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/storage.dir/DependInfo.cmake --color=$(COLOR)
.PHONY : CMakeFiles/storage.dir/depend
# Per-language clean rules from dependency scanning.
foreach(lang )
include(CMakeFiles/storage.dir/cmake_clean_${lang}.cmake OPTIONAL)
endforeach()
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/storage.dir/storage/KVStorage.cpp.o
/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage/KVStorage.cpp
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
CMakeFiles/storage.dir/storage/KVStorage.cpp.o: \
../storage/KVStorage.cpp
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
/usr/bin/c++ -g CMakeFiles/storage.dir/storage/KVStorage.cpp.o -o storage
# Consider dependencies only in project.
set(CMAKE_DEPENDS_IN_PROJECT_ONLY OFF)
# The set of languages for which implicit dependencies are needed:
set(CMAKE_DEPENDS_LANGUAGES
"CXX"
)
# The set of files for implicit dependencies of each language:
set(CMAKE_DEPENDS_CHECK_CXX
"/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/LRUCache.cpp" "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/test.dir/kvcache/LRUCache.cpp.o"
)
set(CMAKE_CXX_COMPILER_ID "GNU")
# The include file search paths:
set(CMAKE_CXX_TARGET_INCLUDE_PATH
"."
)
# The set of dependency files which are needed:
set(CMAKE_DEPENDS_DEPENDENCY_FILES
)
# Targets to which this target links.
set(CMAKE_TARGET_LINKED_INFO_FILES
)
# Fortran module output directory.
set(CMAKE_Fortran_TARGET_MODULE_DIR "")
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Delete rule output on recipe failure.
.DELETE_ON_ERROR:
#=============================================================================
# Special targets provided by cmake.
# Disable implicit rules so canonical targets will work.
.SUFFIXES:
# Disable VCS-based implicit rules.
% : %,v
# Disable VCS-based implicit rules.
% : RCS/%
# Disable VCS-based implicit rules.
% : RCS/%,v
# Disable VCS-based implicit rules.
% : SCCS/s.%
# Disable VCS-based implicit rules.
% : s.%
.SUFFIXES: .hpux_make_needs_suffix_list
# Command-line flag to silence nested $(MAKE).
$(VERBOSE)MAKESILENT = -s
#Suppress display of executed commands.
$(VERBOSE).SILENT:
# A target that is always out of date.
cmake_force:
.PHONY : cmake_force
#=============================================================================
# Set environment variables for the build.
# The shell in which to execute make rules.
SHELL = /bin/sh
# The CMake executable.
CMAKE_COMMAND = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# The command to remove a file.
RM = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E rm -f
# Escaping for special characters.
EQUALS = =
# The top-level source directory on which CMake was run.
CMAKE_SOURCE_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# The top-level build directory on which CMake was run.
CMAKE_BINARY_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
# Include any dependencies generated for this target.
include CMakeFiles/test.dir/depend.make
# Include the progress variables for this target.
include CMakeFiles/test.dir/progress.make
# Include the compile flags for this target's objects.
include CMakeFiles/test.dir/flags.make
CMakeFiles/test.dir/kvcache/LRUCache.cpp.o: CMakeFiles/test.dir/flags.make
CMakeFiles/test.dir/kvcache/LRUCache.cpp.o: ../kvcache/LRUCache.cpp
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_1) "Building CXX object CMakeFiles/test.dir/kvcache/LRUCache.cpp.o"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -o CMakeFiles/test.dir/kvcache/LRUCache.cpp.o -c /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/LRUCache.cpp
CMakeFiles/test.dir/kvcache/LRUCache.cpp.i: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Preprocessing CXX source to CMakeFiles/test.dir/kvcache/LRUCache.cpp.i"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -E /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/LRUCache.cpp > CMakeFiles/test.dir/kvcache/LRUCache.cpp.i
CMakeFiles/test.dir/kvcache/LRUCache.cpp.s: cmake_force
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green "Compiling CXX source to assembly CMakeFiles/test.dir/kvcache/LRUCache.cpp.s"
/usr/bin/c++ $(CXX_DEFINES) $(CXX_INCLUDES) $(CXX_FLAGS) -S /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/kvcache/LRUCache.cpp -o CMakeFiles/test.dir/kvcache/LRUCache.cpp.s
# Object files for target test
test_OBJECTS = \
"CMakeFiles/test.dir/kvcache/LRUCache.cpp.o"
# External object files for target test
test_EXTERNAL_OBJECTS =
test: CMakeFiles/test.dir/kvcache/LRUCache.cpp.o
test: CMakeFiles/test.dir/build.make
test: CMakeFiles/test.dir/link.txt
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --green --bold --progress-dir=/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles --progress-num=$(CMAKE_PROGRESS_2) "Linking CXX executable test"
$(CMAKE_COMMAND) -E cmake_link_script CMakeFiles/test.dir/link.txt --verbose=$(VERBOSE)
# Rule to build all files generated by this target.
CMakeFiles/test.dir/build: test
.PHONY : CMakeFiles/test.dir/build
CMakeFiles/test.dir/clean:
$(CMAKE_COMMAND) -P CMakeFiles/test.dir/cmake_clean.cmake
.PHONY : CMakeFiles/test.dir/clean
CMakeFiles/test.dir/depend:
cd /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug && $(CMAKE_COMMAND) -E cmake_depends "Unix Makefiles" /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles/test.dir/DependInfo.cmake --color=$(COLOR)
.PHONY : CMakeFiles/test.dir/depend
file(REMOVE_RECURSE
"CMakeFiles/test.dir/kvcache/LRUCache.cpp.o"
"test"
"test.pdb"
)
# Per-language clean rules from dependency scanning.
foreach(lang CXX)
include(CMakeFiles/test.dir/cmake_clean_${lang}.cmake OPTIONAL)
endforeach()
# Empty dependencies file for test.
# This may be replaced when dependencies are built.
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# compile CXX with /usr/bin/c++
CXX_DEFINES =
CXX_INCLUDES = -I/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
CXX_FLAGS = -g -std=gnu++11
/usr/bin/c++ -g CMakeFiles/test.dir/kvcache/LRUCache.cpp.o -o test
CMAKE_PROGRESS_1 = 9
CMAKE_PROGRESS_2 = 10
<?xml version="1.0" encoding="UTF-8"?>
<CodeBlocks_project_file>
<FileVersion major="1" minor="6"/>
<Project>
<Option title="KeyValueStore"/>
<Option makefile_is_custom="1"/>
<Option compiler="gcc"/>
<Option virtualFolders="CMake Files\;CMake Files\..\;CMake Files\..\cmake\;CMake Files\..\..\;CMake Files\..\..\..\;CMake Files\..\..\..\..\;CMake Files\..\..\..\..\..\;CMake Files\..\..\..\..\..\.local\;CMake Files\..\..\..\..\..\.local\lib\;CMake Files\..\..\..\..\..\.local\lib\cmake\;CMake Files\..\..\..\..\..\.local\lib\cmake\protobuf\;CMake Files\..\..\..\..\..\.local\lib\cmake\grpc\;"/>
<Build>
<Target title="all">
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option type="4"/>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 all"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
<Target title="rebuild_cache">
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option type="4"/>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 rebuild_cache"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
<Target title="edit_cache">
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option type="4"/>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 edit_cache"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
<Target title="kvs_grpc_proto">
<Option output="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/libkvs_grpc_proto.a" prefix_auto="0" extension_auto="0"/>
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option object_output="./"/>
<Option type="2"/>
<Option compiler="gcc"/>
<Compiler>
<Add option="-DCARES_STATICLIB"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage"/>
<Add directory="/home/sagar/.local/include"/>
<Add directory="/usr/include/c++/9"/>
<Add directory="/usr/include/x86_64-linux-gnu/c++/9"/>
<Add directory="/usr/include/c++/9/backward"/>
<Add directory="/usr/lib/gcc/x86_64-linux-gnu/9/include"/>
<Add directory="/usr/local/include"/>
<Add directory="/usr/include/x86_64-linux-gnu"/>
<Add directory="/usr/include"/>
</Compiler>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 kvs_grpc_proto"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
<Target title="kvs_grpc_proto/fast">
<Option output="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/libkvs_grpc_proto.a" prefix_auto="0" extension_auto="0"/>
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option object_output="./"/>
<Option type="2"/>
<Option compiler="gcc"/>
<Compiler>
<Add option="-DCARES_STATICLIB"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage"/>
<Add directory="/home/sagar/.local/include"/>
<Add directory="/usr/include/c++/9"/>
<Add directory="/usr/include/x86_64-linux-gnu/c++/9"/>
<Add directory="/usr/include/c++/9/backward"/>
<Add directory="/usr/lib/gcc/x86_64-linux-gnu/9/include"/>
<Add directory="/usr/local/include"/>
<Add directory="/usr/include/x86_64-linux-gnu"/>
<Add directory="/usr/include"/>
</Compiler>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 kvs_grpc_proto/fast"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
<Target title="client">
<Option output="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/client" prefix_auto="0" extension_auto="0"/>
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option object_output="./"/>
<Option type="1"/>
<Option compiler="gcc"/>
<Compiler>
<Add option="-DCARES_STATICLIB"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage"/>
<Add directory="/home/sagar/.local/include"/>
<Add directory="/usr/include/c++/9"/>
<Add directory="/usr/include/x86_64-linux-gnu/c++/9"/>
<Add directory="/usr/include/c++/9/backward"/>
<Add directory="/usr/lib/gcc/x86_64-linux-gnu/9/include"/>
<Add directory="/usr/local/include"/>
<Add directory="/usr/include/x86_64-linux-gnu"/>
<Add directory="/usr/include"/>
</Compiler>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 client"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
<Target title="client/fast">
<Option output="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/client" prefix_auto="0" extension_auto="0"/>
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option object_output="./"/>
<Option type="1"/>
<Option compiler="gcc"/>
<Compiler>
<Add option="-DCARES_STATICLIB"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage"/>
<Add directory="/home/sagar/.local/include"/>
<Add directory="/usr/include/c++/9"/>
<Add directory="/usr/include/x86_64-linux-gnu/c++/9"/>
<Add directory="/usr/include/c++/9/backward"/>
<Add directory="/usr/lib/gcc/x86_64-linux-gnu/9/include"/>
<Add directory="/usr/local/include"/>
<Add directory="/usr/include/x86_64-linux-gnu"/>
<Add directory="/usr/include"/>
</Compiler>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 client/fast"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
<Target title="server">
<Option output="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/server" prefix_auto="0" extension_auto="0"/>
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option object_output="./"/>
<Option type="1"/>
<Option compiler="gcc"/>
<Compiler>
<Add option="-DCARES_STATICLIB"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage"/>
<Add directory="/home/sagar/.local/include"/>
<Add directory="/usr/include/c++/9"/>
<Add directory="/usr/include/x86_64-linux-gnu/c++/9"/>
<Add directory="/usr/include/c++/9/backward"/>
<Add directory="/usr/lib/gcc/x86_64-linux-gnu/9/include"/>
<Add directory="/usr/local/include"/>
<Add directory="/usr/include/x86_64-linux-gnu"/>
<Add directory="/usr/include"/>
</Compiler>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 server"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
<Target title="server/fast">
<Option output="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/server" prefix_auto="0" extension_auto="0"/>
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option object_output="./"/>
<Option type="1"/>
<Option compiler="gcc"/>
<Compiler>
<Add option="-DCARES_STATICLIB"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage"/>
<Add directory="/home/sagar/.local/include"/>
<Add directory="/usr/include/c++/9"/>
<Add directory="/usr/include/x86_64-linux-gnu/c++/9"/>
<Add directory="/usr/include/c++/9/backward"/>
<Add directory="/usr/lib/gcc/x86_64-linux-gnu/9/include"/>
<Add directory="/usr/local/include"/>
<Add directory="/usr/include/x86_64-linux-gnu"/>
<Add directory="/usr/include"/>
</Compiler>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 server/fast"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
<Target title="cpp">
<Option output="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/cpp" prefix_auto="0" extension_auto="0"/>
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option object_output="./"/>
<Option type="1"/>
<Option compiler="gcc"/>
<Compiler>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage"/>
<Add directory="/usr/include/c++/9"/>
<Add directory="/usr/include/x86_64-linux-gnu/c++/9"/>
<Add directory="/usr/include/c++/9/backward"/>
<Add directory="/usr/lib/gcc/x86_64-linux-gnu/9/include"/>
<Add directory="/usr/local/include"/>
<Add directory="/usr/include/x86_64-linux-gnu"/>
<Add directory="/usr/include"/>
</Compiler>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 cpp"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
<Target title="cpp/fast">
<Option output="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/cpp" prefix_auto="0" extension_auto="0"/>
<Option working_dir="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Option object_output="./"/>
<Option type="1"/>
<Option compiler="gcc"/>
<Compiler>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug"/>
<Add directory="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/storage"/>
<Add directory="/usr/include/c++/9"/>
<Add directory="/usr/include/x86_64-linux-gnu/c++/9"/>
<Add directory="/usr/include/c++/9/backward"/>
<Add directory="/usr/lib/gcc/x86_64-linux-gnu/9/include"/>
<Add directory="/usr/local/include"/>
<Add directory="/usr/include/x86_64-linux-gnu"/>
<Add directory="/usr/include"/>
</Compiler>
<MakeCommands>
<Build command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 cpp/fast"/>
<CompileFile command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 &quot;$file&quot;"/>
<Clean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
<DistClean command="/usr/bin/make -j12 -f &quot;/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/Makefile&quot; VERBOSE=1 clean"/>
</MakeCommands>
</Target>
</Build>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVClient.cc">
<Option target="client"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/KVServer.cc">
<Option target="server"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.grpc.pb.cc">
<Option target="kvs_grpc_proto"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.grpc.pb.h">
<Option target="kvs_grpc_proto"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.cc">
<Option target="kvs_grpc_proto"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.cc.rule">
<Option target="kvs_grpc_proto"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/keyvalue.pb.h">
<Option target="kvs_grpc_proto"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/test.cpp">
<Option target="cpp"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/CMakeLists.txt">
<Option virtualFolder="CMake Files\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../cmake/common.cmake">
<Option virtualFolder="CMake Files\..\cmake\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../../../../../.local/lib/cmake/protobuf/protobuf-config-version.cmake">
<Option virtualFolder="CMake Files\..\..\..\..\..\.local\lib\cmake\protobuf\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../../../../../.local/lib/cmake/protobuf/protobuf-config.cmake">
<Option virtualFolder="CMake Files\..\..\..\..\..\.local\lib\cmake\protobuf\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../../../../../.local/lib/cmake/protobuf/protobuf-module.cmake">
<Option virtualFolder="CMake Files\..\..\..\..\..\.local\lib\cmake\protobuf\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../../../../../.local/lib/cmake/protobuf/protobuf-options.cmake">
<Option virtualFolder="CMake Files\..\..\..\..\..\.local\lib\cmake\protobuf\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../../../../../.local/lib/cmake/protobuf/protobuf-targets-noconfig.cmake">
<Option virtualFolder="CMake Files\..\..\..\..\..\.local\lib\cmake\protobuf\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../../../../../.local/lib/cmake/protobuf/protobuf-targets.cmake">
<Option virtualFolder="CMake Files\..\..\..\..\..\.local\lib\cmake\protobuf\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../../../../../.local/lib/cmake/grpc/gRPCConfig.cmake">
<Option virtualFolder="CMake Files\..\..\..\..\..\.local\lib\cmake\grpc\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../../../../../.local/lib/cmake/grpc/gRPCConfigVersion.cmake">
<Option virtualFolder="CMake Files\..\..\..\..\..\.local\lib\cmake\grpc\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../../../../../.local/lib/cmake/grpc/gRPCTargets-noconfig.cmake">
<Option virtualFolder="CMake Files\..\..\..\..\..\.local\lib\cmake\grpc\"/>
</Unit>
<Unit filename="/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/../../../../../.local/lib/cmake/grpc/gRPCTargets.cmake">
<Option virtualFolder="CMake Files\..\..\..\..\..\.local\lib\cmake\grpc\"/>
</Unit>
</Project>
</CodeBlocks_project_file>
# CMAKE generated file: DO NOT EDIT!
# Generated by "Unix Makefiles" Generator, CMake Version 3.20
# Default target executed when no arguments are given to make.
default_target: all
.PHONY : default_target
# Allow only one "make -f Makefile2" at a time, but pass parallelism.
.NOTPARALLEL:
#=============================================================================
# Special targets provided by cmake.
# Disable implicit rules so canonical targets will work.
.SUFFIXES:
# Disable VCS-based implicit rules.
% : %,v
# Disable VCS-based implicit rules.
% : RCS/%
# Disable VCS-based implicit rules.
% : RCS/%,v
# Disable VCS-based implicit rules.
% : SCCS/s.%
# Disable VCS-based implicit rules.
% : s.%
.SUFFIXES: .hpux_make_needs_suffix_list
# Command-line flag to silence nested $(MAKE).
$(VERBOSE)MAKESILENT = -s
#Suppress display of executed commands.
$(VERBOSE).SILENT:
# A target that is always out of date.
cmake_force:
.PHONY : cmake_force
#=============================================================================
# Set environment variables for the build.
# The shell in which to execute make rules.
SHELL = /bin/sh
# The CMake executable.
CMAKE_COMMAND = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake
# The command to remove a file.
RM = /home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E rm -f
# Escaping for special characters.
EQUALS = =
# The top-level source directory on which CMake was run.
CMAKE_SOURCE_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# The top-level build directory on which CMake was run.
CMAKE_BINARY_DIR = /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug
#=============================================================================
# Targets provided globally by CMake.
# Special rule for the target rebuild_cache
rebuild_cache:
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --cyan "Running CMake to regenerate build system..."
/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake --regenerate-during-build -S$(CMAKE_SOURCE_DIR) -B$(CMAKE_BINARY_DIR)
.PHONY : rebuild_cache
# Special rule for the target rebuild_cache
rebuild_cache/fast: rebuild_cache
.PHONY : rebuild_cache/fast
# Special rule for the target edit_cache
edit_cache:
@$(CMAKE_COMMAND) -E cmake_echo_color --switch=$(COLOR) --cyan "No interactive CMake dialog available..."
/home/sagar/.local/share/JetBrains/Toolbox/apps/CLion/ch-0/212.5284.51/bin/cmake/linux/bin/cmake -E echo No\ interactive\ CMake\ dialog\ available.
.PHONY : edit_cache
# Special rule for the target edit_cache
edit_cache/fast: edit_cache
.PHONY : edit_cache/fast
# The main all target
all: cmake_check_build_system
$(CMAKE_COMMAND) -E cmake_progress_start /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug//CMakeFiles/progress.marks
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 all
$(CMAKE_COMMAND) -E cmake_progress_start /home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/CMakeFiles 0
.PHONY : all
# The main clean target
clean:
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 clean
.PHONY : clean
# The main clean target
clean/fast: clean
.PHONY : clean/fast
# Prepare targets for installation.
preinstall: all
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 preinstall
.PHONY : preinstall
# Prepare targets for installation.
preinstall/fast:
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 preinstall
.PHONY : preinstall/fast
# clear depends
depend:
$(CMAKE_COMMAND) -S$(CMAKE_SOURCE_DIR) -B$(CMAKE_BINARY_DIR) --check-build-system CMakeFiles/Makefile.cmake 1
.PHONY : depend
#=============================================================================
# Target rules for targets named kvs_grpc_proto
# Build rule for target.
kvs_grpc_proto: cmake_check_build_system
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 kvs_grpc_proto
.PHONY : kvs_grpc_proto
# fast build rule for target.
kvs_grpc_proto/fast:
$(MAKE) $(MAKESILENT) -f CMakeFiles/kvs_grpc_proto.dir/build.make CMakeFiles/kvs_grpc_proto.dir/build
.PHONY : kvs_grpc_proto/fast
#=============================================================================
# Target rules for targets named client
# Build rule for target.
client: cmake_check_build_system
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 client
.PHONY : client
# fast build rule for target.
client/fast:
$(MAKE) $(MAKESILENT) -f CMakeFiles/client.dir/build.make CMakeFiles/client.dir/build
.PHONY : client/fast
#=============================================================================
# Target rules for targets named server
# Build rule for target.
server: cmake_check_build_system
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 server
.PHONY : server
# fast build rule for target.
server/fast:
$(MAKE) $(MAKESILENT) -f CMakeFiles/server.dir/build.make CMakeFiles/server.dir/build
.PHONY : server/fast
#=============================================================================
# Target rules for targets named cpp
# Build rule for target.
cpp: cmake_check_build_system
$(MAKE) $(MAKESILENT) -f CMakeFiles/Makefile2 cpp
.PHONY : cpp
# fast build rule for target.
cpp/fast:
$(MAKE) $(MAKESILENT) -f CMakeFiles/cpp.dir/build.make CMakeFiles/cpp.dir/build
.PHONY : cpp/fast
KVClient.o: KVClient.cc.o
.PHONY : KVClient.o
# target to build an object file
KVClient.cc.o:
$(MAKE) $(MAKESILENT) -f CMakeFiles/client.dir/build.make CMakeFiles/client.dir/KVClient.cc.o
.PHONY : KVClient.cc.o
KVClient.i: KVClient.cc.i
.PHONY : KVClient.i
# target to preprocess a source file
KVClient.cc.i:
$(MAKE) $(MAKESILENT) -f CMakeFiles/client.dir/build.make CMakeFiles/client.dir/KVClient.cc.i
.PHONY : KVClient.cc.i
KVClient.s: KVClient.cc.s
.PHONY : KVClient.s
# target to generate assembly for a file
KVClient.cc.s:
$(MAKE) $(MAKESILENT) -f CMakeFiles/client.dir/build.make CMakeFiles/client.dir/KVClient.cc.s
.PHONY : KVClient.cc.s
KVServer.o: KVServer.cc.o
.PHONY : KVServer.o
# target to build an object file
KVServer.cc.o:
$(MAKE) $(MAKESILENT) -f CMakeFiles/server.dir/build.make CMakeFiles/server.dir/KVServer.cc.o
.PHONY : KVServer.cc.o
KVServer.i: KVServer.cc.i
.PHONY : KVServer.i
# target to preprocess a source file
KVServer.cc.i:
$(MAKE) $(MAKESILENT) -f CMakeFiles/server.dir/build.make CMakeFiles/server.dir/KVServer.cc.i
.PHONY : KVServer.cc.i
KVServer.s: KVServer.cc.s
.PHONY : KVServer.s
# target to generate assembly for a file
KVServer.cc.s:
$(MAKE) $(MAKESILENT) -f CMakeFiles/server.dir/build.make CMakeFiles/server.dir/KVServer.cc.s
.PHONY : KVServer.cc.s
keyvalue.grpc.pb.o: keyvalue.grpc.pb.cc.o
.PHONY : keyvalue.grpc.pb.o
# target to build an object file
keyvalue.grpc.pb.cc.o:
$(MAKE) $(MAKESILENT) -f CMakeFiles/kvs_grpc_proto.dir/build.make CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.o
.PHONY : keyvalue.grpc.pb.cc.o
keyvalue.grpc.pb.i: keyvalue.grpc.pb.cc.i
.PHONY : keyvalue.grpc.pb.i
# target to preprocess a source file
keyvalue.grpc.pb.cc.i:
$(MAKE) $(MAKESILENT) -f CMakeFiles/kvs_grpc_proto.dir/build.make CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.i
.PHONY : keyvalue.grpc.pb.cc.i
keyvalue.grpc.pb.s: keyvalue.grpc.pb.cc.s
.PHONY : keyvalue.grpc.pb.s
# target to generate assembly for a file
keyvalue.grpc.pb.cc.s:
$(MAKE) $(MAKESILENT) -f CMakeFiles/kvs_grpc_proto.dir/build.make CMakeFiles/kvs_grpc_proto.dir/keyvalue.grpc.pb.cc.s
.PHONY : keyvalue.grpc.pb.cc.s
keyvalue.pb.o: keyvalue.pb.cc.o
.PHONY : keyvalue.pb.o
# target to build an object file
keyvalue.pb.cc.o:
$(MAKE) $(MAKESILENT) -f CMakeFiles/kvs_grpc_proto.dir/build.make CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.o
.PHONY : keyvalue.pb.cc.o
keyvalue.pb.i: keyvalue.pb.cc.i
.PHONY : keyvalue.pb.i
# target to preprocess a source file
keyvalue.pb.cc.i:
$(MAKE) $(MAKESILENT) -f CMakeFiles/kvs_grpc_proto.dir/build.make CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.i
.PHONY : keyvalue.pb.cc.i
keyvalue.pb.s: keyvalue.pb.cc.s
.PHONY : keyvalue.pb.s
# target to generate assembly for a file
keyvalue.pb.cc.s:
$(MAKE) $(MAKESILENT) -f CMakeFiles/kvs_grpc_proto.dir/build.make CMakeFiles/kvs_grpc_proto.dir/keyvalue.pb.cc.s
.PHONY : keyvalue.pb.cc.s
test.o: test.cpp.o
.PHONY : test.o
# target to build an object file
test.cpp.o:
$(MAKE) $(MAKESILENT) -f CMakeFiles/cpp.dir/build.make CMakeFiles/cpp.dir/test.cpp.o
.PHONY : test.cpp.o
test.i: test.cpp.i
.PHONY : test.i
# target to preprocess a source file
test.cpp.i:
$(MAKE) $(MAKESILENT) -f CMakeFiles/cpp.dir/build.make CMakeFiles/cpp.dir/test.cpp.i
.PHONY : test.cpp.i
test.s: test.cpp.s
.PHONY : test.s
# target to generate assembly for a file
test.cpp.s:
$(MAKE) $(MAKESILENT) -f CMakeFiles/cpp.dir/build.make CMakeFiles/cpp.dir/test.cpp.s
.PHONY : test.cpp.s
# Help Target
help:
@echo "The following are some of the valid targets for this Makefile:"
@echo "... all (the default if no target is provided)"
@echo "... clean"
@echo "... depend"
@echo "... edit_cache"
@echo "... rebuild_cache"
@echo "... client"
@echo "... cpp"
@echo "... kvs_grpc_proto"
@echo "... server"
@echo "... KVClient.o"
@echo "... KVClient.i"
@echo "... KVClient.s"
@echo "... KVServer.o"
@echo "... KVServer.i"
@echo "... KVServer.s"
@echo "... keyvalue.grpc.pb.o"
@echo "... keyvalue.grpc.pb.i"
@echo "... keyvalue.grpc.pb.s"
@echo "... keyvalue.pb.o"
@echo "... keyvalue.pb.i"
@echo "... keyvalue.pb.s"
@echo "... test.o"
@echo "... test.i"
@echo "... test.s"
.PHONY : help
#=============================================================================
# Special targets to cleanup operation of make.
# Special rule to run CMake to check the build system integrity.
# No rule that depends on this can have commands that come from listfiles
# because they might be regenerated.
cmake_check_build_system:
$(CMAKE_COMMAND) -S$(CMAKE_SOURCE_DIR) -B$(CMAKE_BINARY_DIR) --check-build-system CMakeFiles/Makefile.cmake 0
.PHONY : cmake_check_build_system
Start testing: Oct 22 22:14 IST
----------------------------------------------------------
End testing: Oct 22 22:14 IST
# Install script for directory: /home/sagar/grpc/grpc/examples/cpp/KeyValueStore
# Set the install prefix
if(NOT DEFINED CMAKE_INSTALL_PREFIX)
set(CMAKE_INSTALL_PREFIX "/usr/local")
endif()
string(REGEX REPLACE "/$" "" CMAKE_INSTALL_PREFIX "${CMAKE_INSTALL_PREFIX}")
# Set the install configuration name.
if(NOT DEFINED CMAKE_INSTALL_CONFIG_NAME)
if(BUILD_TYPE)
string(REGEX REPLACE "^[^A-Za-z0-9_]+" ""
CMAKE_INSTALL_CONFIG_NAME "${BUILD_TYPE}")
else()
set(CMAKE_INSTALL_CONFIG_NAME "Debug")
endif()
message(STATUS "Install configuration: \"${CMAKE_INSTALL_CONFIG_NAME}\"")
endif()
# Set the component getting installed.
if(NOT CMAKE_INSTALL_COMPONENT)
if(COMPONENT)
message(STATUS "Install component: \"${COMPONENT}\"")
set(CMAKE_INSTALL_COMPONENT "${COMPONENT}")
else()
set(CMAKE_INSTALL_COMPONENT)
endif()
endif()
# Install shared libraries without execute permission?
if(NOT DEFINED CMAKE_INSTALL_SO_NO_EXE)
set(CMAKE_INSTALL_SO_NO_EXE "1")
endif()
# Is this installation the result of a crosscompile?
if(NOT DEFINED CMAKE_CROSSCOMPILING)
set(CMAKE_CROSSCOMPILING "FALSE")
endif()
# Set default install directory permissions.
if(NOT DEFINED CMAKE_OBJDUMP)
set(CMAKE_OBJDUMP "/usr/bin/objdump")
endif()
if(CMAKE_INSTALL_COMPONENT)
set(CMAKE_INSTALL_MANIFEST "install_manifest_${CMAKE_INSTALL_COMPONENT}.txt")
else()
set(CMAKE_INSTALL_MANIFEST "install_manifest.txt")
endif()
string(REPLACE ";" "\n" CMAKE_INSTALL_MANIFEST_CONTENT
"${CMAKE_INSTALL_MANIFEST_FILES}")
file(WRITE "/home/sagar/grpc/grpc/examples/cpp/KeyValueStore/cmake-build-debug/${CMAKE_INSTALL_MANIFEST}"
"${CMAKE_INSTALL_MANIFEST_CONTENT}")
// Generated by the gRPC C++ plugin.
// If you make any local change, they will be lost.
// source: keyvalue.proto
#include "keyvalue.pb.h"
#include "keyvalue.grpc.pb.h"
#include <functional>
#include <grpcpp/impl/codegen/async_stream.h>
#include <grpcpp/impl/codegen/async_unary_call.h>
#include <grpcpp/impl/codegen/channel_interface.h>
#include <grpcpp/impl/codegen/client_unary_call.h>
#include <grpcpp/impl/codegen/client_callback.h>
#include <grpcpp/impl/codegen/message_allocator.h>
#include <grpcpp/impl/codegen/method_handler.h>
#include <grpcpp/impl/codegen/rpc_service_method.h>
#include <grpcpp/impl/codegen/server_callback.h>
#include <grpcpp/impl/codegen/server_callback_handlers.h>
#include <grpcpp/impl/codegen/server_context.h>
#include <grpcpp/impl/codegen/service_type.h>
#include <grpcpp/impl/codegen/sync_stream.h>
namespace keyvaluestore {
static const char* KeyValueStore_method_names[] = {
"/keyvaluestore.KeyValueStore/GetValues",
"/keyvaluestore.KeyValueStore/PutValues",
"/keyvaluestore.KeyValueStore/DelValue",
};
std::unique_ptr< KeyValueStore::Stub> KeyValueStore::NewStub(const std::shared_ptr< ::grpc::ChannelInterface>& channel, const ::grpc::StubOptions& options) {
(void)options;
std::unique_ptr< KeyValueStore::Stub> stub(new KeyValueStore::Stub(channel, options));
return stub;
}
KeyValueStore::Stub::Stub(const std::shared_ptr< ::grpc::ChannelInterface>& channel, const ::grpc::StubOptions& options)
: channel_(channel), rpcmethod_GetValues_(KeyValueStore_method_names[0], options.suffix_for_stats(),::grpc::internal::RpcMethod::NORMAL_RPC, channel)
, rpcmethod_PutValues_(KeyValueStore_method_names[1], options.suffix_for_stats(),::grpc::internal::RpcMethod::NORMAL_RPC, channel)
, rpcmethod_DelValue_(KeyValueStore_method_names[2], options.suffix_for_stats(),::grpc::internal::RpcMethod::NORMAL_RPC, channel)
{}
::grpc::Status KeyValueStore::Stub::GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) {
return ::grpc::internal::BlockingUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), rpcmethod_GetValues_, context, request, response);
}
void KeyValueStore::Stub::async::GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)> f) {
::grpc::internal::CallbackUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_GetValues_, context, request, response, std::move(f));
}
void KeyValueStore::Stub::async::GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) {
::grpc::internal::ClientCallbackUnaryFactory::Create< ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_GetValues_, context, request, response, reactor);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::PrepareAsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return ::grpc::internal::ClientAsyncResponseReaderHelper::Create< ::keyvaluestore::Response, ::keyvaluestore::Request, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), cq, rpcmethod_GetValues_, context, request);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::AsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
auto* result =
this->PrepareAsyncGetValuesRaw(context, request, cq);
result->StartCall();
return result;
}
::grpc::Status KeyValueStore::Stub::PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) {
return ::grpc::internal::BlockingUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), rpcmethod_PutValues_, context, request, response);
}
void KeyValueStore::Stub::async::PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)> f) {
::grpc::internal::CallbackUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_PutValues_, context, request, response, std::move(f));
}
void KeyValueStore::Stub::async::PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) {
::grpc::internal::ClientCallbackUnaryFactory::Create< ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_PutValues_, context, request, response, reactor);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::PrepareAsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return ::grpc::internal::ClientAsyncResponseReaderHelper::Create< ::keyvaluestore::Response, ::keyvaluestore::Request, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), cq, rpcmethod_PutValues_, context, request);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::AsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
auto* result =
this->PrepareAsyncPutValuesRaw(context, request, cq);
result->StartCall();
return result;
}
::grpc::Status KeyValueStore::Stub::DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) {
return ::grpc::internal::BlockingUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), rpcmethod_DelValue_, context, request, response);
}
void KeyValueStore::Stub::async::DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)> f) {
::grpc::internal::CallbackUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_DelValue_, context, request, response, std::move(f));
}
void KeyValueStore::Stub::async::DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) {
::grpc::internal::ClientCallbackUnaryFactory::Create< ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_DelValue_, context, request, response, reactor);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::PrepareAsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return ::grpc::internal::ClientAsyncResponseReaderHelper::Create< ::keyvaluestore::Response, ::keyvaluestore::Request, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), cq, rpcmethod_DelValue_, context, request);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::AsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
auto* result =
this->PrepareAsyncDelValueRaw(context, request, cq);
result->StartCall();
return result;
}
KeyValueStore::Service::Service() {
AddMethod(new ::grpc::internal::RpcServiceMethod(
KeyValueStore_method_names[0],
::grpc::internal::RpcMethod::NORMAL_RPC,
new ::grpc::internal::RpcMethodHandler< KeyValueStore::Service, ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(
[](KeyValueStore::Service* service,
::grpc::ServerContext* ctx,
const ::keyvaluestore::Request* req,
::keyvaluestore::Response* resp) {
return service->GetValues(ctx, req, resp);
}, this)));
AddMethod(new ::grpc::internal::RpcServiceMethod(
KeyValueStore_method_names[1],
::grpc::internal::RpcMethod::NORMAL_RPC,
new ::grpc::internal::RpcMethodHandler< KeyValueStore::Service, ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(
[](KeyValueStore::Service* service,
::grpc::ServerContext* ctx,
const ::keyvaluestore::Request* req,
::keyvaluestore::Response* resp) {
return service->PutValues(ctx, req, resp);
}, this)));
AddMethod(new ::grpc::internal::RpcServiceMethod(
KeyValueStore_method_names[2],
::grpc::internal::RpcMethod::NORMAL_RPC,
new ::grpc::internal::RpcMethodHandler< KeyValueStore::Service, ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(
[](KeyValueStore::Service* service,
::grpc::ServerContext* ctx,
const ::keyvaluestore::Request* req,
::keyvaluestore::Response* resp) {
return service->DelValue(ctx, req, resp);
}, this)));
}
KeyValueStore::Service::~Service() {
}
::grpc::Status KeyValueStore::Service::GetValues(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) {
(void) context;
(void) request;
(void) response;
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
::grpc::Status KeyValueStore::Service::PutValues(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) {
(void) context;
(void) request;
(void) response;
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
::grpc::Status KeyValueStore::Service::DelValue(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) {
(void) context;
(void) request;
(void) response;
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
} // namespace keyvaluestore
// Generated by the gRPC C++ plugin.
// If you make any local change, they will be lost.
// source: keyvalue.proto
#ifndef GRPC_keyvalue_2eproto__INCLUDED
#define GRPC_keyvalue_2eproto__INCLUDED
#include "keyvalue.pb.h"
#include <functional>
#include <grpcpp/impl/codegen/async_generic_service.h>
#include <grpcpp/impl/codegen/async_stream.h>
#include <grpcpp/impl/codegen/async_unary_call.h>
#include <grpcpp/impl/codegen/client_callback.h>
#include <grpcpp/impl/codegen/client_context.h>
#include <grpcpp/impl/codegen/completion_queue.h>
#include <grpcpp/impl/codegen/message_allocator.h>
#include <grpcpp/impl/codegen/method_handler.h>
#include <grpcpp/impl/codegen/proto_utils.h>
#include <grpcpp/impl/codegen/rpc_method.h>
#include <grpcpp/impl/codegen/server_callback.h>
#include <grpcpp/impl/codegen/server_callback_handlers.h>
#include <grpcpp/impl/codegen/server_context.h>
#include <grpcpp/impl/codegen/service_type.h>
#include <grpcpp/impl/codegen/status.h>
#include <grpcpp/impl/codegen/stub_options.h>
#include <grpcpp/impl/codegen/sync_stream.h>
namespace keyvaluestore {
// A simple key-value storage service
class KeyValueStore final {
public:
static constexpr char const* service_full_name() {
return "keyvaluestore.KeyValueStore";
}
class StubInterface {
public:
virtual ~StubInterface() {}
// Provides a value for each key request
virtual ::grpc::Status GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) = 0;
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> AsyncGetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(AsyncGetValuesRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> PrepareAsyncGetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(PrepareAsyncGetValuesRaw(context, request, cq));
}
virtual ::grpc::Status PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) = 0;
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> AsyncPutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(AsyncPutValuesRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> PrepareAsyncPutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(PrepareAsyncPutValuesRaw(context, request, cq));
}
virtual ::grpc::Status DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) = 0;
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> AsyncDelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(AsyncDelValueRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> PrepareAsyncDelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(PrepareAsyncDelValueRaw(context, request, cq));
}
class async_interface {
public:
virtual ~async_interface() {}
// Provides a value for each key request
virtual void GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) = 0;
virtual void GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) = 0;
virtual void PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) = 0;
virtual void PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) = 0;
virtual void DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) = 0;
virtual void DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) = 0;
};
typedef class async_interface experimental_async_interface;
virtual class async_interface* async() { return nullptr; }
class async_interface* experimental_async() { return async(); }
private:
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* AsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* PrepareAsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* AsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* PrepareAsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* AsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* PrepareAsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
};
class Stub final : public StubInterface {
public:
Stub(const std::shared_ptr< ::grpc::ChannelInterface>& channel, const ::grpc::StubOptions& options = ::grpc::StubOptions());
::grpc::Status GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) override;
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> AsyncGetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(AsyncGetValuesRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> PrepareAsyncGetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(PrepareAsyncGetValuesRaw(context, request, cq));
}
::grpc::Status PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) override;
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> AsyncPutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(AsyncPutValuesRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> PrepareAsyncPutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(PrepareAsyncPutValuesRaw(context, request, cq));
}
::grpc::Status DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) override;
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> AsyncDelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(AsyncDelValueRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> PrepareAsyncDelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(PrepareAsyncDelValueRaw(context, request, cq));
}
class async final :
public StubInterface::async_interface {
public:
void GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) override;
void GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) override;
void PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) override;
void PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) override;
void DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) override;
void DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) override;
private:
friend class Stub;
explicit async(Stub* stub): stub_(stub) { }
Stub* stub() { return stub_; }
Stub* stub_;
};
class async* async() override { return &async_stub_; }
private:
std::shared_ptr< ::grpc::ChannelInterface> channel_;
class async async_stub_{this};
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* AsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* PrepareAsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* AsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* PrepareAsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* AsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* PrepareAsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
const ::grpc::internal::RpcMethod rpcmethod_GetValues_;
const ::grpc::internal::RpcMethod rpcmethod_PutValues_;
const ::grpc::internal::RpcMethod rpcmethod_DelValue_;
};
static std::unique_ptr<Stub> NewStub(const std::shared_ptr< ::grpc::ChannelInterface>& channel, const ::grpc::StubOptions& options = ::grpc::StubOptions());
class Service : public ::grpc::Service {
public:
Service();
virtual ~Service();
// Provides a value for each key request
virtual ::grpc::Status GetValues(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response);
virtual ::grpc::Status PutValues(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response);
virtual ::grpc::Status DelValue(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response);
};
template <class BaseClass>
class WithAsyncMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithAsyncMethod_GetValues() {
::grpc::Service::MarkMethodAsync(0);
}
~WithAsyncMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestGetValues(::grpc::ServerContext* context, ::keyvaluestore::Request* request, ::grpc::ServerAsyncResponseWriter< ::keyvaluestore::Response>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(0, context, request, response, new_call_cq, notification_cq, tag);
}
};
template <class BaseClass>
class WithAsyncMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithAsyncMethod_PutValues() {
::grpc::Service::MarkMethodAsync(1);
}
~WithAsyncMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestPutValues(::grpc::ServerContext* context, ::keyvaluestore::Request* request, ::grpc::ServerAsyncResponseWriter< ::keyvaluestore::Response>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(1, context, request, response, new_call_cq, notification_cq, tag);
}
};
template <class BaseClass>
class WithAsyncMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithAsyncMethod_DelValue() {
::grpc::Service::MarkMethodAsync(2);
}
~WithAsyncMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestDelValue(::grpc::ServerContext* context, ::keyvaluestore::Request* request, ::grpc::ServerAsyncResponseWriter< ::keyvaluestore::Response>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(2, context, request, response, new_call_cq, notification_cq, tag);
}
};
typedef WithAsyncMethod_GetValues<WithAsyncMethod_PutValues<WithAsyncMethod_DelValue<Service > > > AsyncService;
template <class BaseClass>
class WithCallbackMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithCallbackMethod_GetValues() {
::grpc::Service::MarkMethodCallback(0,
new ::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](
::grpc::CallbackServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) { return this->GetValues(context, request, response); }));}
void SetMessageAllocatorFor_GetValues(
::grpc::MessageAllocator< ::keyvaluestore::Request, ::keyvaluestore::Response>* allocator) {
::grpc::internal::MethodHandler* const handler = ::grpc::Service::GetHandler(0);
static_cast<::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>*>(handler)
->SetMessageAllocator(allocator);
}
~WithCallbackMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* GetValues(
::grpc::CallbackServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) { return nullptr; }
};
template <class BaseClass>
class WithCallbackMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithCallbackMethod_PutValues() {
::grpc::Service::MarkMethodCallback(1,
new ::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](
::grpc::CallbackServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) { return this->PutValues(context, request, response); }));}
void SetMessageAllocatorFor_PutValues(
::grpc::MessageAllocator< ::keyvaluestore::Request, ::keyvaluestore::Response>* allocator) {
::grpc::internal::MethodHandler* const handler = ::grpc::Service::GetHandler(1);
static_cast<::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>*>(handler)
->SetMessageAllocator(allocator);
}
~WithCallbackMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* PutValues(
::grpc::CallbackServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) { return nullptr; }
};
template <class BaseClass>
class WithCallbackMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithCallbackMethod_DelValue() {
::grpc::Service::MarkMethodCallback(2,
new ::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](
::grpc::CallbackServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) { return this->DelValue(context, request, response); }));}
void SetMessageAllocatorFor_DelValue(
::grpc::MessageAllocator< ::keyvaluestore::Request, ::keyvaluestore::Response>* allocator) {
::grpc::internal::MethodHandler* const handler = ::grpc::Service::GetHandler(2);
static_cast<::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>*>(handler)
->SetMessageAllocator(allocator);
}
~WithCallbackMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* DelValue(
::grpc::CallbackServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) { return nullptr; }
};
typedef WithCallbackMethod_GetValues<WithCallbackMethod_PutValues<WithCallbackMethod_DelValue<Service > > > CallbackService;
typedef CallbackService ExperimentalCallbackService;
template <class BaseClass>
class WithGenericMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithGenericMethod_GetValues() {
::grpc::Service::MarkMethodGeneric(0);
}
~WithGenericMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
};
template <class BaseClass>
class WithGenericMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithGenericMethod_PutValues() {
::grpc::Service::MarkMethodGeneric(1);
}
~WithGenericMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
};
template <class BaseClass>
class WithGenericMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithGenericMethod_DelValue() {
::grpc::Service::MarkMethodGeneric(2);
}
~WithGenericMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
};
template <class BaseClass>
class WithRawMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawMethod_GetValues() {
::grpc::Service::MarkMethodRaw(0);
}
~WithRawMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestGetValues(::grpc::ServerContext* context, ::grpc::ByteBuffer* request, ::grpc::ServerAsyncResponseWriter< ::grpc::ByteBuffer>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(0, context, request, response, new_call_cq, notification_cq, tag);
}
};
template <class BaseClass>
class WithRawMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawMethod_PutValues() {
::grpc::Service::MarkMethodRaw(1);
}
~WithRawMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestPutValues(::grpc::ServerContext* context, ::grpc::ByteBuffer* request, ::grpc::ServerAsyncResponseWriter< ::grpc::ByteBuffer>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(1, context, request, response, new_call_cq, notification_cq, tag);
}
};
template <class BaseClass>
class WithRawMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawMethod_DelValue() {
::grpc::Service::MarkMethodRaw(2);
}
~WithRawMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestDelValue(::grpc::ServerContext* context, ::grpc::ByteBuffer* request, ::grpc::ServerAsyncResponseWriter< ::grpc::ByteBuffer>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(2, context, request, response, new_call_cq, notification_cq, tag);
}
};
template <class BaseClass>
class WithRawCallbackMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawCallbackMethod_GetValues() {
::grpc::Service::MarkMethodRawCallback(0,
new ::grpc::internal::CallbackUnaryHandler< ::grpc::ByteBuffer, ::grpc::ByteBuffer>(
[this](
::grpc::CallbackServerContext* context, const ::grpc::ByteBuffer* request, ::grpc::ByteBuffer* response) { return this->GetValues(context, request, response); }));
}
~WithRawCallbackMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* GetValues(
::grpc::CallbackServerContext* /*context*/, const ::grpc::ByteBuffer* /*request*/, ::grpc::ByteBuffer* /*response*/) { return nullptr; }
};
template <class BaseClass>
class WithRawCallbackMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawCallbackMethod_PutValues() {
::grpc::Service::MarkMethodRawCallback(1,
new ::grpc::internal::CallbackUnaryHandler< ::grpc::ByteBuffer, ::grpc::ByteBuffer>(
[this](
::grpc::CallbackServerContext* context, const ::grpc::ByteBuffer* request, ::grpc::ByteBuffer* response) { return this->PutValues(context, request, response); }));
}
~WithRawCallbackMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* PutValues(
::grpc::CallbackServerContext* /*context*/, const ::grpc::ByteBuffer* /*request*/, ::grpc::ByteBuffer* /*response*/) { return nullptr; }
};
template <class BaseClass>
class WithRawCallbackMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawCallbackMethod_DelValue() {
::grpc::Service::MarkMethodRawCallback(2,
new ::grpc::internal::CallbackUnaryHandler< ::grpc::ByteBuffer, ::grpc::ByteBuffer>(
[this](
::grpc::CallbackServerContext* context, const ::grpc::ByteBuffer* request, ::grpc::ByteBuffer* response) { return this->DelValue(context, request, response); }));
}
~WithRawCallbackMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* DelValue(
::grpc::CallbackServerContext* /*context*/, const ::grpc::ByteBuffer* /*request*/, ::grpc::ByteBuffer* /*response*/) { return nullptr; }
};
template <class BaseClass>
class WithStreamedUnaryMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithStreamedUnaryMethod_GetValues() {
::grpc::Service::MarkMethodStreamed(0,
new ::grpc::internal::StreamedUnaryHandler<
::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](::grpc::ServerContext* context,
::grpc::ServerUnaryStreamer<
::keyvaluestore::Request, ::keyvaluestore::Response>* streamer) {
return this->StreamedGetValues(context,
streamer);
}));
}
~WithStreamedUnaryMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable regular version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
// replace default version of method with streamed unary
virtual ::grpc::Status StreamedGetValues(::grpc::ServerContext* context, ::grpc::ServerUnaryStreamer< ::keyvaluestore::Request,::keyvaluestore::Response>* server_unary_streamer) = 0;
};
template <class BaseClass>
class WithStreamedUnaryMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithStreamedUnaryMethod_PutValues() {
::grpc::Service::MarkMethodStreamed(1,
new ::grpc::internal::StreamedUnaryHandler<
::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](::grpc::ServerContext* context,
::grpc::ServerUnaryStreamer<
::keyvaluestore::Request, ::keyvaluestore::Response>* streamer) {
return this->StreamedPutValues(context,
streamer);
}));
}
~WithStreamedUnaryMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable regular version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
// replace default version of method with streamed unary
virtual ::grpc::Status StreamedPutValues(::grpc::ServerContext* context, ::grpc::ServerUnaryStreamer< ::keyvaluestore::Request,::keyvaluestore::Response>* server_unary_streamer) = 0;
};
template <class BaseClass>
class WithStreamedUnaryMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithStreamedUnaryMethod_DelValue() {
::grpc::Service::MarkMethodStreamed(2,
new ::grpc::internal::StreamedUnaryHandler<
::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](::grpc::ServerContext* context,
::grpc::ServerUnaryStreamer<
::keyvaluestore::Request, ::keyvaluestore::Response>* streamer) {
return this->StreamedDelValue(context,
streamer);
}));
}
~WithStreamedUnaryMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable regular version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
// replace default version of method with streamed unary
virtual ::grpc::Status StreamedDelValue(::grpc::ServerContext* context, ::grpc::ServerUnaryStreamer< ::keyvaluestore::Request,::keyvaluestore::Response>* server_unary_streamer) = 0;
};
typedef WithStreamedUnaryMethod_GetValues<WithStreamedUnaryMethod_PutValues<WithStreamedUnaryMethod_DelValue<Service > > > StreamedUnaryService;
typedef Service SplitStreamedService;
typedef WithStreamedUnaryMethod_GetValues<WithStreamedUnaryMethod_PutValues<WithStreamedUnaryMethod_DelValue<Service > > > StreamedService;
};
} // namespace keyvaluestore
#endif // GRPC_keyvalue_2eproto__INCLUDED
// Generated by the protocol buffer compiler. DO NOT EDIT!
// source: keyvalue.proto
#include "keyvalue.pb.h"
#include <algorithm>
#include <google/protobuf/io/coded_stream.h>
#include <google/protobuf/extension_set.h>
#include <google/protobuf/wire_format_lite.h>
#include <google/protobuf/descriptor.h>
#include <google/protobuf/generated_message_reflection.h>
#include <google/protobuf/reflection_ops.h>
#include <google/protobuf/wire_format.h>
// @@protoc_insertion_point(includes)
#include <google/protobuf/port_def.inc>
PROTOBUF_PRAGMA_INIT_SEG
namespace keyvaluestore {
constexpr Request::Request(
::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized)
: key_(&::PROTOBUF_NAMESPACE_ID::internal::fixed_address_empty_string)
, value_(&::PROTOBUF_NAMESPACE_ID::internal::fixed_address_empty_string)
, type_(0){}
struct RequestDefaultTypeInternal {
constexpr RequestDefaultTypeInternal()
: _instance(::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized{}) {}
~RequestDefaultTypeInternal() {}
union {
Request _instance;
};
};
PROTOBUF_ATTRIBUTE_NO_DESTROY PROTOBUF_CONSTINIT RequestDefaultTypeInternal _Request_default_instance_;
constexpr Response::Response(
::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized)
: value_(&::PROTOBUF_NAMESPACE_ID::internal::fixed_address_empty_string){}
struct ResponseDefaultTypeInternal {
constexpr ResponseDefaultTypeInternal()
: _instance(::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized{}) {}
~ResponseDefaultTypeInternal() {}
union {
Response _instance;
};
};
PROTOBUF_ATTRIBUTE_NO_DESTROY PROTOBUF_CONSTINIT ResponseDefaultTypeInternal _Response_default_instance_;
} // namespace keyvaluestore
static ::PROTOBUF_NAMESPACE_ID::Metadata file_level_metadata_keyvalue_2eproto[2];
static constexpr ::PROTOBUF_NAMESPACE_ID::EnumDescriptor const** file_level_enum_descriptors_keyvalue_2eproto = nullptr;
static constexpr ::PROTOBUF_NAMESPACE_ID::ServiceDescriptor const** file_level_service_descriptors_keyvalue_2eproto = nullptr;
const ::PROTOBUF_NAMESPACE_ID::uint32 TableStruct_keyvalue_2eproto::offsets[] PROTOBUF_SECTION_VARIABLE(protodesc_cold) = {
~0u, // no _has_bits_
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Request, _internal_metadata_),
~0u, // no _extensions_
~0u, // no _oneof_case_
~0u, // no _weak_field_map_
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Request, key_),
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Request, value_),
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Request, type_),
~0u, // no _has_bits_
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Response, _internal_metadata_),
~0u, // no _extensions_
~0u, // no _oneof_case_
~0u, // no _weak_field_map_
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Response, value_),
};
static const ::PROTOBUF_NAMESPACE_ID::internal::MigrationSchema schemas[] PROTOBUF_SECTION_VARIABLE(protodesc_cold) = {
{ 0, -1, sizeof(::keyvaluestore::Request)},
{ 8, -1, sizeof(::keyvaluestore::Response)},
};
static ::PROTOBUF_NAMESPACE_ID::Message const * const file_default_instances[] = {
reinterpret_cast<const ::PROTOBUF_NAMESPACE_ID::Message*>(&::keyvaluestore::_Request_default_instance_),
reinterpret_cast<const ::PROTOBUF_NAMESPACE_ID::Message*>(&::keyvaluestore::_Response_default_instance_),
};
const char descriptor_table_protodef_keyvalue_2eproto[] PROTOBUF_SECTION_VARIABLE(protodesc_cold) =
"\n\016keyvalue.proto\022\rkeyvaluestore\"3\n\007Reque"
"st\022\013\n\003key\030\001 \001(\t\022\r\n\005value\030\002 \001(\t\022\014\n\004type\030\003"
" \001(\005\"\031\n\010Response\022\r\n\005value\030\001 \001(\t2\316\001\n\rKeyV"
"alueStore\022>\n\tGetValues\022\026.keyvaluestore.R"
"equest\032\027.keyvaluestore.Response\"\000\022>\n\tPut"
"Values\022\026.keyvaluestore.Request\032\027.keyvalu"
"estore.Response\"\000\022=\n\010DelValue\022\026.keyvalue"
"store.Request\032\027.keyvaluestore.Response\"\000"
"b\006proto3"
;
static ::PROTOBUF_NAMESPACE_ID::internal::once_flag descriptor_table_keyvalue_2eproto_once;
const ::PROTOBUF_NAMESPACE_ID::internal::DescriptorTable descriptor_table_keyvalue_2eproto = {
false, false, 328, descriptor_table_protodef_keyvalue_2eproto, "keyvalue.proto",
&descriptor_table_keyvalue_2eproto_once, nullptr, 0, 2,
schemas, file_default_instances, TableStruct_keyvalue_2eproto::offsets,
file_level_metadata_keyvalue_2eproto, file_level_enum_descriptors_keyvalue_2eproto, file_level_service_descriptors_keyvalue_2eproto,
};
PROTOBUF_ATTRIBUTE_WEAK ::PROTOBUF_NAMESPACE_ID::Metadata
descriptor_table_keyvalue_2eproto_metadata_getter(int index) {
::PROTOBUF_NAMESPACE_ID::internal::AssignDescriptors(&descriptor_table_keyvalue_2eproto);
return descriptor_table_keyvalue_2eproto.file_level_metadata[index];
}
// Force running AddDescriptors() at dynamic initialization time.
PROTOBUF_ATTRIBUTE_INIT_PRIORITY static ::PROTOBUF_NAMESPACE_ID::internal::AddDescriptorsRunner dynamic_init_dummy_keyvalue_2eproto(&descriptor_table_keyvalue_2eproto);
namespace keyvaluestore {
// ===================================================================
class Request::_Internal {
public:
};
Request::Request(::PROTOBUF_NAMESPACE_ID::Arena* arena)
: ::PROTOBUF_NAMESPACE_ID::Message(arena) {
SharedCtor();
RegisterArenaDtor(arena);
// @@protoc_insertion_point(arena_constructor:keyvaluestore.Request)
}
Request::Request(const Request& from)
: ::PROTOBUF_NAMESPACE_ID::Message() {
_internal_metadata_.MergeFrom<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(from._internal_metadata_);
key_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
if (!from._internal_key().empty()) {
key_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, from._internal_key(),
GetArena());
}
value_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
if (!from._internal_value().empty()) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, from._internal_value(),
GetArena());
}
type_ = from.type_;
// @@protoc_insertion_point(copy_constructor:keyvaluestore.Request)
}
void Request::SharedCtor() {
key_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
value_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
type_ = 0;
}
Request::~Request() {
// @@protoc_insertion_point(destructor:keyvaluestore.Request)
SharedDtor();
_internal_metadata_.Delete<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>();
}
void Request::SharedDtor() {
GOOGLE_DCHECK(GetArena() == nullptr);
key_.DestroyNoArena(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
value_.DestroyNoArena(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
}
void Request::ArenaDtor(void* object) {
Request* _this = reinterpret_cast< Request* >(object);
(void)_this;
}
void Request::RegisterArenaDtor(::PROTOBUF_NAMESPACE_ID::Arena*) {
}
void Request::SetCachedSize(int size) const {
_cached_size_.Set(size);
}
void Request::Clear() {
// @@protoc_insertion_point(message_clear_start:keyvaluestore.Request)
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
// Prevent compiler warnings about cached_has_bits being unused
(void) cached_has_bits;
key_.ClearToEmpty();
value_.ClearToEmpty();
type_ = 0;
_internal_metadata_.Clear<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>();
}
const char* Request::_InternalParse(const char* ptr, ::PROTOBUF_NAMESPACE_ID::internal::ParseContext* ctx) {
#define CHK_(x) if (PROTOBUF_PREDICT_FALSE(!(x))) goto failure
while (!ctx->Done(&ptr)) {
::PROTOBUF_NAMESPACE_ID::uint32 tag;
ptr = ::PROTOBUF_NAMESPACE_ID::internal::ReadTag(ptr, &tag);
CHK_(ptr);
switch (tag >> 3) {
// string key = 1;
case 1:
if (PROTOBUF_PREDICT_TRUE(static_cast<::PROTOBUF_NAMESPACE_ID::uint8>(tag) == 10)) {
auto str = _internal_mutable_key();
ptr = ::PROTOBUF_NAMESPACE_ID::internal::InlineGreedyStringParser(str, ptr, ctx);
CHK_(::PROTOBUF_NAMESPACE_ID::internal::VerifyUTF8(str, "keyvaluestore.Request.key"));
CHK_(ptr);
} else goto handle_unusual;
continue;
// string value = 2;
case 2:
if (PROTOBUF_PREDICT_TRUE(static_cast<::PROTOBUF_NAMESPACE_ID::uint8>(tag) == 18)) {
auto str = _internal_mutable_value();
ptr = ::PROTOBUF_NAMESPACE_ID::internal::InlineGreedyStringParser(str, ptr, ctx);
CHK_(::PROTOBUF_NAMESPACE_ID::internal::VerifyUTF8(str, "keyvaluestore.Request.value"));
CHK_(ptr);
} else goto handle_unusual;
continue;
// int32 type = 3;
case 3:
if (PROTOBUF_PREDICT_TRUE(static_cast<::PROTOBUF_NAMESPACE_ID::uint8>(tag) == 24)) {
type_ = ::PROTOBUF_NAMESPACE_ID::internal::ReadVarint64(&ptr);
CHK_(ptr);
} else goto handle_unusual;
continue;
default: {
handle_unusual:
if ((tag & 7) == 4 || tag == 0) {
ctx->SetLastTag(tag);
goto success;
}
ptr = UnknownFieldParse(tag,
_internal_metadata_.mutable_unknown_fields<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(),
ptr, ctx);
CHK_(ptr != nullptr);
continue;
}
} // switch
} // while
success:
return ptr;
failure:
ptr = nullptr;
goto success;
#undef CHK_
}
::PROTOBUF_NAMESPACE_ID::uint8* Request::_InternalSerialize(
::PROTOBUF_NAMESPACE_ID::uint8* target, ::PROTOBUF_NAMESPACE_ID::io::EpsCopyOutputStream* stream) const {
// @@protoc_insertion_point(serialize_to_array_start:keyvaluestore.Request)
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
(void) cached_has_bits;
// string key = 1;
if (this->key().size() > 0) {
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::VerifyUtf8String(
this->_internal_key().data(), static_cast<int>(this->_internal_key().length()),
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::SERIALIZE,
"keyvaluestore.Request.key");
target = stream->WriteStringMaybeAliased(
1, this->_internal_key(), target);
}
// string value = 2;
if (this->value().size() > 0) {
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::VerifyUtf8String(
this->_internal_value().data(), static_cast<int>(this->_internal_value().length()),
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::SERIALIZE,
"keyvaluestore.Request.value");
target = stream->WriteStringMaybeAliased(
2, this->_internal_value(), target);
}
// int32 type = 3;
if (this->type() != 0) {
target = stream->EnsureSpace(target);
target = ::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::WriteInt32ToArray(3, this->_internal_type(), target);
}
if (PROTOBUF_PREDICT_FALSE(_internal_metadata_.have_unknown_fields())) {
target = ::PROTOBUF_NAMESPACE_ID::internal::WireFormat::InternalSerializeUnknownFieldsToArray(
_internal_metadata_.unknown_fields<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(::PROTOBUF_NAMESPACE_ID::UnknownFieldSet::default_instance), target, stream);
}
// @@protoc_insertion_point(serialize_to_array_end:keyvaluestore.Request)
return target;
}
size_t Request::ByteSizeLong() const {
// @@protoc_insertion_point(message_byte_size_start:keyvaluestore.Request)
size_t total_size = 0;
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
// Prevent compiler warnings about cached_has_bits being unused
(void) cached_has_bits;
// string key = 1;
if (this->key().size() > 0) {
total_size += 1 +
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::StringSize(
this->_internal_key());
}
// string value = 2;
if (this->value().size() > 0) {
total_size += 1 +
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::StringSize(
this->_internal_value());
}
// int32 type = 3;
if (this->type() != 0) {
total_size += 1 +
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::Int32Size(
this->_internal_type());
}
if (PROTOBUF_PREDICT_FALSE(_internal_metadata_.have_unknown_fields())) {
return ::PROTOBUF_NAMESPACE_ID::internal::ComputeUnknownFieldsSize(
_internal_metadata_, total_size, &_cached_size_);
}
int cached_size = ::PROTOBUF_NAMESPACE_ID::internal::ToCachedSize(total_size);
SetCachedSize(cached_size);
return total_size;
}
void Request::MergeFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) {
// @@protoc_insertion_point(generalized_merge_from_start:keyvaluestore.Request)
GOOGLE_DCHECK_NE(&from, this);
const Request* source =
::PROTOBUF_NAMESPACE_ID::DynamicCastToGenerated<Request>(
&from);
if (source == nullptr) {
// @@protoc_insertion_point(generalized_merge_from_cast_fail:keyvaluestore.Request)
::PROTOBUF_NAMESPACE_ID::internal::ReflectionOps::Merge(from, this);
} else {
// @@protoc_insertion_point(generalized_merge_from_cast_success:keyvaluestore.Request)
MergeFrom(*source);
}
}
void Request::MergeFrom(const Request& from) {
// @@protoc_insertion_point(class_specific_merge_from_start:keyvaluestore.Request)
GOOGLE_DCHECK_NE(&from, this);
_internal_metadata_.MergeFrom<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(from._internal_metadata_);
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
(void) cached_has_bits;
if (from.key().size() > 0) {
_internal_set_key(from._internal_key());
}
if (from.value().size() > 0) {
_internal_set_value(from._internal_value());
}
if (from.type() != 0) {
_internal_set_type(from._internal_type());
}
}
void Request::CopyFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) {
// @@protoc_insertion_point(generalized_copy_from_start:keyvaluestore.Request)
if (&from == this) return;
Clear();
MergeFrom(from);
}
void Request::CopyFrom(const Request& from) {
// @@protoc_insertion_point(class_specific_copy_from_start:keyvaluestore.Request)
if (&from == this) return;
Clear();
MergeFrom(from);
}
bool Request::IsInitialized() const {
return true;
}
void Request::InternalSwap(Request* other) {
using std::swap;
_internal_metadata_.Swap<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(&other->_internal_metadata_);
key_.Swap(&other->key_, &::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
value_.Swap(&other->value_, &::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
swap(type_, other->type_);
}
::PROTOBUF_NAMESPACE_ID::Metadata Request::GetMetadata() const {
return GetMetadataStatic();
}
// ===================================================================
class Response::_Internal {
public:
};
Response::Response(::PROTOBUF_NAMESPACE_ID::Arena* arena)
: ::PROTOBUF_NAMESPACE_ID::Message(arena) {
SharedCtor();
RegisterArenaDtor(arena);
// @@protoc_insertion_point(arena_constructor:keyvaluestore.Response)
}
Response::Response(const Response& from)
: ::PROTOBUF_NAMESPACE_ID::Message() {
_internal_metadata_.MergeFrom<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(from._internal_metadata_);
value_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
if (!from._internal_value().empty()) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, from._internal_value(),
GetArena());
}
// @@protoc_insertion_point(copy_constructor:keyvaluestore.Response)
}
void Response::SharedCtor() {
value_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
}
Response::~Response() {
// @@protoc_insertion_point(destructor:keyvaluestore.Response)
SharedDtor();
_internal_metadata_.Delete<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>();
}
void Response::SharedDtor() {
GOOGLE_DCHECK(GetArena() == nullptr);
value_.DestroyNoArena(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
}
void Response::ArenaDtor(void* object) {
Response* _this = reinterpret_cast< Response* >(object);
(void)_this;
}
void Response::RegisterArenaDtor(::PROTOBUF_NAMESPACE_ID::Arena*) {
}
void Response::SetCachedSize(int size) const {
_cached_size_.Set(size);
}
void Response::Clear() {
// @@protoc_insertion_point(message_clear_start:keyvaluestore.Response)
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
// Prevent compiler warnings about cached_has_bits being unused
(void) cached_has_bits;
value_.ClearToEmpty();
_internal_metadata_.Clear<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>();
}
const char* Response::_InternalParse(const char* ptr, ::PROTOBUF_NAMESPACE_ID::internal::ParseContext* ctx) {
#define CHK_(x) if (PROTOBUF_PREDICT_FALSE(!(x))) goto failure
while (!ctx->Done(&ptr)) {
::PROTOBUF_NAMESPACE_ID::uint32 tag;
ptr = ::PROTOBUF_NAMESPACE_ID::internal::ReadTag(ptr, &tag);
CHK_(ptr);
switch (tag >> 3) {
// string value = 1;
case 1:
if (PROTOBUF_PREDICT_TRUE(static_cast<::PROTOBUF_NAMESPACE_ID::uint8>(tag) == 10)) {
auto str = _internal_mutable_value();
ptr = ::PROTOBUF_NAMESPACE_ID::internal::InlineGreedyStringParser(str, ptr, ctx);
CHK_(::PROTOBUF_NAMESPACE_ID::internal::VerifyUTF8(str, "keyvaluestore.Response.value"));
CHK_(ptr);
} else goto handle_unusual;
continue;
default: {
handle_unusual:
if ((tag & 7) == 4 || tag == 0) {
ctx->SetLastTag(tag);
goto success;
}
ptr = UnknownFieldParse(tag,
_internal_metadata_.mutable_unknown_fields<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(),
ptr, ctx);
CHK_(ptr != nullptr);
continue;
}
} // switch
} // while
success:
return ptr;
failure:
ptr = nullptr;
goto success;
#undef CHK_
}
::PROTOBUF_NAMESPACE_ID::uint8* Response::_InternalSerialize(
::PROTOBUF_NAMESPACE_ID::uint8* target, ::PROTOBUF_NAMESPACE_ID::io::EpsCopyOutputStream* stream) const {
// @@protoc_insertion_point(serialize_to_array_start:keyvaluestore.Response)
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
(void) cached_has_bits;
// string value = 1;
if (this->value().size() > 0) {
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::VerifyUtf8String(
this->_internal_value().data(), static_cast<int>(this->_internal_value().length()),
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::SERIALIZE,
"keyvaluestore.Response.value");
target = stream->WriteStringMaybeAliased(
1, this->_internal_value(), target);
}
if (PROTOBUF_PREDICT_FALSE(_internal_metadata_.have_unknown_fields())) {
target = ::PROTOBUF_NAMESPACE_ID::internal::WireFormat::InternalSerializeUnknownFieldsToArray(
_internal_metadata_.unknown_fields<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(::PROTOBUF_NAMESPACE_ID::UnknownFieldSet::default_instance), target, stream);
}
// @@protoc_insertion_point(serialize_to_array_end:keyvaluestore.Response)
return target;
}
size_t Response::ByteSizeLong() const {
// @@protoc_insertion_point(message_byte_size_start:keyvaluestore.Response)
size_t total_size = 0;
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
// Prevent compiler warnings about cached_has_bits being unused
(void) cached_has_bits;
// string value = 1;
if (this->value().size() > 0) {
total_size += 1 +
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::StringSize(
this->_internal_value());
}
if (PROTOBUF_PREDICT_FALSE(_internal_metadata_.have_unknown_fields())) {
return ::PROTOBUF_NAMESPACE_ID::internal::ComputeUnknownFieldsSize(
_internal_metadata_, total_size, &_cached_size_);
}
int cached_size = ::PROTOBUF_NAMESPACE_ID::internal::ToCachedSize(total_size);
SetCachedSize(cached_size);
return total_size;
}
void Response::MergeFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) {
// @@protoc_insertion_point(generalized_merge_from_start:keyvaluestore.Response)
GOOGLE_DCHECK_NE(&from, this);
const Response* source =
::PROTOBUF_NAMESPACE_ID::DynamicCastToGenerated<Response>(
&from);
if (source == nullptr) {
// @@protoc_insertion_point(generalized_merge_from_cast_fail:keyvaluestore.Response)
::PROTOBUF_NAMESPACE_ID::internal::ReflectionOps::Merge(from, this);
} else {
// @@protoc_insertion_point(generalized_merge_from_cast_success:keyvaluestore.Response)
MergeFrom(*source);
}
}
void Response::MergeFrom(const Response& from) {
// @@protoc_insertion_point(class_specific_merge_from_start:keyvaluestore.Response)
GOOGLE_DCHECK_NE(&from, this);
_internal_metadata_.MergeFrom<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(from._internal_metadata_);
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
(void) cached_has_bits;
if (from.value().size() > 0) {
_internal_set_value(from._internal_value());
}
}
void Response::CopyFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) {
// @@protoc_insertion_point(generalized_copy_from_start:keyvaluestore.Response)
if (&from == this) return;
Clear();
MergeFrom(from);
}
void Response::CopyFrom(const Response& from) {
// @@protoc_insertion_point(class_specific_copy_from_start:keyvaluestore.Response)
if (&from == this) return;
Clear();
MergeFrom(from);
}
bool Response::IsInitialized() const {
return true;
}
void Response::InternalSwap(Response* other) {
using std::swap;
_internal_metadata_.Swap<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(&other->_internal_metadata_);
value_.Swap(&other->value_, &::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
}
::PROTOBUF_NAMESPACE_ID::Metadata Response::GetMetadata() const {
return GetMetadataStatic();
}
// @@protoc_insertion_point(namespace_scope)
} // namespace keyvaluestore
PROTOBUF_NAMESPACE_OPEN
template<> PROTOBUF_NOINLINE ::keyvaluestore::Request* Arena::CreateMaybeMessage< ::keyvaluestore::Request >(Arena* arena) {
return Arena::CreateMessageInternal< ::keyvaluestore::Request >(arena);
}
template<> PROTOBUF_NOINLINE ::keyvaluestore::Response* Arena::CreateMaybeMessage< ::keyvaluestore::Response >(Arena* arena) {
return Arena::CreateMessageInternal< ::keyvaluestore::Response >(arena);
}
PROTOBUF_NAMESPACE_CLOSE
// @@protoc_insertion_point(global_scope)
#include <google/protobuf/port_undef.inc>
// Generated by the protocol buffer compiler. DO NOT EDIT!
// source: keyvalue.proto
#ifndef GOOGLE_PROTOBUF_INCLUDED_keyvalue_2eproto
#define GOOGLE_PROTOBUF_INCLUDED_keyvalue_2eproto
#include <limits>
#include <string>
#include <google/protobuf/port_def.inc>
#if PROTOBUF_VERSION < 3015000
#error This file was generated by a newer version of protoc which is
#error incompatible with your Protocol Buffer headers. Please update
#error your headers.
#endif
#if 3015008 < PROTOBUF_MIN_PROTOC_VERSION
#error This file was generated by an older version of protoc which is
#error incompatible with your Protocol Buffer headers. Please
#error regenerate this file with a newer version of protoc.
#endif
#include <google/protobuf/port_undef.inc>
#include <google/protobuf/io/coded_stream.h>
#include <google/protobuf/arena.h>
#include <google/protobuf/arenastring.h>
#include <google/protobuf/generated_message_table_driven.h>
#include <google/protobuf/generated_message_util.h>
#include <google/protobuf/metadata_lite.h>
#include <google/protobuf/generated_message_reflection.h>
#include <google/protobuf/message.h>
#include <google/protobuf/repeated_field.h> // IWYU pragma: export
#include <google/protobuf/extension_set.h> // IWYU pragma: export
#include <google/protobuf/unknown_field_set.h>
// @@protoc_insertion_point(includes)
#include <google/protobuf/port_def.inc>
#define PROTOBUF_INTERNAL_EXPORT_keyvalue_2eproto
PROTOBUF_NAMESPACE_OPEN
namespace internal {
class AnyMetadata;
} // namespace internal
PROTOBUF_NAMESPACE_CLOSE
// Internal implementation detail -- do not use these members.
struct TableStruct_keyvalue_2eproto {
static const ::PROTOBUF_NAMESPACE_ID::internal::ParseTableField entries[]
PROTOBUF_SECTION_VARIABLE(protodesc_cold);
static const ::PROTOBUF_NAMESPACE_ID::internal::AuxiliaryParseTableField aux[]
PROTOBUF_SECTION_VARIABLE(protodesc_cold);
static const ::PROTOBUF_NAMESPACE_ID::internal::ParseTable schema[2]
PROTOBUF_SECTION_VARIABLE(protodesc_cold);
static const ::PROTOBUF_NAMESPACE_ID::internal::FieldMetadata field_metadata[];
static const ::PROTOBUF_NAMESPACE_ID::internal::SerializationTable serialization_table[];
static const ::PROTOBUF_NAMESPACE_ID::uint32 offsets[];
};
extern const ::PROTOBUF_NAMESPACE_ID::internal::DescriptorTable descriptor_table_keyvalue_2eproto;
::PROTOBUF_NAMESPACE_ID::Metadata descriptor_table_keyvalue_2eproto_metadata_getter(int index);
namespace keyvaluestore {
class Request;
struct RequestDefaultTypeInternal;
extern RequestDefaultTypeInternal _Request_default_instance_;
class Response;
struct ResponseDefaultTypeInternal;
extern ResponseDefaultTypeInternal _Response_default_instance_;
} // namespace keyvaluestore
PROTOBUF_NAMESPACE_OPEN
template<> ::keyvaluestore::Request* Arena::CreateMaybeMessage<::keyvaluestore::Request>(Arena*);
template<> ::keyvaluestore::Response* Arena::CreateMaybeMessage<::keyvaluestore::Response>(Arena*);
PROTOBUF_NAMESPACE_CLOSE
namespace keyvaluestore {
// ===================================================================
class Request PROTOBUF_FINAL :
public ::PROTOBUF_NAMESPACE_ID::Message /* @@protoc_insertion_point(class_definition:keyvaluestore.Request) */ {
public:
inline Request() : Request(nullptr) {}
virtual ~Request();
explicit constexpr Request(::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized);
Request(const Request& from);
Request(Request&& from) noexcept
: Request() {
*this = ::std::move(from);
}
inline Request& operator=(const Request& from) {
CopyFrom(from);
return *this;
}
inline Request& operator=(Request&& from) noexcept {
if (GetArena() == from.GetArena()) {
if (this != &from) InternalSwap(&from);
} else {
CopyFrom(from);
}
return *this;
}
static const ::PROTOBUF_NAMESPACE_ID::Descriptor* descriptor() {
return GetDescriptor();
}
static const ::PROTOBUF_NAMESPACE_ID::Descriptor* GetDescriptor() {
return GetMetadataStatic().descriptor;
}
static const ::PROTOBUF_NAMESPACE_ID::Reflection* GetReflection() {
return GetMetadataStatic().reflection;
}
static const Request& default_instance() {
return *internal_default_instance();
}
static inline const Request* internal_default_instance() {
return reinterpret_cast<const Request*>(
&_Request_default_instance_);
}
static constexpr int kIndexInFileMessages =
0;
friend void swap(Request& a, Request& b) {
a.Swap(&b);
}
inline void Swap(Request* other) {
if (other == this) return;
if (GetArena() == other->GetArena()) {
InternalSwap(other);
} else {
::PROTOBUF_NAMESPACE_ID::internal::GenericSwap(this, other);
}
}
void UnsafeArenaSwap(Request* other) {
if (other == this) return;
GOOGLE_DCHECK(GetArena() == other->GetArena());
InternalSwap(other);
}
// implements Message ----------------------------------------------
inline Request* New() const final {
return CreateMaybeMessage<Request>(nullptr);
}
Request* New(::PROTOBUF_NAMESPACE_ID::Arena* arena) const final {
return CreateMaybeMessage<Request>(arena);
}
void CopyFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) final;
void MergeFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) final;
void CopyFrom(const Request& from);
void MergeFrom(const Request& from);
PROTOBUF_ATTRIBUTE_REINITIALIZES void Clear() final;
bool IsInitialized() const final;
size_t ByteSizeLong() const final;
const char* _InternalParse(const char* ptr, ::PROTOBUF_NAMESPACE_ID::internal::ParseContext* ctx) final;
::PROTOBUF_NAMESPACE_ID::uint8* _InternalSerialize(
::PROTOBUF_NAMESPACE_ID::uint8* target, ::PROTOBUF_NAMESPACE_ID::io::EpsCopyOutputStream* stream) const final;
int GetCachedSize() const final { return _cached_size_.Get(); }
private:
inline void SharedCtor();
inline void SharedDtor();
void SetCachedSize(int size) const final;
void InternalSwap(Request* other);
friend class ::PROTOBUF_NAMESPACE_ID::internal::AnyMetadata;
static ::PROTOBUF_NAMESPACE_ID::StringPiece FullMessageName() {
return "keyvaluestore.Request";
}
protected:
explicit Request(::PROTOBUF_NAMESPACE_ID::Arena* arena);
private:
static void ArenaDtor(void* object);
inline void RegisterArenaDtor(::PROTOBUF_NAMESPACE_ID::Arena* arena);
public:
::PROTOBUF_NAMESPACE_ID::Metadata GetMetadata() const final;
private:
static ::PROTOBUF_NAMESPACE_ID::Metadata GetMetadataStatic() {
return ::descriptor_table_keyvalue_2eproto_metadata_getter(kIndexInFileMessages);
}
public:
// nested types ----------------------------------------------------
// accessors -------------------------------------------------------
enum : int {
kKeyFieldNumber = 1,
kValueFieldNumber = 2,
kTypeFieldNumber = 3,
};
// string key = 1;
void clear_key();
const std::string& key() const;
void set_key(const std::string& value);
void set_key(std::string&& value);
void set_key(const char* value);
void set_key(const char* value, size_t size);
std::string* mutable_key();
std::string* release_key();
void set_allocated_key(std::string* key);
private:
const std::string& _internal_key() const;
void _internal_set_key(const std::string& value);
std::string* _internal_mutable_key();
public:
// string value = 2;
void clear_value();
const std::string& value() const;
void set_value(const std::string& value);
void set_value(std::string&& value);
void set_value(const char* value);
void set_value(const char* value, size_t size);
std::string* mutable_value();
std::string* release_value();
void set_allocated_value(std::string* value);
private:
const std::string& _internal_value() const;
void _internal_set_value(const std::string& value);
std::string* _internal_mutable_value();
public:
// int32 type = 3;
void clear_type();
::PROTOBUF_NAMESPACE_ID::int32 type() const;
void set_type(::PROTOBUF_NAMESPACE_ID::int32 value);
private:
::PROTOBUF_NAMESPACE_ID::int32 _internal_type() const;
void _internal_set_type(::PROTOBUF_NAMESPACE_ID::int32 value);
public:
// @@protoc_insertion_point(class_scope:keyvaluestore.Request)
private:
class _Internal;
template <typename T> friend class ::PROTOBUF_NAMESPACE_ID::Arena::InternalHelper;
typedef void InternalArenaConstructable_;
typedef void DestructorSkippable_;
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr key_;
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr value_;
::PROTOBUF_NAMESPACE_ID::int32 type_;
mutable ::PROTOBUF_NAMESPACE_ID::internal::CachedSize _cached_size_;
friend struct ::TableStruct_keyvalue_2eproto;
};
// -------------------------------------------------------------------
class Response PROTOBUF_FINAL :
public ::PROTOBUF_NAMESPACE_ID::Message /* @@protoc_insertion_point(class_definition:keyvaluestore.Response) */ {
public:
inline Response() : Response(nullptr) {}
virtual ~Response();
explicit constexpr Response(::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized);
Response(const Response& from);
Response(Response&& from) noexcept
: Response() {
*this = ::std::move(from);
}
inline Response& operator=(const Response& from) {
CopyFrom(from);
return *this;
}
inline Response& operator=(Response&& from) noexcept {
if (GetArena() == from.GetArena()) {
if (this != &from) InternalSwap(&from);
} else {
CopyFrom(from);
}
return *this;
}
static const ::PROTOBUF_NAMESPACE_ID::Descriptor* descriptor() {
return GetDescriptor();
}
static const ::PROTOBUF_NAMESPACE_ID::Descriptor* GetDescriptor() {
return GetMetadataStatic().descriptor;
}
static const ::PROTOBUF_NAMESPACE_ID::Reflection* GetReflection() {
return GetMetadataStatic().reflection;
}
static const Response& default_instance() {
return *internal_default_instance();
}
static inline const Response* internal_default_instance() {
return reinterpret_cast<const Response*>(
&_Response_default_instance_);
}
static constexpr int kIndexInFileMessages =
1;
friend void swap(Response& a, Response& b) {
a.Swap(&b);
}
inline void Swap(Response* other) {
if (other == this) return;
if (GetArena() == other->GetArena()) {
InternalSwap(other);
} else {
::PROTOBUF_NAMESPACE_ID::internal::GenericSwap(this, other);
}
}
void UnsafeArenaSwap(Response* other) {
if (other == this) return;
GOOGLE_DCHECK(GetArena() == other->GetArena());
InternalSwap(other);
}
// implements Message ----------------------------------------------
inline Response* New() const final {
return CreateMaybeMessage<Response>(nullptr);
}
Response* New(::PROTOBUF_NAMESPACE_ID::Arena* arena) const final {
return CreateMaybeMessage<Response>(arena);
}
void CopyFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) final;
void MergeFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) final;
void CopyFrom(const Response& from);
void MergeFrom(const Response& from);
PROTOBUF_ATTRIBUTE_REINITIALIZES void Clear() final;
bool IsInitialized() const final;
size_t ByteSizeLong() const final;
const char* _InternalParse(const char* ptr, ::PROTOBUF_NAMESPACE_ID::internal::ParseContext* ctx) final;
::PROTOBUF_NAMESPACE_ID::uint8* _InternalSerialize(
::PROTOBUF_NAMESPACE_ID::uint8* target, ::PROTOBUF_NAMESPACE_ID::io::EpsCopyOutputStream* stream) const final;
int GetCachedSize() const final { return _cached_size_.Get(); }
private:
inline void SharedCtor();
inline void SharedDtor();
void SetCachedSize(int size) const final;
void InternalSwap(Response* other);
friend class ::PROTOBUF_NAMESPACE_ID::internal::AnyMetadata;
static ::PROTOBUF_NAMESPACE_ID::StringPiece FullMessageName() {
return "keyvaluestore.Response";
}
protected:
explicit Response(::PROTOBUF_NAMESPACE_ID::Arena* arena);
private:
static void ArenaDtor(void* object);
inline void RegisterArenaDtor(::PROTOBUF_NAMESPACE_ID::Arena* arena);
public:
::PROTOBUF_NAMESPACE_ID::Metadata GetMetadata() const final;
private:
static ::PROTOBUF_NAMESPACE_ID::Metadata GetMetadataStatic() {
return ::descriptor_table_keyvalue_2eproto_metadata_getter(kIndexInFileMessages);
}
public:
// nested types ----------------------------------------------------
// accessors -------------------------------------------------------
enum : int {
kValueFieldNumber = 1,
};
// string value = 1;
void clear_value();
const std::string& value() const;
void set_value(const std::string& value);
void set_value(std::string&& value);
void set_value(const char* value);
void set_value(const char* value, size_t size);
std::string* mutable_value();
std::string* release_value();
void set_allocated_value(std::string* value);
private:
const std::string& _internal_value() const;
void _internal_set_value(const std::string& value);
std::string* _internal_mutable_value();
public:
// @@protoc_insertion_point(class_scope:keyvaluestore.Response)
private:
class _Internal;
template <typename T> friend class ::PROTOBUF_NAMESPACE_ID::Arena::InternalHelper;
typedef void InternalArenaConstructable_;
typedef void DestructorSkippable_;
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr value_;
mutable ::PROTOBUF_NAMESPACE_ID::internal::CachedSize _cached_size_;
friend struct ::TableStruct_keyvalue_2eproto;
};
// ===================================================================
// ===================================================================
#ifdef __GNUC__
#pragma GCC diagnostic push
#pragma GCC diagnostic ignored "-Wstrict-aliasing"
#endif // __GNUC__
// Request
// string key = 1;
inline void Request::clear_key() {
key_.ClearToEmpty();
}
inline const std::string& Request::key() const {
// @@protoc_insertion_point(field_get:keyvaluestore.Request.key)
return _internal_key();
}
inline void Request::set_key(const std::string& value) {
_internal_set_key(value);
// @@protoc_insertion_point(field_set:keyvaluestore.Request.key)
}
inline std::string* Request::mutable_key() {
// @@protoc_insertion_point(field_mutable:keyvaluestore.Request.key)
return _internal_mutable_key();
}
inline const std::string& Request::_internal_key() const {
return key_.Get();
}
inline void Request::_internal_set_key(const std::string& value) {
key_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, value, GetArena());
}
inline void Request::set_key(std::string&& value) {
key_.Set(
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::move(value), GetArena());
// @@protoc_insertion_point(field_set_rvalue:keyvaluestore.Request.key)
}
inline void Request::set_key(const char* value) {
GOOGLE_DCHECK(value != nullptr);
key_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(value), GetArena());
// @@protoc_insertion_point(field_set_char:keyvaluestore.Request.key)
}
inline void Request::set_key(const char* value,
size_t size) {
key_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(
reinterpret_cast<const char*>(value), size), GetArena());
// @@protoc_insertion_point(field_set_pointer:keyvaluestore.Request.key)
}
inline std::string* Request::_internal_mutable_key() {
return key_.Mutable(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, GetArena());
}
inline std::string* Request::release_key() {
// @@protoc_insertion_point(field_release:keyvaluestore.Request.key)
return key_.Release(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
}
inline void Request::set_allocated_key(std::string* key) {
if (key != nullptr) {
} else {
}
key_.SetAllocated(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), key,
GetArena());
// @@protoc_insertion_point(field_set_allocated:keyvaluestore.Request.key)
}
// string value = 2;
inline void Request::clear_value() {
value_.ClearToEmpty();
}
inline const std::string& Request::value() const {
// @@protoc_insertion_point(field_get:keyvaluestore.Request.value)
return _internal_value();
}
inline void Request::set_value(const std::string& value) {
_internal_set_value(value);
// @@protoc_insertion_point(field_set:keyvaluestore.Request.value)
}
inline std::string* Request::mutable_value() {
// @@protoc_insertion_point(field_mutable:keyvaluestore.Request.value)
return _internal_mutable_value();
}
inline const std::string& Request::_internal_value() const {
return value_.Get();
}
inline void Request::_internal_set_value(const std::string& value) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, value, GetArena());
}
inline void Request::set_value(std::string&& value) {
value_.Set(
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::move(value), GetArena());
// @@protoc_insertion_point(field_set_rvalue:keyvaluestore.Request.value)
}
inline void Request::set_value(const char* value) {
GOOGLE_DCHECK(value != nullptr);
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(value), GetArena());
// @@protoc_insertion_point(field_set_char:keyvaluestore.Request.value)
}
inline void Request::set_value(const char* value,
size_t size) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(
reinterpret_cast<const char*>(value), size), GetArena());
// @@protoc_insertion_point(field_set_pointer:keyvaluestore.Request.value)
}
inline std::string* Request::_internal_mutable_value() {
return value_.Mutable(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, GetArena());
}
inline std::string* Request::release_value() {
// @@protoc_insertion_point(field_release:keyvaluestore.Request.value)
return value_.Release(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
}
inline void Request::set_allocated_value(std::string* value) {
if (value != nullptr) {
} else {
}
value_.SetAllocated(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), value,
GetArena());
// @@protoc_insertion_point(field_set_allocated:keyvaluestore.Request.value)
}
// int32 type = 3;
inline void Request::clear_type() {
type_ = 0;
}
inline ::PROTOBUF_NAMESPACE_ID::int32 Request::_internal_type() const {
return type_;
}
inline ::PROTOBUF_NAMESPACE_ID::int32 Request::type() const {
// @@protoc_insertion_point(field_get:keyvaluestore.Request.type)
return _internal_type();
}
inline void Request::_internal_set_type(::PROTOBUF_NAMESPACE_ID::int32 value) {
type_ = value;
}
inline void Request::set_type(::PROTOBUF_NAMESPACE_ID::int32 value) {
_internal_set_type(value);
// @@protoc_insertion_point(field_set:keyvaluestore.Request.type)
}
// -------------------------------------------------------------------
// Response
// string value = 1;
inline void Response::clear_value() {
value_.ClearToEmpty();
}
inline const std::string& Response::value() const {
// @@protoc_insertion_point(field_get:keyvaluestore.Response.value)
return _internal_value();
}
inline void Response::set_value(const std::string& value) {
_internal_set_value(value);
// @@protoc_insertion_point(field_set:keyvaluestore.Response.value)
}
inline std::string* Response::mutable_value() {
// @@protoc_insertion_point(field_mutable:keyvaluestore.Response.value)
return _internal_mutable_value();
}
inline const std::string& Response::_internal_value() const {
return value_.Get();
}
inline void Response::_internal_set_value(const std::string& value) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, value, GetArena());
}
inline void Response::set_value(std::string&& value) {
value_.Set(
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::move(value), GetArena());
// @@protoc_insertion_point(field_set_rvalue:keyvaluestore.Response.value)
}
inline void Response::set_value(const char* value) {
GOOGLE_DCHECK(value != nullptr);
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(value), GetArena());
// @@protoc_insertion_point(field_set_char:keyvaluestore.Response.value)
}
inline void Response::set_value(const char* value,
size_t size) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(
reinterpret_cast<const char*>(value), size), GetArena());
// @@protoc_insertion_point(field_set_pointer:keyvaluestore.Response.value)
}
inline std::string* Response::_internal_mutable_value() {
return value_.Mutable(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, GetArena());
}
inline std::string* Response::release_value() {
// @@protoc_insertion_point(field_release:keyvaluestore.Response.value)
return value_.Release(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
}
inline void Response::set_allocated_value(std::string* value) {
if (value != nullptr) {
} else {
}
value_.SetAllocated(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), value,
GetArena());
// @@protoc_insertion_point(field_set_allocated:keyvaluestore.Response.value)
}
#ifdef __GNUC__
#pragma GCC diagnostic pop
#endif // __GNUC__
// -------------------------------------------------------------------
// @@protoc_insertion_point(namespace_scope)
} // namespace keyvaluestore
// @@protoc_insertion_point(global_scope)
#include <google/protobuf/port_undef.inc>
#endif // GOOGLE_PROTOBUF_INCLUDED_GOOGLE_PROTOBUF_INCLUDED_keyvalue_2eproto
This source diff could not be displayed because it is too large. You can view the blob instead.
#include <iostream>
#include <utility>
#include <string.h>
#include <map>
#include <pthread.h>
#include "Node.hpp"
#include "../KVStorage.hpp"
#include "../logs/colorlog.hpp"
/**
* LRU Cache with size, capacity and hashMap that holds the list of multiple key cache list.
*
*
* @ref:
* https://tech.ebayinc.com/engineering/high-throughput-thread-safe-lru-caching/
*/
using namespace std;
class Cache {
public:
int size;
int capacity;
List *list;
unordered_map<string, Node *> cacheHashMap;
FileService *fileService;
pthread_mutex_t mutex;
virtual string get(string key) = 0;
virtual string put(string key, string value) = 0;
virtual string del(string key) = 0;
};
class LRUCache final : public Cache {
public:
LRUCache(int cap) {
size = 0;
list = new List();
cacheHashMap = unordered_map<string, Node *>();
fileService = new FileService();
capacity = cap;
pthread_mutex_init(&mutex, NULL);
fileService->getMetaData();
}
/**
* Get the value for the given key.
* @param key
* @return
*
* @ref:
* * https://www.geeksforgeeks.org/check-key-present-cpp-map-unordered_map/
*/
string get(string key) override {
pthread_mutex_lock(&mutex);
INFO("LRUCache", "fetching value for key:" + key);
if (cacheHashMap.find(key) == cacheHashMap.end()) {
string value = fileService->getValue(key);
if (value.empty()) {
ERROR("LRUCache", "key not found:" + key);
pthread_mutex_unlock(&mutex);
return "key not found";
} else {
add(key, value);
pthread_mutex_unlock(&mutex);
return value;
}
} else {
string val = cacheHashMap[key]->value;
INFO("LRUCache", "Shifting node to front for key:" + key);
list->pop_push_front(cacheHashMap[key]);
pthread_mutex_unlock(&mutex);
return val;
}
}
/**
* Insert new value to the cachemap.
* @param key
* @param value
* @return
*/
string put(string key, string value) override {
pthread_mutex_lock(&mutex);
if (cacheHashMap.find(key) != cacheHashMap.end()) {
cacheHashMap[key]->dirty_type = 2;
cacheHashMap[key]->value = value;
list->pop_push_front(cacheHashMap[key]);
INFO("LRUCache", "Shifting node to front for key:" + key);
fileService->pushKeyFile(key, value);
INFO("LRUCache", "update successfully!!:" + value);
pthread_mutex_unlock(&mutex);
return "update successfully!!:value" + value;
}
add(key, value);
INFO("LRUCache", "added successfully!!:value" + value);
pthread_mutex_unlock(&mutex);
return "successfully added" + value;
}
string del(string key) override {
pthread_mutex_lock(&mutex);
if (cacheHashMap.find(key) != cacheHashMap.end()) {
list->remove(cacheHashMap[key]);
cacheHashMap.erase(key);
size--;
fileService->popKeyFile(key);
INFO("LRUCache", "successfully deleted for key:" + key);
pthread_mutex_unlock(&mutex);
return "successfully deleted for key: " + key;
} else {
int val = fileService->popKeyFile(key);
if (val) {
INFO("LRUCache", "successfully deleted for key:" + key);
pthread_mutex_unlock(&mutex);
return "successfully deleted" + key;
} else {
ERROR("LRUCache", "key not found:" + key);
pthread_mutex_unlock(&mutex);
return "key not found";
}
}
}
private:
void add(std::string key, std::string value) {
if (size == capacity) {
cacheHashMap.erase(list->last()->key);
list->remove_last();
size--;
}
Node *node = list->push_front(key, value);
fileService->pushKeyFile(key, value);
size++;
node->dirty_type = 1;
cacheHashMap[key] = node;
}
};
class LFUCache final : public Cache {
public:
LFUCache(int cap) {
size = 0;
list = new List();
cacheHashMap = unordered_map<string, Node *>();
capacity = cap;
fileService = new FileService();
pthread_mutex_init(&mutex, NULL);
fileService->getMetaData();
}
/**
* Get the value for the given key.
* @param key
* @return
*
* @ref:
* * https://www.geeksforgeeks.org/check-key-present-cpp-map-unordered_map/
*/
string get(string key) override {
pthread_mutex_lock(&mutex);
if (cacheHashMap.find(key) == cacheHashMap.end()) {
string value = fileService->getValue(key);
if (value.empty()) {
ERROR("LFUCache", "key not found:" + key);
pthread_mutex_unlock(&mutex);
return "key not found";
} else {
add(key, value);
pthread_mutex_unlock(&mutex);
return value;
}
} else {
Node *res = cacheHashMap[key];
res->frequency++;
INFO("LFUCache", "Shifting node.. for key:" + key);
list->shift(res);
pthread_mutex_unlock(&mutex);
return res->value;
}
}
/**
* Insert new value to the cachemap.
* @param key
* @param value
* @return
*/
string put(string key, string value) override {
pthread_mutex_lock(&mutex);
if (cacheHashMap.find(key) != cacheHashMap.end()) {
Node *res = cacheHashMap[key];
cacheHashMap[key]->dirty_type = 2;
cacheHashMap[key]->value = value;
res->frequency++;
INFO("LFUCache", "Shifting node.. for key:" + key);
list->shift(res);
fileService->pushKeyFile(key, value);
INFO("LFUCache", "update successfully!!:" + value);
pthread_mutex_unlock(&mutex);
return "update successfully!!:value" + value;
}
add(key, value);
INFO("LFUCache", "added successfully!!:value" + value);
pthread_mutex_unlock(&mutex);
return "successfully added" + value;
}
string del(string key) override {
pthread_mutex_lock(&mutex);
if (cacheHashMap.find(key) != cacheHashMap.end()) {
list->remove(cacheHashMap[key]);
cacheHashMap.erase(key);
size--;
fileService->popKeyFile(key);
INFO("LFUCache", "successfully deleted for key:" + key);
pthread_mutex_unlock(&mutex);
return "successfully deleted: " + key;
} else {
int val = fileService->popKeyFile(key);
if (val) {
INFO("LFUCache", "successfully deleted for key:" + key);
pthread_mutex_unlock(&mutex);
return "successfully deleted: " + key;
} else {
ERROR("LFUCache", "key not found:" + key);
pthread_mutex_unlock(&mutex);
return "key not found";
}
}
}
private:
void add(std::string key, std::string value) {
if (size == capacity) {
cacheHashMap.erase(list->last()->key);
list->remove_last();
size--;
}
Node *node = list->push_rear(key, value);
fileService->pushKeyFile(key, value);
size++;
node->dirty_type = 1;
cacheHashMap[key] = node;
}
};
\ No newline at end of file
#include <iostream>
#include <utility>
#include <string.h>
/**
* Single cache node that holds key value pair.
*/
class Node {
public:
std::string key, value;
char dirty_type;
int frequency;
Node *prev;
Node *next;
Node(std::string key, std::string value) : key(key), value(value), dirty_type(0), prev(NULL), next(NULL),
frequency(1) {
}
};
/**
* List data-structure to hold multiple cache node.
*/
class List {
private:
Node *front, *rear;
public:
/**
* Default constructor for initializing the queue.
*/
List() {
front = NULL;
rear = NULL;
}
/**
* Checking if the queue is empty or not
* @return true if empty
*/
bool isEmpty() {
return rear == NULL;
}
/**
* Returns the last element
* @return
*/
Node *last() {
return rear;
}
/**
* Add key at the front of the queue.
* @param key
* @param value
* @return Node
*/
Node *push_front(std::string key, std::string value) {
Node *node = new Node(key, value);
if (front == NULL && rear == NULL) {
front = rear = node;
} else {
node->next = front;
front->prev = node;
front = node;
}
return node;
}
/**
* Fetch the node from the queue and push it to the front of the doublylinked queue.
* @param node
*/
void pop_push_front(Node *node) {
//fetching the node from the list
if (node == front) {
return;
} else if (node == rear) {
rear = rear->prev;
rear->next = nullptr;
} else {
node->next->prev = node->prev;
node->prev->next = node->next;
}
node->prev = nullptr;
//pushing to the front.
node->next = front;
front->prev = node;
front = node;
}
/**
* delete last element from the list
*/
void remove_last() {
Node *temp;
if (isEmpty()) {
return;
}
temp = rear;
if (front == rear) {
front = rear = NULL;
} else {
rear = rear->prev;
rear->next = NULL;
}
delete temp;
}
/**
* Delete the node from the given doubly linked list.
* @param node
*/
void remove(Node *node) {
if (node == rear) {
remove_last();
return;
} else if (node == front) {
front = node->next;
front->prev = node->prev;
} else {
node->next->prev = node->prev;
node->prev->next = node->next;
}
delete node;
}
void shift(Node *node) {
Node *temp;
if (node == front) {
return;
} else if (node == rear) {
temp = node->prev;
rear = rear->prev;
rear->next = nullptr;
} else {
temp = node->prev;
node->next->prev = node->prev;
node->prev->next = node->next;
}
node->prev = nullptr;
node->next = nullptr;
while (temp != nullptr) {
if (node->frequency <= temp->frequency) {
if(temp == rear){
temp->next=node;
node->prev=temp;
rear = node;
break;
}
temp->next->prev = node;
node->next = temp->next;
node->prev = temp;
temp->next = node;
break;
} else {
if (temp == front) {
node->next = front;
front->prev = node;
front = node;
break;
}
temp = temp->prev;
}
}
}
Node *push_rear(std::string key, std::string value) {
Node *node = new Node(key, value);
if (front == NULL && rear == NULL) {
front = rear = node;
} else {
rear->next = node;
node->prev = rear;
rear = node;
}
return node;
}
};
\ No newline at end of file
#include <iostream>
#include <bits/stdc++.h>
#include <sys/types.h>
#include <thread>
#define RESET "\033[0m"
#define BLACK "\033[30m" /* Black */
#define RED "\033[31m" /* Red */
#define GREEN "\033[32m" /* Green */
#define YELLOW "\033[33m" /* Yellow */
#define BLUE "\033[34m" /* Blue */
#define MAGENTA "\033[35m" /* Magenta */
#define CYAN "\033[36m" /* Cyan */
#define WHITE "\033[37m" /* White */
#define BOLDBLACK "\033[1m\033[30m" /* Bold Black */
#define BOLDRED "\033[1m\033[31m" /* Bold Red */
#define BOLDGREEN "\033[1m\033[32m" /* Bold Green */
#define BOLDYELLOW "\033[1m\033[33m" /* Bold Yellow */
#define BOLDBLUE "\033[1m\033[34m" /* Bold Blue */
#define BOLDMAGENTA "\033[1m\033[35m" /* Bold Magenta */
#define BOLDCYAN "\033[1m\033[36m" /* Bold Cyan */
#define BOLDWHITE "\033[1m\033[37m"
std::string getThreadId() {
auto myid = std::this_thread::get_id();
std::stringstream ss;
ss << myid;
return ss.str();
}
inline void ERROR(std::string ctx, std::string message) {
std::cout << RED << "thread:" + getThreadId() + " | " + ctx + " | " + message << RESET << std::endl;
}
inline void INFO(std::string ctx, std::string message) {
std::cout << WHITE << "thread:" + getThreadId() + " | " + ctx + " | " + message << RESET << std::endl;
}
inline void WARN(std::string ctx, std::string message) {
std::cout << BLUE << "thread:" + getThreadId() + " | " + ctx + " | " + message << RESET << std::endl;
}
\ No newline at end of file
File added
// Generated by the gRPC C++ plugin.
// If you make any local change, they will be lost.
// source: keyvalue.proto
#include "keyvalue.pb.h"
#include "keyvalue.grpc.pb.h"
#include <functional>
#include <grpcpp/impl/codegen/async_stream.h>
#include <grpcpp/impl/codegen/async_unary_call.h>
#include <grpcpp/impl/codegen/channel_interface.h>
#include <grpcpp/impl/codegen/client_unary_call.h>
#include <grpcpp/impl/codegen/client_callback.h>
#include <grpcpp/impl/codegen/message_allocator.h>
#include <grpcpp/impl/codegen/method_handler.h>
#include <grpcpp/impl/codegen/rpc_service_method.h>
#include <grpcpp/impl/codegen/server_callback.h>
#include <grpcpp/impl/codegen/server_callback_handlers.h>
#include <grpcpp/impl/codegen/server_context.h>
#include <grpcpp/impl/codegen/service_type.h>
#include <grpcpp/impl/codegen/sync_stream.h>
namespace keyvaluestore {
static const char* KeyValueStore_method_names[] = {
"/keyvaluestore.KeyValueStore/GetValues",
"/keyvaluestore.KeyValueStore/PutValues",
"/keyvaluestore.KeyValueStore/DelValue",
};
std::unique_ptr< KeyValueStore::Stub> KeyValueStore::NewStub(const std::shared_ptr< ::grpc::ChannelInterface>& channel, const ::grpc::StubOptions& options) {
(void)options;
std::unique_ptr< KeyValueStore::Stub> stub(new KeyValueStore::Stub(channel, options));
return stub;
}
KeyValueStore::Stub::Stub(const std::shared_ptr< ::grpc::ChannelInterface>& channel, const ::grpc::StubOptions& options)
: channel_(channel), rpcmethod_GetValues_(KeyValueStore_method_names[0], options.suffix_for_stats(),::grpc::internal::RpcMethod::NORMAL_RPC, channel)
, rpcmethod_PutValues_(KeyValueStore_method_names[1], options.suffix_for_stats(),::grpc::internal::RpcMethod::NORMAL_RPC, channel)
, rpcmethod_DelValue_(KeyValueStore_method_names[2], options.suffix_for_stats(),::grpc::internal::RpcMethod::NORMAL_RPC, channel)
{}
::grpc::Status KeyValueStore::Stub::GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) {
return ::grpc::internal::BlockingUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), rpcmethod_GetValues_, context, request, response);
}
void KeyValueStore::Stub::async::GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)> f) {
::grpc::internal::CallbackUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_GetValues_, context, request, response, std::move(f));
}
void KeyValueStore::Stub::async::GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) {
::grpc::internal::ClientCallbackUnaryFactory::Create< ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_GetValues_, context, request, response, reactor);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::PrepareAsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return ::grpc::internal::ClientAsyncResponseReaderHelper::Create< ::keyvaluestore::Response, ::keyvaluestore::Request, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), cq, rpcmethod_GetValues_, context, request);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::AsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
auto* result =
this->PrepareAsyncGetValuesRaw(context, request, cq);
result->StartCall();
return result;
}
::grpc::Status KeyValueStore::Stub::PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) {
return ::grpc::internal::BlockingUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), rpcmethod_PutValues_, context, request, response);
}
void KeyValueStore::Stub::async::PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)> f) {
::grpc::internal::CallbackUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_PutValues_, context, request, response, std::move(f));
}
void KeyValueStore::Stub::async::PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) {
::grpc::internal::ClientCallbackUnaryFactory::Create< ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_PutValues_, context, request, response, reactor);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::PrepareAsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return ::grpc::internal::ClientAsyncResponseReaderHelper::Create< ::keyvaluestore::Response, ::keyvaluestore::Request, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), cq, rpcmethod_PutValues_, context, request);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::AsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
auto* result =
this->PrepareAsyncPutValuesRaw(context, request, cq);
result->StartCall();
return result;
}
::grpc::Status KeyValueStore::Stub::DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) {
return ::grpc::internal::BlockingUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), rpcmethod_DelValue_, context, request, response);
}
void KeyValueStore::Stub::async::DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)> f) {
::grpc::internal::CallbackUnaryCall< ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_DelValue_, context, request, response, std::move(f));
}
void KeyValueStore::Stub::async::DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) {
::grpc::internal::ClientCallbackUnaryFactory::Create< ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(stub_->channel_.get(), stub_->rpcmethod_DelValue_, context, request, response, reactor);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::PrepareAsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return ::grpc::internal::ClientAsyncResponseReaderHelper::Create< ::keyvaluestore::Response, ::keyvaluestore::Request, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(channel_.get(), cq, rpcmethod_DelValue_, context, request);
}
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* KeyValueStore::Stub::AsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
auto* result =
this->PrepareAsyncDelValueRaw(context, request, cq);
result->StartCall();
return result;
}
KeyValueStore::Service::Service() {
AddMethod(new ::grpc::internal::RpcServiceMethod(
KeyValueStore_method_names[0],
::grpc::internal::RpcMethod::NORMAL_RPC,
new ::grpc::internal::RpcMethodHandler< KeyValueStore::Service, ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(
[](KeyValueStore::Service* service,
::grpc::ServerContext* ctx,
const ::keyvaluestore::Request* req,
::keyvaluestore::Response* resp) {
return service->GetValues(ctx, req, resp);
}, this)));
AddMethod(new ::grpc::internal::RpcServiceMethod(
KeyValueStore_method_names[1],
::grpc::internal::RpcMethod::NORMAL_RPC,
new ::grpc::internal::RpcMethodHandler< KeyValueStore::Service, ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(
[](KeyValueStore::Service* service,
::grpc::ServerContext* ctx,
const ::keyvaluestore::Request* req,
::keyvaluestore::Response* resp) {
return service->PutValues(ctx, req, resp);
}, this)));
AddMethod(new ::grpc::internal::RpcServiceMethod(
KeyValueStore_method_names[2],
::grpc::internal::RpcMethod::NORMAL_RPC,
new ::grpc::internal::RpcMethodHandler< KeyValueStore::Service, ::keyvaluestore::Request, ::keyvaluestore::Response, ::grpc::protobuf::MessageLite, ::grpc::protobuf::MessageLite>(
[](KeyValueStore::Service* service,
::grpc::ServerContext* ctx,
const ::keyvaluestore::Request* req,
::keyvaluestore::Response* resp) {
return service->DelValue(ctx, req, resp);
}, this)));
}
KeyValueStore::Service::~Service() {
}
::grpc::Status KeyValueStore::Service::GetValues(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) {
(void) context;
(void) request;
(void) response;
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
::grpc::Status KeyValueStore::Service::PutValues(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) {
(void) context;
(void) request;
(void) response;
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
::grpc::Status KeyValueStore::Service::DelValue(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) {
(void) context;
(void) request;
(void) response;
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
} // namespace keyvaluestore
// Generated by the gRPC C++ plugin.
// If you make any local change, they will be lost.
// source: keyvalue.proto
#ifndef GRPC_keyvalue_2eproto__INCLUDED
#define GRPC_keyvalue_2eproto__INCLUDED
#include "keyvalue.pb.h"
#include <functional>
#include <grpcpp/impl/codegen/async_generic_service.h>
#include <grpcpp/impl/codegen/async_stream.h>
#include <grpcpp/impl/codegen/async_unary_call.h>
#include <grpcpp/impl/codegen/client_callback.h>
#include <grpcpp/impl/codegen/client_context.h>
#include <grpcpp/impl/codegen/completion_queue.h>
#include <grpcpp/impl/codegen/message_allocator.h>
#include <grpcpp/impl/codegen/method_handler.h>
#include <grpcpp/impl/codegen/proto_utils.h>
#include <grpcpp/impl/codegen/rpc_method.h>
#include <grpcpp/impl/codegen/server_callback.h>
#include <grpcpp/impl/codegen/server_callback_handlers.h>
#include <grpcpp/impl/codegen/server_context.h>
#include <grpcpp/impl/codegen/service_type.h>
#include <grpcpp/impl/codegen/status.h>
#include <grpcpp/impl/codegen/stub_options.h>
#include <grpcpp/impl/codegen/sync_stream.h>
namespace keyvaluestore {
// A simple key-value storage service
class KeyValueStore final {
public:
static constexpr char const* service_full_name() {
return "keyvaluestore.KeyValueStore";
}
class StubInterface {
public:
virtual ~StubInterface() {}
// Provides a value for each key request
virtual ::grpc::Status GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) = 0;
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> AsyncGetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(AsyncGetValuesRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> PrepareAsyncGetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(PrepareAsyncGetValuesRaw(context, request, cq));
}
virtual ::grpc::Status PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) = 0;
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> AsyncPutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(AsyncPutValuesRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> PrepareAsyncPutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(PrepareAsyncPutValuesRaw(context, request, cq));
}
virtual ::grpc::Status DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) = 0;
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> AsyncDelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(AsyncDelValueRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>> PrepareAsyncDelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>>(PrepareAsyncDelValueRaw(context, request, cq));
}
class async_interface {
public:
virtual ~async_interface() {}
// Provides a value for each key request
virtual void GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) = 0;
virtual void GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) = 0;
virtual void PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) = 0;
virtual void PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) = 0;
virtual void DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) = 0;
virtual void DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) = 0;
};
typedef class async_interface experimental_async_interface;
virtual class async_interface* async() { return nullptr; }
class async_interface* experimental_async() { return async(); }
private:
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* AsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* PrepareAsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* AsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* PrepareAsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* AsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
virtual ::grpc::ClientAsyncResponseReaderInterface< ::keyvaluestore::Response>* PrepareAsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) = 0;
};
class Stub final : public StubInterface {
public:
Stub(const std::shared_ptr< ::grpc::ChannelInterface>& channel, const ::grpc::StubOptions& options = ::grpc::StubOptions());
::grpc::Status GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) override;
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> AsyncGetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(AsyncGetValuesRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> PrepareAsyncGetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(PrepareAsyncGetValuesRaw(context, request, cq));
}
::grpc::Status PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) override;
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> AsyncPutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(AsyncPutValuesRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> PrepareAsyncPutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(PrepareAsyncPutValuesRaw(context, request, cq));
}
::grpc::Status DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::keyvaluestore::Response* response) override;
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> AsyncDelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(AsyncDelValueRaw(context, request, cq));
}
std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>> PrepareAsyncDelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) {
return std::unique_ptr< ::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>>(PrepareAsyncDelValueRaw(context, request, cq));
}
class async final :
public StubInterface::async_interface {
public:
void GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) override;
void GetValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) override;
void PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) override;
void PutValues(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) override;
void DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, std::function<void(::grpc::Status)>) override;
void DelValue(::grpc::ClientContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response, ::grpc::ClientUnaryReactor* reactor) override;
private:
friend class Stub;
explicit async(Stub* stub): stub_(stub) { }
Stub* stub() { return stub_; }
Stub* stub_;
};
class async* async() override { return &async_stub_; }
private:
std::shared_ptr< ::grpc::ChannelInterface> channel_;
class async async_stub_{this};
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* AsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* PrepareAsyncGetValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* AsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* PrepareAsyncPutValuesRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* AsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
::grpc::ClientAsyncResponseReader< ::keyvaluestore::Response>* PrepareAsyncDelValueRaw(::grpc::ClientContext* context, const ::keyvaluestore::Request& request, ::grpc::CompletionQueue* cq) override;
const ::grpc::internal::RpcMethod rpcmethod_GetValues_;
const ::grpc::internal::RpcMethod rpcmethod_PutValues_;
const ::grpc::internal::RpcMethod rpcmethod_DelValue_;
};
static std::unique_ptr<Stub> NewStub(const std::shared_ptr< ::grpc::ChannelInterface>& channel, const ::grpc::StubOptions& options = ::grpc::StubOptions());
class Service : public ::grpc::Service {
public:
Service();
virtual ~Service();
// Provides a value for each key request
virtual ::grpc::Status GetValues(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response);
virtual ::grpc::Status PutValues(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response);
virtual ::grpc::Status DelValue(::grpc::ServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response);
};
template <class BaseClass>
class WithAsyncMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithAsyncMethod_GetValues() {
::grpc::Service::MarkMethodAsync(0);
}
~WithAsyncMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestGetValues(::grpc::ServerContext* context, ::keyvaluestore::Request* request, ::grpc::ServerAsyncResponseWriter< ::keyvaluestore::Response>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(0, context, request, response, new_call_cq, notification_cq, tag);
}
};
template <class BaseClass>
class WithAsyncMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithAsyncMethod_PutValues() {
::grpc::Service::MarkMethodAsync(1);
}
~WithAsyncMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestPutValues(::grpc::ServerContext* context, ::keyvaluestore::Request* request, ::grpc::ServerAsyncResponseWriter< ::keyvaluestore::Response>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(1, context, request, response, new_call_cq, notification_cq, tag);
}
};
template <class BaseClass>
class WithAsyncMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithAsyncMethod_DelValue() {
::grpc::Service::MarkMethodAsync(2);
}
~WithAsyncMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestDelValue(::grpc::ServerContext* context, ::keyvaluestore::Request* request, ::grpc::ServerAsyncResponseWriter< ::keyvaluestore::Response>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(2, context, request, response, new_call_cq, notification_cq, tag);
}
};
typedef WithAsyncMethod_GetValues<WithAsyncMethod_PutValues<WithAsyncMethod_DelValue<Service > > > AsyncService;
template <class BaseClass>
class WithCallbackMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithCallbackMethod_GetValues() {
::grpc::Service::MarkMethodCallback(0,
new ::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](
::grpc::CallbackServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) { return this->GetValues(context, request, response); }));}
void SetMessageAllocatorFor_GetValues(
::grpc::MessageAllocator< ::keyvaluestore::Request, ::keyvaluestore::Response>* allocator) {
::grpc::internal::MethodHandler* const handler = ::grpc::Service::GetHandler(0);
static_cast<::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>*>(handler)
->SetMessageAllocator(allocator);
}
~WithCallbackMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* GetValues(
::grpc::CallbackServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) { return nullptr; }
};
template <class BaseClass>
class WithCallbackMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithCallbackMethod_PutValues() {
::grpc::Service::MarkMethodCallback(1,
new ::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](
::grpc::CallbackServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) { return this->PutValues(context, request, response); }));}
void SetMessageAllocatorFor_PutValues(
::grpc::MessageAllocator< ::keyvaluestore::Request, ::keyvaluestore::Response>* allocator) {
::grpc::internal::MethodHandler* const handler = ::grpc::Service::GetHandler(1);
static_cast<::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>*>(handler)
->SetMessageAllocator(allocator);
}
~WithCallbackMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* PutValues(
::grpc::CallbackServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) { return nullptr; }
};
template <class BaseClass>
class WithCallbackMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithCallbackMethod_DelValue() {
::grpc::Service::MarkMethodCallback(2,
new ::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](
::grpc::CallbackServerContext* context, const ::keyvaluestore::Request* request, ::keyvaluestore::Response* response) { return this->DelValue(context, request, response); }));}
void SetMessageAllocatorFor_DelValue(
::grpc::MessageAllocator< ::keyvaluestore::Request, ::keyvaluestore::Response>* allocator) {
::grpc::internal::MethodHandler* const handler = ::grpc::Service::GetHandler(2);
static_cast<::grpc::internal::CallbackUnaryHandler< ::keyvaluestore::Request, ::keyvaluestore::Response>*>(handler)
->SetMessageAllocator(allocator);
}
~WithCallbackMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* DelValue(
::grpc::CallbackServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) { return nullptr; }
};
typedef WithCallbackMethod_GetValues<WithCallbackMethod_PutValues<WithCallbackMethod_DelValue<Service > > > CallbackService;
typedef CallbackService ExperimentalCallbackService;
template <class BaseClass>
class WithGenericMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithGenericMethod_GetValues() {
::grpc::Service::MarkMethodGeneric(0);
}
~WithGenericMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
};
template <class BaseClass>
class WithGenericMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithGenericMethod_PutValues() {
::grpc::Service::MarkMethodGeneric(1);
}
~WithGenericMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
};
template <class BaseClass>
class WithGenericMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithGenericMethod_DelValue() {
::grpc::Service::MarkMethodGeneric(2);
}
~WithGenericMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
};
template <class BaseClass>
class WithRawMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawMethod_GetValues() {
::grpc::Service::MarkMethodRaw(0);
}
~WithRawMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestGetValues(::grpc::ServerContext* context, ::grpc::ByteBuffer* request, ::grpc::ServerAsyncResponseWriter< ::grpc::ByteBuffer>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(0, context, request, response, new_call_cq, notification_cq, tag);
}
};
template <class BaseClass>
class WithRawMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawMethod_PutValues() {
::grpc::Service::MarkMethodRaw(1);
}
~WithRawMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestPutValues(::grpc::ServerContext* context, ::grpc::ByteBuffer* request, ::grpc::ServerAsyncResponseWriter< ::grpc::ByteBuffer>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(1, context, request, response, new_call_cq, notification_cq, tag);
}
};
template <class BaseClass>
class WithRawMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawMethod_DelValue() {
::grpc::Service::MarkMethodRaw(2);
}
~WithRawMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
void RequestDelValue(::grpc::ServerContext* context, ::grpc::ByteBuffer* request, ::grpc::ServerAsyncResponseWriter< ::grpc::ByteBuffer>* response, ::grpc::CompletionQueue* new_call_cq, ::grpc::ServerCompletionQueue* notification_cq, void *tag) {
::grpc::Service::RequestAsyncUnary(2, context, request, response, new_call_cq, notification_cq, tag);
}
};
template <class BaseClass>
class WithRawCallbackMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawCallbackMethod_GetValues() {
::grpc::Service::MarkMethodRawCallback(0,
new ::grpc::internal::CallbackUnaryHandler< ::grpc::ByteBuffer, ::grpc::ByteBuffer>(
[this](
::grpc::CallbackServerContext* context, const ::grpc::ByteBuffer* request, ::grpc::ByteBuffer* response) { return this->GetValues(context, request, response); }));
}
~WithRawCallbackMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* GetValues(
::grpc::CallbackServerContext* /*context*/, const ::grpc::ByteBuffer* /*request*/, ::grpc::ByteBuffer* /*response*/) { return nullptr; }
};
template <class BaseClass>
class WithRawCallbackMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawCallbackMethod_PutValues() {
::grpc::Service::MarkMethodRawCallback(1,
new ::grpc::internal::CallbackUnaryHandler< ::grpc::ByteBuffer, ::grpc::ByteBuffer>(
[this](
::grpc::CallbackServerContext* context, const ::grpc::ByteBuffer* request, ::grpc::ByteBuffer* response) { return this->PutValues(context, request, response); }));
}
~WithRawCallbackMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* PutValues(
::grpc::CallbackServerContext* /*context*/, const ::grpc::ByteBuffer* /*request*/, ::grpc::ByteBuffer* /*response*/) { return nullptr; }
};
template <class BaseClass>
class WithRawCallbackMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithRawCallbackMethod_DelValue() {
::grpc::Service::MarkMethodRawCallback(2,
new ::grpc::internal::CallbackUnaryHandler< ::grpc::ByteBuffer, ::grpc::ByteBuffer>(
[this](
::grpc::CallbackServerContext* context, const ::grpc::ByteBuffer* request, ::grpc::ByteBuffer* response) { return this->DelValue(context, request, response); }));
}
~WithRawCallbackMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable synchronous version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
virtual ::grpc::ServerUnaryReactor* DelValue(
::grpc::CallbackServerContext* /*context*/, const ::grpc::ByteBuffer* /*request*/, ::grpc::ByteBuffer* /*response*/) { return nullptr; }
};
template <class BaseClass>
class WithStreamedUnaryMethod_GetValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithStreamedUnaryMethod_GetValues() {
::grpc::Service::MarkMethodStreamed(0,
new ::grpc::internal::StreamedUnaryHandler<
::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](::grpc::ServerContext* context,
::grpc::ServerUnaryStreamer<
::keyvaluestore::Request, ::keyvaluestore::Response>* streamer) {
return this->StreamedGetValues(context,
streamer);
}));
}
~WithStreamedUnaryMethod_GetValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable regular version of this method
::grpc::Status GetValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
// replace default version of method with streamed unary
virtual ::grpc::Status StreamedGetValues(::grpc::ServerContext* context, ::grpc::ServerUnaryStreamer< ::keyvaluestore::Request,::keyvaluestore::Response>* server_unary_streamer) = 0;
};
template <class BaseClass>
class WithStreamedUnaryMethod_PutValues : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithStreamedUnaryMethod_PutValues() {
::grpc::Service::MarkMethodStreamed(1,
new ::grpc::internal::StreamedUnaryHandler<
::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](::grpc::ServerContext* context,
::grpc::ServerUnaryStreamer<
::keyvaluestore::Request, ::keyvaluestore::Response>* streamer) {
return this->StreamedPutValues(context,
streamer);
}));
}
~WithStreamedUnaryMethod_PutValues() override {
BaseClassMustBeDerivedFromService(this);
}
// disable regular version of this method
::grpc::Status PutValues(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
// replace default version of method with streamed unary
virtual ::grpc::Status StreamedPutValues(::grpc::ServerContext* context, ::grpc::ServerUnaryStreamer< ::keyvaluestore::Request,::keyvaluestore::Response>* server_unary_streamer) = 0;
};
template <class BaseClass>
class WithStreamedUnaryMethod_DelValue : public BaseClass {
private:
void BaseClassMustBeDerivedFromService(const Service* /*service*/) {}
public:
WithStreamedUnaryMethod_DelValue() {
::grpc::Service::MarkMethodStreamed(2,
new ::grpc::internal::StreamedUnaryHandler<
::keyvaluestore::Request, ::keyvaluestore::Response>(
[this](::grpc::ServerContext* context,
::grpc::ServerUnaryStreamer<
::keyvaluestore::Request, ::keyvaluestore::Response>* streamer) {
return this->StreamedDelValue(context,
streamer);
}));
}
~WithStreamedUnaryMethod_DelValue() override {
BaseClassMustBeDerivedFromService(this);
}
// disable regular version of this method
::grpc::Status DelValue(::grpc::ServerContext* /*context*/, const ::keyvaluestore::Request* /*request*/, ::keyvaluestore::Response* /*response*/) override {
abort();
return ::grpc::Status(::grpc::StatusCode::UNIMPLEMENTED, "");
}
// replace default version of method with streamed unary
virtual ::grpc::Status StreamedDelValue(::grpc::ServerContext* context, ::grpc::ServerUnaryStreamer< ::keyvaluestore::Request,::keyvaluestore::Response>* server_unary_streamer) = 0;
};
typedef WithStreamedUnaryMethod_GetValues<WithStreamedUnaryMethod_PutValues<WithStreamedUnaryMethod_DelValue<Service > > > StreamedUnaryService;
typedef Service SplitStreamedService;
typedef WithStreamedUnaryMethod_GetValues<WithStreamedUnaryMethod_PutValues<WithStreamedUnaryMethod_DelValue<Service > > > StreamedService;
};
} // namespace keyvaluestore
#endif // GRPC_keyvalue_2eproto__INCLUDED
// Generated by the protocol buffer compiler. DO NOT EDIT!
// source: keyvalue.proto
#include "keyvalue.pb.h"
#include <algorithm>
#include <google/protobuf/io/coded_stream.h>
#include <google/protobuf/extension_set.h>
#include <google/protobuf/wire_format_lite.h>
#include <google/protobuf/descriptor.h>
#include <google/protobuf/generated_message_reflection.h>
#include <google/protobuf/reflection_ops.h>
#include <google/protobuf/wire_format.h>
// @@protoc_insertion_point(includes)
#include <google/protobuf/port_def.inc>
PROTOBUF_PRAGMA_INIT_SEG
namespace keyvaluestore {
constexpr Request::Request(
::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized)
: key_(&::PROTOBUF_NAMESPACE_ID::internal::fixed_address_empty_string)
, value_(&::PROTOBUF_NAMESPACE_ID::internal::fixed_address_empty_string)
, type_(0){}
struct RequestDefaultTypeInternal {
constexpr RequestDefaultTypeInternal()
: _instance(::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized{}) {}
~RequestDefaultTypeInternal() {}
union {
Request _instance;
};
};
PROTOBUF_ATTRIBUTE_NO_DESTROY PROTOBUF_CONSTINIT RequestDefaultTypeInternal _Request_default_instance_;
constexpr Response::Response(
::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized)
: value_(&::PROTOBUF_NAMESPACE_ID::internal::fixed_address_empty_string){}
struct ResponseDefaultTypeInternal {
constexpr ResponseDefaultTypeInternal()
: _instance(::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized{}) {}
~ResponseDefaultTypeInternal() {}
union {
Response _instance;
};
};
PROTOBUF_ATTRIBUTE_NO_DESTROY PROTOBUF_CONSTINIT ResponseDefaultTypeInternal _Response_default_instance_;
} // namespace keyvaluestore
static ::PROTOBUF_NAMESPACE_ID::Metadata file_level_metadata_keyvalue_2eproto[2];
static constexpr ::PROTOBUF_NAMESPACE_ID::EnumDescriptor const** file_level_enum_descriptors_keyvalue_2eproto = nullptr;
static constexpr ::PROTOBUF_NAMESPACE_ID::ServiceDescriptor const** file_level_service_descriptors_keyvalue_2eproto = nullptr;
const ::PROTOBUF_NAMESPACE_ID::uint32 TableStruct_keyvalue_2eproto::offsets[] PROTOBUF_SECTION_VARIABLE(protodesc_cold) = {
~0u, // no _has_bits_
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Request, _internal_metadata_),
~0u, // no _extensions_
~0u, // no _oneof_case_
~0u, // no _weak_field_map_
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Request, key_),
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Request, value_),
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Request, type_),
~0u, // no _has_bits_
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Response, _internal_metadata_),
~0u, // no _extensions_
~0u, // no _oneof_case_
~0u, // no _weak_field_map_
PROTOBUF_FIELD_OFFSET(::keyvaluestore::Response, value_),
};
static const ::PROTOBUF_NAMESPACE_ID::internal::MigrationSchema schemas[] PROTOBUF_SECTION_VARIABLE(protodesc_cold) = {
{ 0, -1, sizeof(::keyvaluestore::Request)},
{ 8, -1, sizeof(::keyvaluestore::Response)},
};
static ::PROTOBUF_NAMESPACE_ID::Message const * const file_default_instances[] = {
reinterpret_cast<const ::PROTOBUF_NAMESPACE_ID::Message*>(&::keyvaluestore::_Request_default_instance_),
reinterpret_cast<const ::PROTOBUF_NAMESPACE_ID::Message*>(&::keyvaluestore::_Response_default_instance_),
};
const char descriptor_table_protodef_keyvalue_2eproto[] PROTOBUF_SECTION_VARIABLE(protodesc_cold) =
"\n\016keyvalue.proto\022\rkeyvaluestore\"3\n\007Reque"
"st\022\013\n\003key\030\001 \001(\t\022\r\n\005value\030\002 \001(\t\022\014\n\004type\030\003"
" \001(\005\"\031\n\010Response\022\r\n\005value\030\001 \001(\t2\316\001\n\rKeyV"
"alueStore\022>\n\tGetValues\022\026.keyvaluestore.R"
"equest\032\027.keyvaluestore.Response\"\000\022>\n\tPut"
"Values\022\026.keyvaluestore.Request\032\027.keyvalu"
"estore.Response\"\000\022=\n\010DelValue\022\026.keyvalue"
"store.Request\032\027.keyvaluestore.Response\"\000"
"b\006proto3"
;
static ::PROTOBUF_NAMESPACE_ID::internal::once_flag descriptor_table_keyvalue_2eproto_once;
const ::PROTOBUF_NAMESPACE_ID::internal::DescriptorTable descriptor_table_keyvalue_2eproto = {
false, false, 328, descriptor_table_protodef_keyvalue_2eproto, "keyvalue.proto",
&descriptor_table_keyvalue_2eproto_once, nullptr, 0, 2,
schemas, file_default_instances, TableStruct_keyvalue_2eproto::offsets,
file_level_metadata_keyvalue_2eproto, file_level_enum_descriptors_keyvalue_2eproto, file_level_service_descriptors_keyvalue_2eproto,
};
PROTOBUF_ATTRIBUTE_WEAK ::PROTOBUF_NAMESPACE_ID::Metadata
descriptor_table_keyvalue_2eproto_metadata_getter(int index) {
::PROTOBUF_NAMESPACE_ID::internal::AssignDescriptors(&descriptor_table_keyvalue_2eproto);
return descriptor_table_keyvalue_2eproto.file_level_metadata[index];
}
// Force running AddDescriptors() at dynamic initialization time.
PROTOBUF_ATTRIBUTE_INIT_PRIORITY static ::PROTOBUF_NAMESPACE_ID::internal::AddDescriptorsRunner dynamic_init_dummy_keyvalue_2eproto(&descriptor_table_keyvalue_2eproto);
namespace keyvaluestore {
// ===================================================================
class Request::_Internal {
public:
};
Request::Request(::PROTOBUF_NAMESPACE_ID::Arena* arena)
: ::PROTOBUF_NAMESPACE_ID::Message(arena) {
SharedCtor();
RegisterArenaDtor(arena);
// @@protoc_insertion_point(arena_constructor:keyvaluestore.Request)
}
Request::Request(const Request& from)
: ::PROTOBUF_NAMESPACE_ID::Message() {
_internal_metadata_.MergeFrom<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(from._internal_metadata_);
key_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
if (!from._internal_key().empty()) {
key_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, from._internal_key(),
GetArena());
}
value_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
if (!from._internal_value().empty()) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, from._internal_value(),
GetArena());
}
type_ = from.type_;
// @@protoc_insertion_point(copy_constructor:keyvaluestore.Request)
}
void Request::SharedCtor() {
key_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
value_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
type_ = 0;
}
Request::~Request() {
// @@protoc_insertion_point(destructor:keyvaluestore.Request)
SharedDtor();
_internal_metadata_.Delete<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>();
}
void Request::SharedDtor() {
GOOGLE_DCHECK(GetArena() == nullptr);
key_.DestroyNoArena(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
value_.DestroyNoArena(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
}
void Request::ArenaDtor(void* object) {
Request* _this = reinterpret_cast< Request* >(object);
(void)_this;
}
void Request::RegisterArenaDtor(::PROTOBUF_NAMESPACE_ID::Arena*) {
}
void Request::SetCachedSize(int size) const {
_cached_size_.Set(size);
}
void Request::Clear() {
// @@protoc_insertion_point(message_clear_start:keyvaluestore.Request)
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
// Prevent compiler warnings about cached_has_bits being unused
(void) cached_has_bits;
key_.ClearToEmpty();
value_.ClearToEmpty();
type_ = 0;
_internal_metadata_.Clear<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>();
}
const char* Request::_InternalParse(const char* ptr, ::PROTOBUF_NAMESPACE_ID::internal::ParseContext* ctx) {
#define CHK_(x) if (PROTOBUF_PREDICT_FALSE(!(x))) goto failure
while (!ctx->Done(&ptr)) {
::PROTOBUF_NAMESPACE_ID::uint32 tag;
ptr = ::PROTOBUF_NAMESPACE_ID::internal::ReadTag(ptr, &tag);
CHK_(ptr);
switch (tag >> 3) {
// string key = 1;
case 1:
if (PROTOBUF_PREDICT_TRUE(static_cast<::PROTOBUF_NAMESPACE_ID::uint8>(tag) == 10)) {
auto str = _internal_mutable_key();
ptr = ::PROTOBUF_NAMESPACE_ID::internal::InlineGreedyStringParser(str, ptr, ctx);
CHK_(::PROTOBUF_NAMESPACE_ID::internal::VerifyUTF8(str, "keyvaluestore.Request.key"));
CHK_(ptr);
} else goto handle_unusual;
continue;
// string value = 2;
case 2:
if (PROTOBUF_PREDICT_TRUE(static_cast<::PROTOBUF_NAMESPACE_ID::uint8>(tag) == 18)) {
auto str = _internal_mutable_value();
ptr = ::PROTOBUF_NAMESPACE_ID::internal::InlineGreedyStringParser(str, ptr, ctx);
CHK_(::PROTOBUF_NAMESPACE_ID::internal::VerifyUTF8(str, "keyvaluestore.Request.value"));
CHK_(ptr);
} else goto handle_unusual;
continue;
// int32 type = 3;
case 3:
if (PROTOBUF_PREDICT_TRUE(static_cast<::PROTOBUF_NAMESPACE_ID::uint8>(tag) == 24)) {
type_ = ::PROTOBUF_NAMESPACE_ID::internal::ReadVarint64(&ptr);
CHK_(ptr);
} else goto handle_unusual;
continue;
default: {
handle_unusual:
if ((tag & 7) == 4 || tag == 0) {
ctx->SetLastTag(tag);
goto success;
}
ptr = UnknownFieldParse(tag,
_internal_metadata_.mutable_unknown_fields<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(),
ptr, ctx);
CHK_(ptr != nullptr);
continue;
}
} // switch
} // while
success:
return ptr;
failure:
ptr = nullptr;
goto success;
#undef CHK_
}
::PROTOBUF_NAMESPACE_ID::uint8* Request::_InternalSerialize(
::PROTOBUF_NAMESPACE_ID::uint8* target, ::PROTOBUF_NAMESPACE_ID::io::EpsCopyOutputStream* stream) const {
// @@protoc_insertion_point(serialize_to_array_start:keyvaluestore.Request)
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
(void) cached_has_bits;
// string key = 1;
if (this->key().size() > 0) {
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::VerifyUtf8String(
this->_internal_key().data(), static_cast<int>(this->_internal_key().length()),
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::SERIALIZE,
"keyvaluestore.Request.key");
target = stream->WriteStringMaybeAliased(
1, this->_internal_key(), target);
}
// string value = 2;
if (this->value().size() > 0) {
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::VerifyUtf8String(
this->_internal_value().data(), static_cast<int>(this->_internal_value().length()),
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::SERIALIZE,
"keyvaluestore.Request.value");
target = stream->WriteStringMaybeAliased(
2, this->_internal_value(), target);
}
// int32 type = 3;
if (this->type() != 0) {
target = stream->EnsureSpace(target);
target = ::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::WriteInt32ToArray(3, this->_internal_type(), target);
}
if (PROTOBUF_PREDICT_FALSE(_internal_metadata_.have_unknown_fields())) {
target = ::PROTOBUF_NAMESPACE_ID::internal::WireFormat::InternalSerializeUnknownFieldsToArray(
_internal_metadata_.unknown_fields<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(::PROTOBUF_NAMESPACE_ID::UnknownFieldSet::default_instance), target, stream);
}
// @@protoc_insertion_point(serialize_to_array_end:keyvaluestore.Request)
return target;
}
size_t Request::ByteSizeLong() const {
// @@protoc_insertion_point(message_byte_size_start:keyvaluestore.Request)
size_t total_size = 0;
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
// Prevent compiler warnings about cached_has_bits being unused
(void) cached_has_bits;
// string key = 1;
if (this->key().size() > 0) {
total_size += 1 +
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::StringSize(
this->_internal_key());
}
// string value = 2;
if (this->value().size() > 0) {
total_size += 1 +
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::StringSize(
this->_internal_value());
}
// int32 type = 3;
if (this->type() != 0) {
total_size += 1 +
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::Int32Size(
this->_internal_type());
}
if (PROTOBUF_PREDICT_FALSE(_internal_metadata_.have_unknown_fields())) {
return ::PROTOBUF_NAMESPACE_ID::internal::ComputeUnknownFieldsSize(
_internal_metadata_, total_size, &_cached_size_);
}
int cached_size = ::PROTOBUF_NAMESPACE_ID::internal::ToCachedSize(total_size);
SetCachedSize(cached_size);
return total_size;
}
void Request::MergeFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) {
// @@protoc_insertion_point(generalized_merge_from_start:keyvaluestore.Request)
GOOGLE_DCHECK_NE(&from, this);
const Request* source =
::PROTOBUF_NAMESPACE_ID::DynamicCastToGenerated<Request>(
&from);
if (source == nullptr) {
// @@protoc_insertion_point(generalized_merge_from_cast_fail:keyvaluestore.Request)
::PROTOBUF_NAMESPACE_ID::internal::ReflectionOps::Merge(from, this);
} else {
// @@protoc_insertion_point(generalized_merge_from_cast_success:keyvaluestore.Request)
MergeFrom(*source);
}
}
void Request::MergeFrom(const Request& from) {
// @@protoc_insertion_point(class_specific_merge_from_start:keyvaluestore.Request)
GOOGLE_DCHECK_NE(&from, this);
_internal_metadata_.MergeFrom<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(from._internal_metadata_);
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
(void) cached_has_bits;
if (from.key().size() > 0) {
_internal_set_key(from._internal_key());
}
if (from.value().size() > 0) {
_internal_set_value(from._internal_value());
}
if (from.type() != 0) {
_internal_set_type(from._internal_type());
}
}
void Request::CopyFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) {
// @@protoc_insertion_point(generalized_copy_from_start:keyvaluestore.Request)
if (&from == this) return;
Clear();
MergeFrom(from);
}
void Request::CopyFrom(const Request& from) {
// @@protoc_insertion_point(class_specific_copy_from_start:keyvaluestore.Request)
if (&from == this) return;
Clear();
MergeFrom(from);
}
bool Request::IsInitialized() const {
return true;
}
void Request::InternalSwap(Request* other) {
using std::swap;
_internal_metadata_.Swap<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(&other->_internal_metadata_);
key_.Swap(&other->key_, &::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
value_.Swap(&other->value_, &::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
swap(type_, other->type_);
}
::PROTOBUF_NAMESPACE_ID::Metadata Request::GetMetadata() const {
return GetMetadataStatic();
}
// ===================================================================
class Response::_Internal {
public:
};
Response::Response(::PROTOBUF_NAMESPACE_ID::Arena* arena)
: ::PROTOBUF_NAMESPACE_ID::Message(arena) {
SharedCtor();
RegisterArenaDtor(arena);
// @@protoc_insertion_point(arena_constructor:keyvaluestore.Response)
}
Response::Response(const Response& from)
: ::PROTOBUF_NAMESPACE_ID::Message() {
_internal_metadata_.MergeFrom<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(from._internal_metadata_);
value_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
if (!from._internal_value().empty()) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, from._internal_value(),
GetArena());
}
// @@protoc_insertion_point(copy_constructor:keyvaluestore.Response)
}
void Response::SharedCtor() {
value_.UnsafeSetDefault(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
}
Response::~Response() {
// @@protoc_insertion_point(destructor:keyvaluestore.Response)
SharedDtor();
_internal_metadata_.Delete<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>();
}
void Response::SharedDtor() {
GOOGLE_DCHECK(GetArena() == nullptr);
value_.DestroyNoArena(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited());
}
void Response::ArenaDtor(void* object) {
Response* _this = reinterpret_cast< Response* >(object);
(void)_this;
}
void Response::RegisterArenaDtor(::PROTOBUF_NAMESPACE_ID::Arena*) {
}
void Response::SetCachedSize(int size) const {
_cached_size_.Set(size);
}
void Response::Clear() {
// @@protoc_insertion_point(message_clear_start:keyvaluestore.Response)
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
// Prevent compiler warnings about cached_has_bits being unused
(void) cached_has_bits;
value_.ClearToEmpty();
_internal_metadata_.Clear<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>();
}
const char* Response::_InternalParse(const char* ptr, ::PROTOBUF_NAMESPACE_ID::internal::ParseContext* ctx) {
#define CHK_(x) if (PROTOBUF_PREDICT_FALSE(!(x))) goto failure
while (!ctx->Done(&ptr)) {
::PROTOBUF_NAMESPACE_ID::uint32 tag;
ptr = ::PROTOBUF_NAMESPACE_ID::internal::ReadTag(ptr, &tag);
CHK_(ptr);
switch (tag >> 3) {
// string value = 1;
case 1:
if (PROTOBUF_PREDICT_TRUE(static_cast<::PROTOBUF_NAMESPACE_ID::uint8>(tag) == 10)) {
auto str = _internal_mutable_value();
ptr = ::PROTOBUF_NAMESPACE_ID::internal::InlineGreedyStringParser(str, ptr, ctx);
CHK_(::PROTOBUF_NAMESPACE_ID::internal::VerifyUTF8(str, "keyvaluestore.Response.value"));
CHK_(ptr);
} else goto handle_unusual;
continue;
default: {
handle_unusual:
if ((tag & 7) == 4 || tag == 0) {
ctx->SetLastTag(tag);
goto success;
}
ptr = UnknownFieldParse(tag,
_internal_metadata_.mutable_unknown_fields<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(),
ptr, ctx);
CHK_(ptr != nullptr);
continue;
}
} // switch
} // while
success:
return ptr;
failure:
ptr = nullptr;
goto success;
#undef CHK_
}
::PROTOBUF_NAMESPACE_ID::uint8* Response::_InternalSerialize(
::PROTOBUF_NAMESPACE_ID::uint8* target, ::PROTOBUF_NAMESPACE_ID::io::EpsCopyOutputStream* stream) const {
// @@protoc_insertion_point(serialize_to_array_start:keyvaluestore.Response)
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
(void) cached_has_bits;
// string value = 1;
if (this->value().size() > 0) {
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::VerifyUtf8String(
this->_internal_value().data(), static_cast<int>(this->_internal_value().length()),
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::SERIALIZE,
"keyvaluestore.Response.value");
target = stream->WriteStringMaybeAliased(
1, this->_internal_value(), target);
}
if (PROTOBUF_PREDICT_FALSE(_internal_metadata_.have_unknown_fields())) {
target = ::PROTOBUF_NAMESPACE_ID::internal::WireFormat::InternalSerializeUnknownFieldsToArray(
_internal_metadata_.unknown_fields<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(::PROTOBUF_NAMESPACE_ID::UnknownFieldSet::default_instance), target, stream);
}
// @@protoc_insertion_point(serialize_to_array_end:keyvaluestore.Response)
return target;
}
size_t Response::ByteSizeLong() const {
// @@protoc_insertion_point(message_byte_size_start:keyvaluestore.Response)
size_t total_size = 0;
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
// Prevent compiler warnings about cached_has_bits being unused
(void) cached_has_bits;
// string value = 1;
if (this->value().size() > 0) {
total_size += 1 +
::PROTOBUF_NAMESPACE_ID::internal::WireFormatLite::StringSize(
this->_internal_value());
}
if (PROTOBUF_PREDICT_FALSE(_internal_metadata_.have_unknown_fields())) {
return ::PROTOBUF_NAMESPACE_ID::internal::ComputeUnknownFieldsSize(
_internal_metadata_, total_size, &_cached_size_);
}
int cached_size = ::PROTOBUF_NAMESPACE_ID::internal::ToCachedSize(total_size);
SetCachedSize(cached_size);
return total_size;
}
void Response::MergeFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) {
// @@protoc_insertion_point(generalized_merge_from_start:keyvaluestore.Response)
GOOGLE_DCHECK_NE(&from, this);
const Response* source =
::PROTOBUF_NAMESPACE_ID::DynamicCastToGenerated<Response>(
&from);
if (source == nullptr) {
// @@protoc_insertion_point(generalized_merge_from_cast_fail:keyvaluestore.Response)
::PROTOBUF_NAMESPACE_ID::internal::ReflectionOps::Merge(from, this);
} else {
// @@protoc_insertion_point(generalized_merge_from_cast_success:keyvaluestore.Response)
MergeFrom(*source);
}
}
void Response::MergeFrom(const Response& from) {
// @@protoc_insertion_point(class_specific_merge_from_start:keyvaluestore.Response)
GOOGLE_DCHECK_NE(&from, this);
_internal_metadata_.MergeFrom<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(from._internal_metadata_);
::PROTOBUF_NAMESPACE_ID::uint32 cached_has_bits = 0;
(void) cached_has_bits;
if (from.value().size() > 0) {
_internal_set_value(from._internal_value());
}
}
void Response::CopyFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) {
// @@protoc_insertion_point(generalized_copy_from_start:keyvaluestore.Response)
if (&from == this) return;
Clear();
MergeFrom(from);
}
void Response::CopyFrom(const Response& from) {
// @@protoc_insertion_point(class_specific_copy_from_start:keyvaluestore.Response)
if (&from == this) return;
Clear();
MergeFrom(from);
}
bool Response::IsInitialized() const {
return true;
}
void Response::InternalSwap(Response* other) {
using std::swap;
_internal_metadata_.Swap<::PROTOBUF_NAMESPACE_ID::UnknownFieldSet>(&other->_internal_metadata_);
value_.Swap(&other->value_, &::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
}
::PROTOBUF_NAMESPACE_ID::Metadata Response::GetMetadata() const {
return GetMetadataStatic();
}
// @@protoc_insertion_point(namespace_scope)
} // namespace keyvaluestore
PROTOBUF_NAMESPACE_OPEN
template<> PROTOBUF_NOINLINE ::keyvaluestore::Request* Arena::CreateMaybeMessage< ::keyvaluestore::Request >(Arena* arena) {
return Arena::CreateMessageInternal< ::keyvaluestore::Request >(arena);
}
template<> PROTOBUF_NOINLINE ::keyvaluestore::Response* Arena::CreateMaybeMessage< ::keyvaluestore::Response >(Arena* arena) {
return Arena::CreateMessageInternal< ::keyvaluestore::Response >(arena);
}
PROTOBUF_NAMESPACE_CLOSE
// @@protoc_insertion_point(global_scope)
#include <google/protobuf/port_undef.inc>
// Generated by the protocol buffer compiler. DO NOT EDIT!
// source: keyvalue.proto
#ifndef GOOGLE_PROTOBUF_INCLUDED_keyvalue_2eproto
#define GOOGLE_PROTOBUF_INCLUDED_keyvalue_2eproto
#include <limits>
#include <string>
#include <google/protobuf/port_def.inc>
#if PROTOBUF_VERSION < 3015000
#error This file was generated by a newer version of protoc which is
#error incompatible with your Protocol Buffer headers. Please update
#error your headers.
#endif
#if 3015008 < PROTOBUF_MIN_PROTOC_VERSION
#error This file was generated by an older version of protoc which is
#error incompatible with your Protocol Buffer headers. Please
#error regenerate this file with a newer version of protoc.
#endif
#include <google/protobuf/port_undef.inc>
#include <google/protobuf/io/coded_stream.h>
#include <google/protobuf/arena.h>
#include <google/protobuf/arenastring.h>
#include <google/protobuf/generated_message_table_driven.h>
#include <google/protobuf/generated_message_util.h>
#include <google/protobuf/metadata_lite.h>
#include <google/protobuf/generated_message_reflection.h>
#include <google/protobuf/message.h>
#include <google/protobuf/repeated_field.h> // IWYU pragma: export
#include <google/protobuf/extension_set.h> // IWYU pragma: export
#include <google/protobuf/unknown_field_set.h>
// @@protoc_insertion_point(includes)
#include <google/protobuf/port_def.inc>
#define PROTOBUF_INTERNAL_EXPORT_keyvalue_2eproto
PROTOBUF_NAMESPACE_OPEN
namespace internal {
class AnyMetadata;
} // namespace internal
PROTOBUF_NAMESPACE_CLOSE
// Internal implementation detail -- do not use these members.
struct TableStruct_keyvalue_2eproto {
static const ::PROTOBUF_NAMESPACE_ID::internal::ParseTableField entries[]
PROTOBUF_SECTION_VARIABLE(protodesc_cold);
static const ::PROTOBUF_NAMESPACE_ID::internal::AuxiliaryParseTableField aux[]
PROTOBUF_SECTION_VARIABLE(protodesc_cold);
static const ::PROTOBUF_NAMESPACE_ID::internal::ParseTable schema[2]
PROTOBUF_SECTION_VARIABLE(protodesc_cold);
static const ::PROTOBUF_NAMESPACE_ID::internal::FieldMetadata field_metadata[];
static const ::PROTOBUF_NAMESPACE_ID::internal::SerializationTable serialization_table[];
static const ::PROTOBUF_NAMESPACE_ID::uint32 offsets[];
};
extern const ::PROTOBUF_NAMESPACE_ID::internal::DescriptorTable descriptor_table_keyvalue_2eproto;
::PROTOBUF_NAMESPACE_ID::Metadata descriptor_table_keyvalue_2eproto_metadata_getter(int index);
namespace keyvaluestore {
class Request;
struct RequestDefaultTypeInternal;
extern RequestDefaultTypeInternal _Request_default_instance_;
class Response;
struct ResponseDefaultTypeInternal;
extern ResponseDefaultTypeInternal _Response_default_instance_;
} // namespace keyvaluestore
PROTOBUF_NAMESPACE_OPEN
template<> ::keyvaluestore::Request* Arena::CreateMaybeMessage<::keyvaluestore::Request>(Arena*);
template<> ::keyvaluestore::Response* Arena::CreateMaybeMessage<::keyvaluestore::Response>(Arena*);
PROTOBUF_NAMESPACE_CLOSE
namespace keyvaluestore {
// ===================================================================
class Request PROTOBUF_FINAL :
public ::PROTOBUF_NAMESPACE_ID::Message /* @@protoc_insertion_point(class_definition:keyvaluestore.Request) */ {
public:
inline Request() : Request(nullptr) {}
virtual ~Request();
explicit constexpr Request(::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized);
Request(const Request& from);
Request(Request&& from) noexcept
: Request() {
*this = ::std::move(from);
}
inline Request& operator=(const Request& from) {
CopyFrom(from);
return *this;
}
inline Request& operator=(Request&& from) noexcept {
if (GetArena() == from.GetArena()) {
if (this != &from) InternalSwap(&from);
} else {
CopyFrom(from);
}
return *this;
}
static const ::PROTOBUF_NAMESPACE_ID::Descriptor* descriptor() {
return GetDescriptor();
}
static const ::PROTOBUF_NAMESPACE_ID::Descriptor* GetDescriptor() {
return GetMetadataStatic().descriptor;
}
static const ::PROTOBUF_NAMESPACE_ID::Reflection* GetReflection() {
return GetMetadataStatic().reflection;
}
static const Request& default_instance() {
return *internal_default_instance();
}
static inline const Request* internal_default_instance() {
return reinterpret_cast<const Request*>(
&_Request_default_instance_);
}
static constexpr int kIndexInFileMessages =
0;
friend void swap(Request& a, Request& b) {
a.Swap(&b);
}
inline void Swap(Request* other) {
if (other == this) return;
if (GetArena() == other->GetArena()) {
InternalSwap(other);
} else {
::PROTOBUF_NAMESPACE_ID::internal::GenericSwap(this, other);
}
}
void UnsafeArenaSwap(Request* other) {
if (other == this) return;
GOOGLE_DCHECK(GetArena() == other->GetArena());
InternalSwap(other);
}
// implements Message ----------------------------------------------
inline Request* New() const final {
return CreateMaybeMessage<Request>(nullptr);
}
Request* New(::PROTOBUF_NAMESPACE_ID::Arena* arena) const final {
return CreateMaybeMessage<Request>(arena);
}
void CopyFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) final;
void MergeFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) final;
void CopyFrom(const Request& from);
void MergeFrom(const Request& from);
PROTOBUF_ATTRIBUTE_REINITIALIZES void Clear() final;
bool IsInitialized() const final;
size_t ByteSizeLong() const final;
const char* _InternalParse(const char* ptr, ::PROTOBUF_NAMESPACE_ID::internal::ParseContext* ctx) final;
::PROTOBUF_NAMESPACE_ID::uint8* _InternalSerialize(
::PROTOBUF_NAMESPACE_ID::uint8* target, ::PROTOBUF_NAMESPACE_ID::io::EpsCopyOutputStream* stream) const final;
int GetCachedSize() const final { return _cached_size_.Get(); }
private:
inline void SharedCtor();
inline void SharedDtor();
void SetCachedSize(int size) const final;
void InternalSwap(Request* other);
friend class ::PROTOBUF_NAMESPACE_ID::internal::AnyMetadata;
static ::PROTOBUF_NAMESPACE_ID::StringPiece FullMessageName() {
return "keyvaluestore.Request";
}
protected:
explicit Request(::PROTOBUF_NAMESPACE_ID::Arena* arena);
private:
static void ArenaDtor(void* object);
inline void RegisterArenaDtor(::PROTOBUF_NAMESPACE_ID::Arena* arena);
public:
::PROTOBUF_NAMESPACE_ID::Metadata GetMetadata() const final;
private:
static ::PROTOBUF_NAMESPACE_ID::Metadata GetMetadataStatic() {
return ::descriptor_table_keyvalue_2eproto_metadata_getter(kIndexInFileMessages);
}
public:
// nested types ----------------------------------------------------
// accessors -------------------------------------------------------
enum : int {
kKeyFieldNumber = 1,
kValueFieldNumber = 2,
kTypeFieldNumber = 3,
};
// string key = 1;
void clear_key();
const std::string& key() const;
void set_key(const std::string& value);
void set_key(std::string&& value);
void set_key(const char* value);
void set_key(const char* value, size_t size);
std::string* mutable_key();
std::string* release_key();
void set_allocated_key(std::string* key);
private:
const std::string& _internal_key() const;
void _internal_set_key(const std::string& value);
std::string* _internal_mutable_key();
public:
// string value = 2;
void clear_value();
const std::string& value() const;
void set_value(const std::string& value);
void set_value(std::string&& value);
void set_value(const char* value);
void set_value(const char* value, size_t size);
std::string* mutable_value();
std::string* release_value();
void set_allocated_value(std::string* value);
private:
const std::string& _internal_value() const;
void _internal_set_value(const std::string& value);
std::string* _internal_mutable_value();
public:
// int32 type = 3;
void clear_type();
::PROTOBUF_NAMESPACE_ID::int32 type() const;
void set_type(::PROTOBUF_NAMESPACE_ID::int32 value);
private:
::PROTOBUF_NAMESPACE_ID::int32 _internal_type() const;
void _internal_set_type(::PROTOBUF_NAMESPACE_ID::int32 value);
public:
// @@protoc_insertion_point(class_scope:keyvaluestore.Request)
private:
class _Internal;
template <typename T> friend class ::PROTOBUF_NAMESPACE_ID::Arena::InternalHelper;
typedef void InternalArenaConstructable_;
typedef void DestructorSkippable_;
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr key_;
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr value_;
::PROTOBUF_NAMESPACE_ID::int32 type_;
mutable ::PROTOBUF_NAMESPACE_ID::internal::CachedSize _cached_size_;
friend struct ::TableStruct_keyvalue_2eproto;
};
// -------------------------------------------------------------------
class Response PROTOBUF_FINAL :
public ::PROTOBUF_NAMESPACE_ID::Message /* @@protoc_insertion_point(class_definition:keyvaluestore.Response) */ {
public:
inline Response() : Response(nullptr) {}
virtual ~Response();
explicit constexpr Response(::PROTOBUF_NAMESPACE_ID::internal::ConstantInitialized);
Response(const Response& from);
Response(Response&& from) noexcept
: Response() {
*this = ::std::move(from);
}
inline Response& operator=(const Response& from) {
CopyFrom(from);
return *this;
}
inline Response& operator=(Response&& from) noexcept {
if (GetArena() == from.GetArena()) {
if (this != &from) InternalSwap(&from);
} else {
CopyFrom(from);
}
return *this;
}
static const ::PROTOBUF_NAMESPACE_ID::Descriptor* descriptor() {
return GetDescriptor();
}
static const ::PROTOBUF_NAMESPACE_ID::Descriptor* GetDescriptor() {
return GetMetadataStatic().descriptor;
}
static const ::PROTOBUF_NAMESPACE_ID::Reflection* GetReflection() {
return GetMetadataStatic().reflection;
}
static const Response& default_instance() {
return *internal_default_instance();
}
static inline const Response* internal_default_instance() {
return reinterpret_cast<const Response*>(
&_Response_default_instance_);
}
static constexpr int kIndexInFileMessages =
1;
friend void swap(Response& a, Response& b) {
a.Swap(&b);
}
inline void Swap(Response* other) {
if (other == this) return;
if (GetArena() == other->GetArena()) {
InternalSwap(other);
} else {
::PROTOBUF_NAMESPACE_ID::internal::GenericSwap(this, other);
}
}
void UnsafeArenaSwap(Response* other) {
if (other == this) return;
GOOGLE_DCHECK(GetArena() == other->GetArena());
InternalSwap(other);
}
// implements Message ----------------------------------------------
inline Response* New() const final {
return CreateMaybeMessage<Response>(nullptr);
}
Response* New(::PROTOBUF_NAMESPACE_ID::Arena* arena) const final {
return CreateMaybeMessage<Response>(arena);
}
void CopyFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) final;
void MergeFrom(const ::PROTOBUF_NAMESPACE_ID::Message& from) final;
void CopyFrom(const Response& from);
void MergeFrom(const Response& from);
PROTOBUF_ATTRIBUTE_REINITIALIZES void Clear() final;
bool IsInitialized() const final;
size_t ByteSizeLong() const final;
const char* _InternalParse(const char* ptr, ::PROTOBUF_NAMESPACE_ID::internal::ParseContext* ctx) final;
::PROTOBUF_NAMESPACE_ID::uint8* _InternalSerialize(
::PROTOBUF_NAMESPACE_ID::uint8* target, ::PROTOBUF_NAMESPACE_ID::io::EpsCopyOutputStream* stream) const final;
int GetCachedSize() const final { return _cached_size_.Get(); }
private:
inline void SharedCtor();
inline void SharedDtor();
void SetCachedSize(int size) const final;
void InternalSwap(Response* other);
friend class ::PROTOBUF_NAMESPACE_ID::internal::AnyMetadata;
static ::PROTOBUF_NAMESPACE_ID::StringPiece FullMessageName() {
return "keyvaluestore.Response";
}
protected:
explicit Response(::PROTOBUF_NAMESPACE_ID::Arena* arena);
private:
static void ArenaDtor(void* object);
inline void RegisterArenaDtor(::PROTOBUF_NAMESPACE_ID::Arena* arena);
public:
::PROTOBUF_NAMESPACE_ID::Metadata GetMetadata() const final;
private:
static ::PROTOBUF_NAMESPACE_ID::Metadata GetMetadataStatic() {
return ::descriptor_table_keyvalue_2eproto_metadata_getter(kIndexInFileMessages);
}
public:
// nested types ----------------------------------------------------
// accessors -------------------------------------------------------
enum : int {
kValueFieldNumber = 1,
};
// string value = 1;
void clear_value();
const std::string& value() const;
void set_value(const std::string& value);
void set_value(std::string&& value);
void set_value(const char* value);
void set_value(const char* value, size_t size);
std::string* mutable_value();
std::string* release_value();
void set_allocated_value(std::string* value);
private:
const std::string& _internal_value() const;
void _internal_set_value(const std::string& value);
std::string* _internal_mutable_value();
public:
// @@protoc_insertion_point(class_scope:keyvaluestore.Response)
private:
class _Internal;
template <typename T> friend class ::PROTOBUF_NAMESPACE_ID::Arena::InternalHelper;
typedef void InternalArenaConstructable_;
typedef void DestructorSkippable_;
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr value_;
mutable ::PROTOBUF_NAMESPACE_ID::internal::CachedSize _cached_size_;
friend struct ::TableStruct_keyvalue_2eproto;
};
// ===================================================================
// ===================================================================
#ifdef __GNUC__
#pragma GCC diagnostic push
#pragma GCC diagnostic ignored "-Wstrict-aliasing"
#endif // __GNUC__
// Request
// string key = 1;
inline void Request::clear_key() {
key_.ClearToEmpty();
}
inline const std::string& Request::key() const {
// @@protoc_insertion_point(field_get:keyvaluestore.Request.key)
return _internal_key();
}
inline void Request::set_key(const std::string& value) {
_internal_set_key(value);
// @@protoc_insertion_point(field_set:keyvaluestore.Request.key)
}
inline std::string* Request::mutable_key() {
// @@protoc_insertion_point(field_mutable:keyvaluestore.Request.key)
return _internal_mutable_key();
}
inline const std::string& Request::_internal_key() const {
return key_.Get();
}
inline void Request::_internal_set_key(const std::string& value) {
key_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, value, GetArena());
}
inline void Request::set_key(std::string&& value) {
key_.Set(
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::move(value), GetArena());
// @@protoc_insertion_point(field_set_rvalue:keyvaluestore.Request.key)
}
inline void Request::set_key(const char* value) {
GOOGLE_DCHECK(value != nullptr);
key_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(value), GetArena());
// @@protoc_insertion_point(field_set_char:keyvaluestore.Request.key)
}
inline void Request::set_key(const char* value,
size_t size) {
key_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(
reinterpret_cast<const char*>(value), size), GetArena());
// @@protoc_insertion_point(field_set_pointer:keyvaluestore.Request.key)
}
inline std::string* Request::_internal_mutable_key() {
return key_.Mutable(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, GetArena());
}
inline std::string* Request::release_key() {
// @@protoc_insertion_point(field_release:keyvaluestore.Request.key)
return key_.Release(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
}
inline void Request::set_allocated_key(std::string* key) {
if (key != nullptr) {
} else {
}
key_.SetAllocated(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), key,
GetArena());
// @@protoc_insertion_point(field_set_allocated:keyvaluestore.Request.key)
}
// string value = 2;
inline void Request::clear_value() {
value_.ClearToEmpty();
}
inline const std::string& Request::value() const {
// @@protoc_insertion_point(field_get:keyvaluestore.Request.value)
return _internal_value();
}
inline void Request::set_value(const std::string& value) {
_internal_set_value(value);
// @@protoc_insertion_point(field_set:keyvaluestore.Request.value)
}
inline std::string* Request::mutable_value() {
// @@protoc_insertion_point(field_mutable:keyvaluestore.Request.value)
return _internal_mutable_value();
}
inline const std::string& Request::_internal_value() const {
return value_.Get();
}
inline void Request::_internal_set_value(const std::string& value) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, value, GetArena());
}
inline void Request::set_value(std::string&& value) {
value_.Set(
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::move(value), GetArena());
// @@protoc_insertion_point(field_set_rvalue:keyvaluestore.Request.value)
}
inline void Request::set_value(const char* value) {
GOOGLE_DCHECK(value != nullptr);
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(value), GetArena());
// @@protoc_insertion_point(field_set_char:keyvaluestore.Request.value)
}
inline void Request::set_value(const char* value,
size_t size) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(
reinterpret_cast<const char*>(value), size), GetArena());
// @@protoc_insertion_point(field_set_pointer:keyvaluestore.Request.value)
}
inline std::string* Request::_internal_mutable_value() {
return value_.Mutable(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, GetArena());
}
inline std::string* Request::release_value() {
// @@protoc_insertion_point(field_release:keyvaluestore.Request.value)
return value_.Release(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
}
inline void Request::set_allocated_value(std::string* value) {
if (value != nullptr) {
} else {
}
value_.SetAllocated(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), value,
GetArena());
// @@protoc_insertion_point(field_set_allocated:keyvaluestore.Request.value)
}
// int32 type = 3;
inline void Request::clear_type() {
type_ = 0;
}
inline ::PROTOBUF_NAMESPACE_ID::int32 Request::_internal_type() const {
return type_;
}
inline ::PROTOBUF_NAMESPACE_ID::int32 Request::type() const {
// @@protoc_insertion_point(field_get:keyvaluestore.Request.type)
return _internal_type();
}
inline void Request::_internal_set_type(::PROTOBUF_NAMESPACE_ID::int32 value) {
type_ = value;
}
inline void Request::set_type(::PROTOBUF_NAMESPACE_ID::int32 value) {
_internal_set_type(value);
// @@protoc_insertion_point(field_set:keyvaluestore.Request.type)
}
// -------------------------------------------------------------------
// Response
// string value = 1;
inline void Response::clear_value() {
value_.ClearToEmpty();
}
inline const std::string& Response::value() const {
// @@protoc_insertion_point(field_get:keyvaluestore.Response.value)
return _internal_value();
}
inline void Response::set_value(const std::string& value) {
_internal_set_value(value);
// @@protoc_insertion_point(field_set:keyvaluestore.Response.value)
}
inline std::string* Response::mutable_value() {
// @@protoc_insertion_point(field_mutable:keyvaluestore.Response.value)
return _internal_mutable_value();
}
inline const std::string& Response::_internal_value() const {
return value_.Get();
}
inline void Response::_internal_set_value(const std::string& value) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, value, GetArena());
}
inline void Response::set_value(std::string&& value) {
value_.Set(
::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::move(value), GetArena());
// @@protoc_insertion_point(field_set_rvalue:keyvaluestore.Response.value)
}
inline void Response::set_value(const char* value) {
GOOGLE_DCHECK(value != nullptr);
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(value), GetArena());
// @@protoc_insertion_point(field_set_char:keyvaluestore.Response.value)
}
inline void Response::set_value(const char* value,
size_t size) {
value_.Set(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, ::std::string(
reinterpret_cast<const char*>(value), size), GetArena());
// @@protoc_insertion_point(field_set_pointer:keyvaluestore.Response.value)
}
inline std::string* Response::_internal_mutable_value() {
return value_.Mutable(::PROTOBUF_NAMESPACE_ID::internal::ArenaStringPtr::EmptyDefault{}, GetArena());
}
inline std::string* Response::release_value() {
// @@protoc_insertion_point(field_release:keyvaluestore.Response.value)
return value_.Release(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), GetArena());
}
inline void Response::set_allocated_value(std::string* value) {
if (value != nullptr) {
} else {
}
value_.SetAllocated(&::PROTOBUF_NAMESPACE_ID::internal::GetEmptyStringAlreadyInited(), value,
GetArena());
// @@protoc_insertion_point(field_set_allocated:keyvaluestore.Response.value)
}
#ifdef __GNUC__
#pragma GCC diagnostic pop
#endif // __GNUC__
// -------------------------------------------------------------------
// @@protoc_insertion_point(namespace_scope)
} // namespace keyvaluestore
// @@protoc_insertion_point(global_scope)
#include <google/protobuf/port_undef.inc>
#endif // GOOGLE_PROTOBUF_INCLUDED_GOOGLE_PROTOBUF_INCLUDED_keyvalue_2eproto
syntax = "proto3";
package keyvaluestore;
// The request message containing the key
message Request {
string key = 1;
string value = 2;
int32 type=3;
}
// The response message containing the value associated with the key
message Response {
string value = 1;
}
// A simple key-value storage service
service KeyValueStore {
// Provides a value for each key request
rpc GetValues (Request) returns (Response) {}
rpc PutValues( Request) returns (Response){}
rpc DelValue( Request) returns (Response){}
}
#include <iostream>
#include <memory>
#include <string>
#include <thread>
#include <grpc/support/log.h>
#include <grpcpp/grpcpp.h>
#include "../proto/keyvalue.grpc.pb.h"
#include "../kvcache/LRUCache.hpp"
// Class encompasing the state and logic needed to serve a request.
//Base class which defines the proceed method.
class CallData {
public:
virtual void Proceed() = 0;
};
enum CallStatus {
CREATE, PROCESS, FINISH
};
class GetCallData final : public CallData {
public:
// Take in the "service" instance (in this case representing an asynchronous
// server) and the completion queue "cq" used for asynchronous communication
// with the gRPC runtime.
GetCallData(keyvaluestore::KeyValueStore::AsyncService *service, grpc::ServerCompletionQueue *cq, Cache *cache)
: asyncService(service), completionQueue(cq), responseEntity(&serverContext), status_(CREATE),
cache(cache) {
// Invoke the serving logic right away.
Proceed();
}
void Proceed() override {
if (status_ == CREATE) {
// Make this instance progress to the PROCESS state.
status_ = PROCESS;
// As part of the initial CREATE state, we *request* that the system
// start processing GetValue requests. In this request, "this" acts are
// the tag uniquely identifying the request (so that different CallData
// instances can serve different requests concurrently), in this case
// the memory address of this CallData instance.
asyncService->RequestGetValues(&serverContext, &request, &responseEntity, completionQueue,
completionQueue,
this);
} else if (status_ == PROCESS) {
// Spawn a new CallData instance to serve new clients while we process
// the one for this CallData. The instance will deallocate itself as
// part of its FINISH state.
new GetCallData(asyncService, completionQueue, cache);
// The actual processing.
std::string val = cache->get(request.key());
response.set_value(val);
// And we are done! Let the gRPC runtime know we've finished, using the
// memory address of this instance as the uniquely identifying tag for
// the event.
status_ = FINISH;
responseEntity.Finish(response, grpc::Status::OK, this);
} else {
GPR_ASSERT(status_ == FINISH);
// Once in the FINISH state, deallocate ourselves (CallData).
delete this;
}
}
private:
keyvaluestore::KeyValueStore::AsyncService *asyncService;
Cache *cache;
grpc::ServerCompletionQueue *completionQueue;
grpc::ServerContext serverContext;
keyvaluestore::Request request;
keyvaluestore::Response response;
grpc::ServerAsyncResponseWriter<keyvaluestore::Response> responseEntity;
CallStatus status_; // The current serving state.
};
class PutCallData final : public CallData {
public:
// Take in the "service" instance (in this case representing an asynchronous
// server) and the completion queue "cq" used for asynchronous communication
// with the gRPC runtime.
PutCallData(keyvaluestore::KeyValueStore::AsyncService *service, grpc::ServerCompletionQueue *cq, Cache *cache)
: asyncService(service), completionQueue(cq), responseEntity(&serverContext), status_(CREATE),
cache(cache) {
// Invoke the serving logic right away.
Proceed();
}
void Proceed() override {
if (status_ == CREATE) {
// Make this instance progress to the PROCESS state.
status_ = PROCESS;
// As part of the initial CREATE state, we *request* that the system
// start processing GetValue requests. In this request, "this" acts are
// the tag uniquely identifying the request (so that different CallData
// instances can serve different requests concurrently), in this case
// the memory address of this CallData instance.
asyncService->RequestPutValues(&serverContext, &request, &responseEntity, completionQueue,
completionQueue,
this);
} else if (status_ == PROCESS) {
// Spawn a new CallData instance to serve new clients while we process
// the one for this CallData. The instance will deallocate itself as
// part of its FINISH state.
new PutCallData(asyncService, completionQueue, cache);
// The actual processing.
cache->put(request.key(), request.value());
response.set_value(request.value());
// And we are done! Let the gRPC runtime know we've finished, using the
// memory address of this instance as the uniquely identifying tag for
// the event.
status_ = FINISH;
responseEntity.Finish(response, grpc::Status::OK, this);
} else {
GPR_ASSERT(status_ == FINISH);
// Once in the FINISH state, deallocate ourselves (CallData).
delete this;
}
}
private:
keyvaluestore::KeyValueStore::AsyncService *asyncService;
grpc::ServerCompletionQueue *completionQueue;
grpc::ServerContext serverContext;
Cache *cache;
keyvaluestore::Request request;
keyvaluestore::Response response;
grpc::ServerAsyncResponseWriter<keyvaluestore::Response> responseEntity;
CallStatus status_; // The current serving state.
};
class DelCallData final : public CallData {
public:
// Take in the "service" instance (in this case representing an asynchronous
// server) and the completion queue "cq" used for asynchronous communication
// with the gRPC runtime.
DelCallData(keyvaluestore::KeyValueStore::AsyncService *service, grpc::ServerCompletionQueue *cq, Cache *cache)
: asyncService(service), completionQueue(cq), responseEntity(&serverContext), status_(CREATE),
cache(cache) {
// Invoke the serving logic right away.
Proceed();
}
void Proceed() override {
if (status_ == CREATE) {
// Make this instance progress to the PROCESS state.
status_ = PROCESS;
// As part of the initial CREATE state, we *request* that the system
// start processing GetValue requests. In this request, "this" acts are
// the tag uniquely identifying the request (so that different CallData
// instances can serve different requests concurrently), in this case
// the memory address of this CallData instance.
asyncService->RequestDelValue(&serverContext, &request, &responseEntity, completionQueue,
completionQueue,
this);
} else if (status_ == PROCESS) {
// Spawn a new CallData instance to serve new clients while we process
// the one for this CallData. The instance will deallocate itself as
// part of its FINISH state.
new DelCallData(asyncService, completionQueue, cache);
// The actual processing.
std::string res = cache->del(request.key());
response.set_value(res);
// And we are done! Let the gRPC runtime know we've finished, using the
// memory address of this instance as the uniquely identifying tag for
// the event.
status_ = FINISH;
responseEntity.Finish(response, grpc::Status::OK, this);
} else {
GPR_ASSERT(status_ == FINISH);
// Once in the FINISH state, deallocate ourselves (CallData).
delete this;
}
}
private:
keyvaluestore::KeyValueStore::AsyncService *asyncService;
grpc::ServerCompletionQueue *completionQueue;
grpc::ServerContext serverContext;
Cache *cache;
keyvaluestore::Request request;
keyvaluestore::Response response;
grpc::ServerAsyncResponseWriter<keyvaluestore::Response> responseEntity;
CallStatus status_; // The current serving state.
};
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment