您的位置:

HBase读取数据详解

一、数据访问方式

HBase数据的读取可以分为两种方式:扫描和获取。其中扫描方式可以遍历整个表或表的一部分,获取方式则根据行键获取一条数据。

二、扫描方式

1、全表扫描


Configuration conf = HBaseConfiguration.create();
HTable table = new HTable(conf, "table_name");
Scan scan = new Scan();
ResultScanner rs = table.getScanner(scan);

for (Result r : rs) {
    for (Cell cell : r.listCells()) {
        System.out.println(cell);
    }
}
rs.close();

2、指定范围扫描


Configuration conf = HBaseConfiguration.create();
HTable table = new HTable(conf, "table_name");
Scan scan = new Scan(Bytes.toBytes("row_key_start"), Bytes.toBytes("row_key_end"));
ResultScanner rs = table.getScanner(scan);

for (Result r : rs) {
    for (Cell cell : r.listCells()) {
        System.out.println(cell);
    }
}
rs.close();

三、获取方式

1、获取单行数据


Configuration conf = HBaseConfiguration.create();
HTable table = new HTable(conf, "table_name");
Get get = new Get(Bytes.toBytes("row_key"));
Result result = table.get(get);

for (Cell cell : result.listCells()) {
    System.out.println(cell);
}

2、获取多行数据


Configuration conf = HBaseConfiguration.create();
HTable table = new HTable(conf, "table_name");
List
    gets = new ArrayList<>();
gets.add(new Get(Bytes.toBytes("row_key1")));
gets.add(new Get(Bytes.toBytes("row_key2")));
gets.add(new Get(Bytes.toBytes("row_key3")));
Result[] results = table.get(gets);

for (Result result : results) {
    for (Cell cell : result.listCells()) {
        System.out.println(cell);
    }
}

   

四、过滤器

过滤器可以在扫描或获取时对数据进行过滤,只返回满足条件的数据。

1、单值过滤器


SingleColumnValueFilter filter = new SingleColumnValueFilter(Bytes.toBytes("column_family"), Bytes.toBytes("column_qualifier"), CompareOp.EQUAL, Bytes.toBytes("value"));
scan.setFilter(filter);

2、行键过滤器


RowFilter filter = new RowFilter(CompareOp.EQUAL, new BinaryComparator(Bytes.toBytes("row_key")));
scan.setFilter(filter);

3、前缀过滤器


PrefixFilter filter = new PrefixFilter(Bytes.toBytes("row_key_prefix"));
scan.setFilter(filter);

五、高级特性

1、缓存和批处理

HBase通过缓存和批处理可以提高读取性能。例如:


scan.setCaching(100);
scan.setBatch(10);

上述代码中,设置了每次从HBase中读取100行数据,并且每10行数据进行一次批处理。

2、异步读取

异步读取可以在读取时不阻塞当前线程,提高性能。例如:


Configuration conf = HBaseConfiguration.create();
HTable table = new HTable(conf, "table_name");
Get get = new Get(Bytes.toBytes("row_key"));
table.get(get, new MyGetCallBack());

其中,MyGetCallBack是自定义的回调函数。

六、总结

本文介绍了HBase的数据读取方式,包括扫描方式、获取方式、过滤器和高级特性,希望对大家学习HBase有所帮助。