KEMBAR78
Hive Vectorized Query Execution Design | PDF | Array Data Structure | Central Processing Unit
0% found this document useful (0 votes)
167 views7 pages

Hive Vectorized Query Execution Design

The document discusses the design of vectorized query execution in Hive. It aims to improve efficiency by processing batches of rows as column vectors rather than individually. This allows better CPU utilization and cache behavior. The design focuses on incremental changes, precompiled expressions using templates, and optimizations for boolean and AND/OR expressions.

Uploaded by

Harish R
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
167 views7 pages

Hive Vectorized Query Execution Design

The document discusses the design of vectorized query execution in Hive. It aims to improve efficiency by processing batches of rows as column vectors rather than individually. This allows better CPU utilization and cache behavior. The design focuses on incremental changes, precompiled expressions using templates, and optimizations for boolean and AND/OR expressions.

Uploaded by

Harish R
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 7

Hive Vectorized Query Execution Design

Jitendra Pandey (Hortonworks), Eric Hanson (Microsoft), Owen O’Malley


(Hortonworks)

Hive query execution engine currently processes one row at a time. A single row
of data goes through all the operators before next row can be processed. This mode
of processing is very inefficient in terms of CPU usage. Research has demonstrated
that this yields low instruction counts and effective processor pipeline utilization
(high instructions per cycle) [Boncz 2005]. Also currently Hive heavily relies on lazy
deserialization and data columns go through a layer of object inspectors that
identify column type, de-serialize data and determine appropriate expression
routines in the inner loop. These layers of virtual method calls further slow down
the processing.
The Hive vectorization project aims to remove the above-mentioned inefficiencies
by modifying the execution engine to work on vectors of columns. The data rows
will be batched together and represented as a set of column vectors and the
processor inner loop will work on one vector at a time. This approach has been
proved to be not only cache friendly but also achieves high instructions per cycle by
effective use of pipelining in modern superscalar CPUs.
This project will also closely integrate the Hive execution engine with the ORC file
format removing the layers of deserialization and type inference. The cost of eager
deserialization is expected to be small because filter push down will be supported
and the vectorized representation of data will consist of arrays of primitive types as
much as possible. We will design a new generic vectorized iterator interface to get a
batch of rows at a time, with a column vector for each batch, from the storage layer.
This will be implemented first for ORC, but we envision that it will later be
implemented for other storage formats like text, sequence file, and Trevni. This will
enable the CPU-saving benefits of vectorized query execution on these other formats
as well.

The following sections describe the scope of changes and key design choices in this
project.
1. Basic Idea
The basic idea is to process a batch of rows as an array of column vectors. A
basic representation of vectorized batch of rows can be as follows:
class VectorizedRowBatch {
boolean selecetedInUse;
int [] selected;
int size;
ColumnVector [] columns;
}
The selected array contains the indexes of the valid rows in the batch and
size represents the number of valid rows. An example of a ColumnVector is
as following:
class LongColumnVector extends ColumnVector {
long [] vector;
1
}
Now addition of a long column with a constant can be implemented as
following:
class LongColumnAddLongScalarExpression {
int inputColumn;
int outputColumn;
long scalar;
void evaluate(VectorizedRowBatch batch) {
long [] inVector =
((LongColumnVector)batch.columnVector[inputColumn]).vector;
long [] outVector =
((LongColumnVector) batch.columnVector[outputColumn]).vector;

if (batch,selectedInUse) {
for (int j = 0; j < batch.size; j++) {
int i = batch.selected[j];
outVector[i] = inVector[i] + scalar;
}
} else {
for (int i = 0; i < batch.size; i++) {
outVector[i] = inVector[i] + scalar;
}
}
}
}

This approach of processing facilitates much better utilization of instruction


pipelines in modern CPUs, and thus achieving high Instructions-per-cycle.
Also, processing of the whole column vector at a time leads to better cache
behavior. It can also be noticed that there is no method call in the inner loop.
The evaluate method will, however, be a virtual method call but that cost will
be amortized over the size of the batch.

2. Incremental modifications to Hive execution engine.


It is important that we can make incremental changes to Hive with
intermediate releases where the system works partially with the vectorized
engine. Therefore, we will start with a small set of operators, expressions and
data types, which will suffice to support some simple queries. The set will be
increased over subsequent releases to support more queries.
Currently there is no plan to mix vectorized and non-vectorized operators for
a single query. The code path will bifurcate one way or the other depending
on whether entire query can be supported by new vectorized operators or
not. In the future we may add an adapter layer to convert from vectorized
execution back to row-at-a-time execution to further broaden the set of
queries that can benefit from execution. E.g. an adapter above a vectorized
group-by operator could convert to row mode before a sort operator.
2
3. Pre-compiled Expressions using templates vs Dynamic Code Generation

