Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
Original file line number Diff line number Diff line change
@@ -0,0 +1,144 @@
/*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/

package org.apache.hadoop.hive.ql.processor;

import org.apache.hadoop.hive.conf.HiveConf;
import org.apache.hadoop.hive.metastore.conf.MetastoreConf;
import org.apache.hadoop.hive.metastore.utils.TestTxnDbUtil;
import org.apache.hive.jdbc.miniHS2.MiniHS2;
import org.junit.AfterClass;
import org.junit.Assert;
import org.junit.BeforeClass;
import org.junit.Test;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;

import java.io.File;
import java.net.URI;

import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;
import java.sql.Statement;
import java.util.Arrays;
import java.util.HashMap;
import java.util.HashSet;
import java.util.Map;
import java.util.Set;
import java.util.Collections;

import java.util.concurrent.LinkedBlockingQueue;
import java.util.concurrent.ThreadPoolExecutor;
import java.util.concurrent.TimeUnit;

public class TestShowProcessList {
protected static final Logger LOG = LoggerFactory.getLogger(TestShowProcessList.class);

private static MiniHS2 miniHS2 = null;
private static HiveConf conf;
private static String user;
private static ThreadPoolExecutor executor;

static HiveConf defaultConf() throws Exception {
String confDir = "../../data/conf/llap/";
HiveConf.setHiveSiteLocation(new URI("file://" + new File(confDir).toURI().getPath() + "/hive-site.xml").toURL());
System.out.println("Setting hive-site: " + HiveConf.getHiveSiteLocation());
HiveConf defaultConf = new HiveConf();
defaultConf.addResource(new URI("file://" + new File(confDir).toURI().getPath() + "/tez-site.xml").toURL());
return defaultConf;
}

@BeforeClass
public static void beforeTest() throws Exception {
conf = defaultConf();
user = System.getProperty("user.name");
conf.setVar(HiveConf.ConfVars.USERS_IN_ADMIN_ROLE, user);
conf.setVar(HiveConf.ConfVars.HIVE_AUTHORIZATION_MANAGER,
"org.apache.hadoop.hive.ql.security.authorization.plugin.sqlstd.SQLStdHiveAuthorizerFactory");
String suffix = TestShowProcessList.class.getCanonicalName() + "-" + System.currentTimeMillis();
String dir = new File(System.getProperty("java.io.tmpdir") + File.separator + suffix).getPath()
.replaceAll("\\\\", "/") + "/warehouse";
conf.set(MetastoreConf.ConfVars.WAREHOUSE.name(), dir);
TestTxnDbUtil.setConfValues(conf);
TestTxnDbUtil.prepDb(conf);
MiniHS2.cleanupLocalDir();
Class.forName(MiniHS2.getJdbcDriverName());
miniHS2 = new MiniHS2(conf, MiniHS2.MiniClusterType.LLAP);
Map<String, String> confOverlay = new HashMap<>();
miniHS2.start(confOverlay);

executor = new ThreadPoolExecutor(5, 10, 50, TimeUnit.MILLISECONDS, new LinkedBlockingQueue<>());
}

@AfterClass
public static void afterTest() throws Exception {
if (miniHS2 != null && miniHS2.isStarted()) {
miniHS2.stop();
}
TestTxnDbUtil.cleanDb(conf);
}

@Test
public void testQueries() throws Exception {
int connections = 10;
//Initiate 10 parallel connections, each with a query that begins a transaction.
for (int i = 0; i < connections; i++) {
executor.submit(() -> {
try (Connection con = DriverManager.getConnection(miniHS2.getJdbcURL(), user, "bar");
Statement stmt = con.createStatement()) {
stmt.execute("drop database if exists DB_" + Thread.currentThread().threadId() + " cascade");
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The following is my personal opinion:

  1. The thread pool reuses its 5 threads to execute the 20 tasks, the same thread ID will be used multiple times. Its doesn't align with the intent of having 20 distinct operations as DROP DATABASE might have same threadId.
  2. How 20 iterartions of for loop is decided? Is there any way to make it more deterministic?
  3. if executor.getActiveCount() is 0 then the Assert statement won't get invoked. The core logic might not be getting tested and test will still pass.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

@Aggarwal-Raghav Please find below responses

  1. The idea is to simulate 10/20 connections/queries which can open transactions. A new txnId will be opened for every query irrespective of the connection or thread
  2. We can take any number of threads, for now I am keeping it to 10, i.e 10 queries will be run and the txnIds for those queries can be captured using show processlist and cross verify it txnid got opened or not
  3. Moved assert out of that loop. This loop will keep on executing until all the queries got executed & all the transactions got captured using show processlist. At the end checking if 10 transactions were opened or not for those 10 queries

} catch (Exception exception) {
LOG.error(exception.getMessage());
LOG.error(Arrays.toString(exception.getStackTrace()));
}
});
}
Set<Integer> txnIds = new HashSet<>();
try (Connection testCon = DriverManager.getConnection(miniHS2.getJdbcURL(), user, "bar");
Statement s = testCon.createStatement()) {
while (executor.getActiveCount() > 0) {
// retrieve txnIds from show processlist output
txnIds.addAll(getTxnIdsFromShowProcesslist(s));
}
}
System.out.println(txnIds);
// max txnId should be equal to the number of connections
int maxTxnId = Collections.max(txnIds);
Assert.assertEquals(maxTxnId, connections);
}

private static Set<Integer> getTxnIdsFromShowProcesslist(Statement s) {
Set<Integer> txnIds = new HashSet<>();
try (ResultSet rs = s.executeQuery("show processlist")) {
while (rs.next()) {
int txnId = Integer.parseInt(rs.getString("Txn ID"));
// TxnId can be 0 because the query has not yet opened txn when show processlist is run.
if (txnId > 0) {
txnIds.add(txnId);
}
}
} catch (Exception exception) {
LOG.error("Exception when checking hive state", exception);
LOG.error(Arrays.toString(exception.getStackTrace()));

}
return txnIds;
}

}
Original file line number Diff line number Diff line change
Expand Up @@ -59,6 +59,7 @@ private Schema getSchema() {
sch.addToFieldSchemas(new FieldSchema("Session Idle Time (s)", STRING_TYPE_NAME, ""));
sch.addToFieldSchemas(new FieldSchema("Query ID", STRING_TYPE_NAME, ""));
sch.addToFieldSchemas(new FieldSchema("State", STRING_TYPE_NAME, ""));
sch.addToFieldSchemas(new FieldSchema("Txn ID", STRING_TYPE_NAME, ""));
sch.addToFieldSchemas(new FieldSchema("Opened Timestamp (s)", STRING_TYPE_NAME, ""));
sch.addToFieldSchemas(new FieldSchema("Elapsed Time (s)", STRING_TYPE_NAME, ""));
sch.addToFieldSchemas(new FieldSchema("Runtime (s)", STRING_TYPE_NAME, ""));
Expand Down Expand Up @@ -91,6 +92,7 @@ public CommandProcessorResponse run(String command) throws CommandProcessorExcep
query.getSessionIdleTime(),
query.getQueryId(),
query.getState(),
query.getTxnId(),
query.getBeginTime(),
query.getElapsedTime(),
query.getRuntime()
Expand Down
16 changes: 14 additions & 2 deletions ql/src/java/org/apache/hadoop/hive/ql/session/ProcessListInfo.java
Original file line number Diff line number Diff line change
Expand Up @@ -32,10 +32,11 @@ public class ProcessListInfo {
private final String runtime; // tracks only running portion of the query.
private final long elapsedTime;
private final String state;
private final long txnId;

private ProcessListInfo(String userName, String ipAddr, String sessionId, long sessionActiveTime,
long sessionIdleTime, String queryId, String executionEngine, String beginTime,
String runtime, long elapsedTime, String state) {
String runtime, long elapsedTime, String state, long txnId) {
this.userName = userName;
this.ipAddr = ipAddr;
this.sessionId = sessionId;
Expand All @@ -47,6 +48,7 @@ private ProcessListInfo(String userName, String ipAddr, String sessionId, long s
this.runtime = runtime;
this.elapsedTime = elapsedTime;
this.state = state;
this.txnId = txnId;
}

public String getSessionId() {
Expand Down Expand Up @@ -93,6 +95,10 @@ public String getState() {
return state;
}

public Long getTxnId() {
return txnId;
}

public static class Builder {
private String userName;
private String ipAddr;
Expand All @@ -105,6 +111,7 @@ public static class Builder {
private String runtime;
private long elapsedTime;
private String state;
private long txnId;

public Builder setSessionId(String sessionId) {
this.sessionId = sessionId;
Expand Down Expand Up @@ -161,10 +168,15 @@ public Builder setState(String state) {
return this;
}

public Builder setTxnId(long txnId) {
this.txnId = txnId;
return this;
}

public ProcessListInfo build() {
ProcessListInfo processListInfo = new ProcessListInfo(userName, ipAddr, sessionId, sessionActiveTime,
sessionIdleTime, queryId, executionEngine, beginTime, runtime,
elapsedTime, state);
elapsedTime, state, txnId);
return processListInfo;
}
}
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -71,7 +71,10 @@ private List<ProcessListInfo> getLiveQueryInfos(HiveSession parentSession) {
LocalDateTime beginTime = LocalDateTime.ofInstant(
Instant.ofEpochMilli(query.getBeginTime()), ZoneId.systemDefault()
);

long txnId = 0;
if (op.queryState != null && op.queryState.getTxnManager() != null) {
txnId = op.queryState.getTxnManager().getCurrentTxnId();
}
return new ProcessListInfo.Builder()
.setUserName(session.getUserName())
.setIpAddr(session.getIpAddress())
Expand All @@ -84,6 +87,7 @@ private List<ProcessListInfo> getLiveQueryInfos(HiveSession parentSession) {
.setRuntime(query.getRuntime() == null ? "Not finished" : String.valueOf(query.getRuntime() / 1000))
.setElapsedTime(query.getElapsedTime() / 1000)
.setState(query.getState())
.setTxnId(txnId)
.build();
})
.collect(Collectors.toList());
Expand Down