servers/http/result/influxdb_result_v1.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227
// Copyright 2023 Greptime Team
//
// 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.
use axum::http::HeaderValue;
use axum::response::{IntoResponse, Response};
use axum::Json;
use common_query::{Output, OutputData};
use common_recordbatch::{util, RecordBatch};
use serde::{Deserialize, Serialize};
use serde_json::Value;
use snafu::ResultExt;
use crate::error::{Error, ToJsonSnafu};
use crate::http::header::{GREPTIME_DB_HEADER_EXECUTION_TIME, GREPTIME_DB_HEADER_FORMAT};
use crate::http::result::error_result::ErrorResponse;
use crate::http::{Epoch, HttpResponse, ResponseFormat};
#[derive(Debug, Default, Serialize, Deserialize)]
pub struct SqlQuery {
pub db: Option<String>,
// Returns epoch timestamps with the specified precision.
// Both u and µ indicate microseconds.
// epoch = [ns,u,µ,ms,s],
pub epoch: Option<String>,
pub sql: Option<String>,
}
#[derive(Serialize, Deserialize, Debug, Eq, PartialEq)]
pub struct InfluxdbRecordsOutput {
// The SQL query does not return the table name, but in InfluxDB,
// we require the table name, so we set it to an empty string “”.
name: String,
pub(crate) columns: Vec<String>,
pub(crate) values: Vec<Vec<Value>>,
}
impl InfluxdbRecordsOutput {
pub fn new(columns: Vec<String>, values: Vec<Vec<Value>>) -> Self {
Self {
name: String::default(),
columns,
values,
}
}
}
impl TryFrom<(Option<Epoch>, Vec<RecordBatch>)> for InfluxdbRecordsOutput {
type Error = Error;
fn try_from(
(epoch, recordbatches): (Option<Epoch>, Vec<RecordBatch>),
) -> Result<InfluxdbRecordsOutput, Self::Error> {
if recordbatches.is_empty() {
Ok(InfluxdbRecordsOutput::new(vec![], vec![]))
} else {
// Safety: ensured by previous empty check
let first = &recordbatches[0];
let columns = first
.schema
.column_schemas()
.iter()
.map(|cs| cs.name.clone())
.collect::<Vec<_>>();
let mut rows =
Vec::with_capacity(recordbatches.iter().map(|r| r.num_rows()).sum::<usize>());
for recordbatch in recordbatches {
for row in recordbatch.rows() {
let value_row = row
.into_iter()
.map(|value| {
let value = match (epoch, &value) {
(Some(epoch), datatypes::value::Value::Timestamp(ts)) => {
if let Some(timestamp) = epoch.convert_timestamp(*ts) {
datatypes::value::Value::Timestamp(timestamp)
} else {
value
}
}
_ => value,
};
Value::try_from(value)
})
.collect::<Result<Vec<Value>, _>>()
.context(ToJsonSnafu)?;
rows.push(value_row);
}
}
Ok(InfluxdbRecordsOutput::new(columns, rows))
}
}
}
#[derive(Serialize, Deserialize, Debug, Eq, PartialEq)]
pub struct InfluxdbOutput {
pub statement_id: u32,
pub series: Vec<InfluxdbRecordsOutput>,
}
impl InfluxdbOutput {
pub fn num_rows(&self) -> usize {
self.series.iter().map(|r| r.values.len()).sum()
}
pub fn num_cols(&self) -> usize {
self.series
.first()
.map(|r| r.columns.len())
.unwrap_or(0usize)
}
}
#[derive(Serialize, Deserialize, Debug)]
pub struct InfluxdbV1Response {
results: Vec<InfluxdbOutput>,
execution_time_ms: u64,
}
impl InfluxdbV1Response {
pub fn with_execution_time(mut self, execution_time: u64) -> Self {
self.execution_time_ms = execution_time;
self
}
/// Create a influxdb v1 response from query result
pub async fn from_output(
outputs: Vec<crate::error::Result<Output>>,
epoch: Option<Epoch>,
) -> HttpResponse {
// TODO(sunng87): this api response structure cannot represent error well.
// It hides successful execution results from error response
let mut results = Vec::with_capacity(outputs.len());
for (statement_id, out) in outputs.into_iter().enumerate() {
let statement_id = statement_id as u32;
match out {
Ok(o) => {
match o.data {
OutputData::AffectedRows(_) => {
results.push(InfluxdbOutput {
statement_id,
series: vec![],
});
}
OutputData::Stream(stream) => {
// TODO(sunng87): streaming response
match util::collect(stream).await {
Ok(rows) => match InfluxdbRecordsOutput::try_from((epoch, rows)) {
Ok(rows) => {
results.push(InfluxdbOutput {
statement_id,
series: vec![rows],
});
}
Err(err) => {
return HttpResponse::Error(ErrorResponse::from_error(err));
}
},
Err(err) => {
return HttpResponse::Error(ErrorResponse::from_error(err));
}
}
}
OutputData::RecordBatches(rbs) => {
match InfluxdbRecordsOutput::try_from((epoch, rbs.take())) {
Ok(rows) => {
results.push(InfluxdbOutput {
statement_id,
series: vec![rows],
});
}
Err(err) => {
return HttpResponse::Error(ErrorResponse::from_error(err));
}
}
}
}
}
Err(err) => {
return HttpResponse::Error(ErrorResponse::from_error(err));
}
}
}
HttpResponse::InfluxdbV1(InfluxdbV1Response {
results,
execution_time_ms: 0,
})
}
pub fn results(&self) -> &[InfluxdbOutput] {
&self.results
}
pub fn execution_time_ms(&self) -> u64 {
self.execution_time_ms
}
}
impl IntoResponse for InfluxdbV1Response {
fn into_response(self) -> Response {
let execution_time = self.execution_time_ms;
let mut resp = Json(self).into_response();
resp.headers_mut().insert(
&GREPTIME_DB_HEADER_FORMAT,
HeaderValue::from_static(ResponseFormat::InfluxdbV1.as_str()),
);
resp.headers_mut().insert(
&GREPTIME_DB_HEADER_EXECUTION_TIME,
HeaderValue::from(execution_time),
);
resp
}
}