In the first release of the project we will implement expression templates


that will be used to generate expression code for each expression and
operand types. The alternative approach is to generate code for expressions
and compile it at query runtime. This approach trades off time spent in
compilation but promises to generate more efficient operator code.
The static template-based code generation gives most of the benefits of
compilation because the inner loop will normally have no method calls and
will compile to very efficient code. We will consider dynamic code generation
approach in later releases of the project, where we would generate more
complex expressions that can be evaluated in a single pass through the inner
loop. For example, in our initial approach, (1-x)>0 would require two passes
over vectors, one for 1-x, and another for Expr > 0, where Expr is the result of
1-x. In the future, the expression (1-x)>0 could be compiled into the inner
loop to apply this expression in a single pass over the input vector. We expect
vectorization and template-based static compilation to give most of the
benefit. Compiling more complex expression in the inner loop should give
less dramatic but noticeable gains.
The expressions in an operator are represented in a tree which the
execution engine walks down for each vectorized batch of rows. An
alternative model is to flatten the tree into a sequence of expressions using a
stack. We will go with the expression tree approach. In the long run we will
go with dynamic compilation approach, which will inline all the expressions
for an operator and thus alleviating the need for walking the tree or a
sequence. Although the tree walk is more overhead than a more tightly-
written p-code interpreter with a stack machine, because the inner loop
processes a vector of on the order of 1,000 rows at a time, we expect the tree
walk overhead will be amortized to a very small portion of total execution
time and won’t be significant.

4. Boolean/Filter expressions
The vectorized batch row object will consist of an array of column vectors
and also an additional selection vector that will identify the remaining rows
in the object that have not been filtered out (refer to the data structure). The
filter operators can be very efficiently implemented by updating the selection
vector to identify the positions of only the selected rows. This approach
doesn’t require any additional output column. This also has a benefit of short
circuit evaluation of conditions for example a row already filtered out need
not be processed by any subsequent expression.

However, the expressions that evaluate to Boolean can be used in a where


clause or also in projection. In a where clause they are used as filters to
accept rows that satisfy the Boolean condition, while in a projection their
actual value (true or false) is needed. Therefore, we will implement two
3
versions of these expressions: a filter version that just updates the selection
vector and a projection version that will generate the output in a separate
column.

5. AND, OR implementation (short circuit optimization)


In this section we cover some of the interesting expressions. The goal is to
use in-place filtering of the selection vector as much as possible, and also use
short circuit evaluation. In place filtering, in this context, means to modify the
selection vector in the Vectorized Row Batch and there is no need to store
any intermediate output.

‘And’ expression in filter is very simple. It will always have two child
expressions each evaluating to Boolean. A filter ‘and’ can be implemented as
a sequential evaluation of its two child expressions where each is a filter in
itself. There is no logic needed for the ‘and’ expression itself apart from
evaluating its children.

‘Or’ expression can be implemented as follows. Assume it has a left child c1


and a right child as c2 and the selection vector in the input is S. First c1 is
evaluated that will give a selection vector S1. Then we calculate S2=S-S1 (set
operation). S2 represents the rejections of c1. We pass S2 as the selected
vector for c2 so that c2 only processes rows in S2. Now c2 returns S3. The
resulting selection vector of the ‘Or’ expression is S1 U S3, where S1
represents rows selected by left child expression and S3 are the rows
selected by right child expression.

Special handling of intermediate selection vectors is planned. They will be


data members of the OR operator in the tree, allocated once, at tree creation
time. This will minimize memory allocation/deallocation overhead. If we
ever go to a multi-threaded approach for query execution, the predicate trees
will need to be copied so there is one per thread, to avoid incorrect
concurrent access to these vectors. Initially, the code will be single-threaded,
so this is not an issue. An alternative design would be to put these
intermediate selection vectors in the vectorized row batch itself, like we will
for arithmetic expressions (as described below), although we don’t plan to do
that at this time.

6. Storage of intermediate results of arithmetic expressions


Arithmetic operations, and logical operations used to produce results to
return (as opposed to just as filters), must store their results for later use.
Columns will be added to the vectorized row batch data structure for all
results that must be operated on later (e.g. aggregated), or output in the
query result. Expression results will be saved directly to these columns.
Some expressions also need temporary data to store, for example OR
expression with short circuit optimization (section 5). This intermediate data
will be local to the expression and is not used beyond the scope of the
4
expression. Hence, if we later go to a multi-threaded execution
implementation in the same process address space, the expression trees will
need to be copied so each thread has a dedicated tree.

As an example, consider this query:

Select sum(b+c+d) from t where a = 1;

The expression b+c+d will be identified, say as Expr0, at compile time, and
the vectorized row batch object will have in it the columns (a, b, c, d, Expr0).

As a second example, consider this query:

Select sum(d) where a+b+c>100;


Compile time analysis will determine that the vectorized row batch object
must also contain columns (a, b, c, d, Expr0). During execution, (a+b) will be
computed as an intermediated result in vector Expr0 in the vectorized row
batch. Then (a+b)+c will be calculated from Expr0 and c and also stored in
intermediate vector Expr0 in the expression tree. Then, this intermediate
vector Expr0 will be compared to 100 to filter the batch.

An open issue is whether we should re-use intermediate result vectors, as we


did in the above example, or use a specific column for each intermediate
result. Reusing intermediate result column vectors will save memory and
give better cache behavior, compared with using another intermediate vector
to hold the final result. This becomes more significant for long chains of
operators like (a+b+…+z). We will need an optimization algorithm to cause
the same intermediate vectors to be re-used in multiple places in the
operator tree.
One basic approach is to re-use the output vector from the child expression.
For example, if expression E1 has two child expressions E2 and E3. Any
output of E2 and E3 will be used only in the evaluation of E1 and never again,
therefore the output column for E2 can be re-used as the output column for
E1, and output column for E3 can be marked as available for subsequent
expressions. Assuming that expressions are evaluated in depth first manner
(post order) i.e. first children expressions are evaluated and then the
expression itself based on the outcome of children, we can devise the
following algorithm.
Assume output columns are already allocated up to index k and available
output columns are k+1, k+2 and so on. Suppose E1 is an expression with E2
and E3 as children where E2 and E3 are leaf expressions of the tree. Our
column allocator routine will traverse the expression tree in post order
manner. It will first allocate for E2 and then for E3 and then for E1 itself.
Column k+1 will be allocated for E2 and column k+2 will be allocated for E3.
But now column k+1 will be allocated for the parent E1 as well and k+2, k+3
onwards will be marked as available. Thus the sibling of E1 will get k+2. This
5
algorithm easily handles any number of children. This approach will result in
O(logn) number of intermediate columns where n is the number of nodes in
the expression tree.
One limitation of this algorithm is that it assumes a tree of expressions and
will not work if expressions are re-used (e.g. common sub-expression
optimization) resulting in a DAG like expression graph.

7. Data type handling


In the first phase of the project we support only TINYINT, SMALLINT, INT,
BIGINT, DOUBLE, FLOAT, BOOLEAN, STRING and TIMESTAMP data types.
We can use LongColumnVector for all integer types, Boolean and TimeStamp
as well. LongColumnVector uses an array of long internally. This approach
lets us re-use lots of code and reduces the number of classes generated from
the template code. Similarly we use DoubleColumnVector for both double
and float data types. BytesColumnVector will be used for STRING, and later,
for BINARY when that type is added.

8. Null Handling
Each column vector will also contain an array of Boolean that will mark the
index of rows with null values for that column. The expression code will also
have to handle the null values in the columns. There are many useful
optimizations possible for nulls.
 If it is known that column doesn’t contain any null value, we can avoid
a null check in the inner loop.
 Consider a binary operation between column c1 and column c2, and if
any operand is null the output is null. If it is known that c2 is never
null then the null vector of the output column will be same as the null
vector of the input column c1. In such a situation, it is possible to just
copy the null vector from c1 to output and skip the null check in the
inner loop. It may also be possible to get away with just the shallow
copy of the null vector.

9. Vectorized operators
We will implement vectorized versions for the current set of operators. The
vectorized operators will contain vectorized expressions; they will take
vectorized row batch as an input and will not use object inspectors to access
columns.
a. Filter Operator:
The filter operator will consist of just the filter condition expression,
which will be an in-place filter expression. Therefore, once this
condition is evaluated the data would already be filtered and will be
passed to the next operator.
b. Select Operator:
The select operator will consist of list of expressions that need to be
projected. The operator will be initialized with the index of the output
column for each child expression. The vectorized input will be passed
6
to each expression in the list, which will populate the output columns
appropriately. The select operator will output a different vectorized
row batch object, which will consist of the projected columns. The
projected columns would just refer the appropriate output columns in
the initial vectorized row batch object. The select operator will have a
pre-allocated vectorized row object that will be used as output.

References
[Boncz 2005] Peter Boncz et al., MonetDB/X100: Hyper-Pipelining Query Execution,
Proceedings of the 2005 CIDR Conference.

You might also like