1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19 package org.apache.hadoop.hbase.mapreduce;
20
21 import static org.junit.Assert.assertEquals;
22 import static org.junit.Assert.assertFalse;
23 import static org.junit.Assert.assertNotNull;
24 import static org.junit.Assert.assertNotSame;
25 import static org.junit.Assert.assertTrue;
26 import static org.junit.Assert.fail;
27
28 import java.io.IOException;
29 import java.util.Arrays;
30 import java.util.HashMap;
31 import java.util.Map;
32 import java.util.Map.Entry;
33 import java.util.Random;
34 import java.util.Set;
35 import java.util.concurrent.Callable;
36 import junit.framework.Assert;
37 import org.apache.commons.logging.Log;
38 import org.apache.commons.logging.LogFactory;
39 import org.apache.hadoop.conf.Configuration;
40 import org.apache.hadoop.fs.FileStatus;
41 import org.apache.hadoop.fs.FileSystem;
42 import org.apache.hadoop.fs.Path;
43 import org.apache.hadoop.hbase.Cell;
44 import org.apache.hadoop.hbase.CellUtil;
45 import org.apache.hadoop.hbase.CompatibilitySingletonFactory;
46 import org.apache.hadoop.hbase.HBaseConfiguration;
47 import org.apache.hadoop.hbase.HBaseTestingUtility;
48 import org.apache.hadoop.hbase.HColumnDescriptor;
49 import org.apache.hadoop.hbase.HConstants;
50 import org.apache.hadoop.hbase.HTableDescriptor;
51 import org.apache.hadoop.hbase.HadoopShims;
52 import org.apache.hadoop.hbase.KeyValue;
53 import org.apache.hadoop.hbase.testclassification.LargeTests;
54 import org.apache.hadoop.hbase.PerformanceEvaluation;
55 import org.apache.hadoop.hbase.TableName;
56 import org.apache.hadoop.hbase.client.HBaseAdmin;
57 import org.apache.hadoop.hbase.client.HTable;
58 import org.apache.hadoop.hbase.client.Put;
59 import org.apache.hadoop.hbase.client.Result;
60 import org.apache.hadoop.hbase.client.ResultScanner;
61 import org.apache.hadoop.hbase.client.Scan;
62 import org.apache.hadoop.hbase.io.ImmutableBytesWritable;
63 import org.apache.hadoop.hbase.io.compress.Compression;
64 import org.apache.hadoop.hbase.io.compress.Compression.Algorithm;
65 import org.apache.hadoop.hbase.io.encoding.DataBlockEncoding;
66 import org.apache.hadoop.hbase.io.hfile.CacheConfig;
67 import org.apache.hadoop.hbase.io.hfile.HFile;
68 import org.apache.hadoop.hbase.io.hfile.HFile.Reader;
69 import org.apache.hadoop.hbase.regionserver.BloomType;
70 import org.apache.hadoop.hbase.regionserver.HStore;
71 import org.apache.hadoop.hbase.regionserver.StoreFile;
72 import org.apache.hadoop.hbase.regionserver.TimeRangeTracker;
73 import org.apache.hadoop.hbase.util.Bytes;
74 import org.apache.hadoop.hbase.util.FSUtils;
75 import org.apache.hadoop.hbase.util.Threads;
76 import org.apache.hadoop.hbase.util.Writables;
77 import org.apache.hadoop.io.NullWritable;
78 import org.apache.hadoop.mapreduce.Job;
79 import org.apache.hadoop.mapreduce.Mapper;
80 import org.apache.hadoop.mapreduce.RecordWriter;
81 import org.apache.hadoop.mapreduce.TaskAttemptContext;
82 import org.apache.hadoop.mapreduce.lib.output.FileOutputFormat;
83 import org.junit.Ignore;
84 import org.junit.Test;
85 import org.junit.experimental.categories.Category;
86 import org.mockito.Mockito;
87
88
89
90
91
92
93
94 @Category(LargeTests.class)
95 public class TestHFileOutputFormat {
96 private final static int ROWSPERSPLIT = 1024;
97
98 private static final byte[][] FAMILIES
99 = { Bytes.add(PerformanceEvaluation.FAMILY_NAME, Bytes.toBytes("-A"))
100 , Bytes.add(PerformanceEvaluation.FAMILY_NAME, Bytes.toBytes("-B"))};
101 private static final TableName TABLE_NAME =
102 TableName.valueOf("TestTable");
103
104 private HBaseTestingUtility util = new HBaseTestingUtility();
105
106 private static Log LOG = LogFactory.getLog(TestHFileOutputFormat.class);
107
108
109
110
111 static class RandomKVGeneratingMapper
112 extends Mapper<NullWritable, NullWritable,
113 ImmutableBytesWritable, KeyValue> {
114
115 private int keyLength;
116 private static final int KEYLEN_DEFAULT=10;
117 private static final String KEYLEN_CONF="randomkv.key.length";
118
119 private int valLength;
120 private static final int VALLEN_DEFAULT=10;
121 private static final String VALLEN_CONF="randomkv.val.length";
122
123 @Override
124 protected void setup(Context context) throws IOException,
125 InterruptedException {
126 super.setup(context);
127
128 Configuration conf = context.getConfiguration();
129 keyLength = conf.getInt(KEYLEN_CONF, KEYLEN_DEFAULT);
130 valLength = conf.getInt(VALLEN_CONF, VALLEN_DEFAULT);
131 }
132
133 protected void map(
134 NullWritable n1, NullWritable n2,
135 Mapper<NullWritable, NullWritable,
136 ImmutableBytesWritable,KeyValue>.Context context)
137 throws java.io.IOException ,InterruptedException
138 {
139
140 byte keyBytes[] = new byte[keyLength];
141 byte valBytes[] = new byte[valLength];
142
143 int taskId = context.getTaskAttemptID().getTaskID().getId();
144 assert taskId < Byte.MAX_VALUE : "Unit tests dont support > 127 tasks!";
145
146 Random random = new Random();
147 for (int i = 0; i < ROWSPERSPLIT; i++) {
148
149 random.nextBytes(keyBytes);
150
151 keyBytes[keyLength - 1] = (byte)(taskId & 0xFF);
152 random.nextBytes(valBytes);
153 ImmutableBytesWritable key = new ImmutableBytesWritable(keyBytes);
154
155 for (byte[] family : TestHFileOutputFormat.FAMILIES) {
156 KeyValue kv = new KeyValue(keyBytes, family,
157 PerformanceEvaluation.QUALIFIER_NAME, valBytes);
158 context.write(key, kv);
159 }
160 }
161 }
162 }
163
164 private void setupRandomGeneratorMapper(Job job) {
165 job.setInputFormatClass(NMapInputFormat.class);
166 job.setMapperClass(RandomKVGeneratingMapper.class);
167 job.setMapOutputKeyClass(ImmutableBytesWritable.class);
168 job.setMapOutputValueClass(KeyValue.class);
169 }
170
171
172
173
174
175
176 @Test
177 public void test_LATEST_TIMESTAMP_isReplaced()
178 throws Exception {
179 Configuration conf = new Configuration(this.util.getConfiguration());
180 RecordWriter<ImmutableBytesWritable, KeyValue> writer = null;
181 TaskAttemptContext context = null;
182 Path dir =
183 util.getDataTestDir("test_LATEST_TIMESTAMP_isReplaced");
184 try {
185 Job job = new Job(conf);
186 FileOutputFormat.setOutputPath(job, dir);
187 context = createTestTaskAttemptContext(job);
188 HFileOutputFormat hof = new HFileOutputFormat();
189 writer = hof.getRecordWriter(context);
190 final byte [] b = Bytes.toBytes("b");
191
192
193
194 KeyValue kv = new KeyValue(b, b, b);
195 KeyValue original = kv.clone();
196 writer.write(new ImmutableBytesWritable(), kv);
197 assertFalse(original.equals(kv));
198 assertTrue(Bytes.equals(original.getRow(), kv.getRow()));
199 assertTrue(original.matchingColumn(kv.getFamily(), kv.getQualifier()));
200 assertNotSame(original.getTimestamp(), kv.getTimestamp());
201 assertNotSame(HConstants.LATEST_TIMESTAMP, kv.getTimestamp());
202
203
204
205 kv = new KeyValue(b, b, b, kv.getTimestamp() - 1, b);
206 original = kv.clone();
207 writer.write(new ImmutableBytesWritable(), kv);
208 assertTrue(original.equals(kv));
209 } finally {
210 if (writer != null && context != null) writer.close(context);
211 dir.getFileSystem(conf).delete(dir, true);
212 }
213 }
214
215 private TaskAttemptContext createTestTaskAttemptContext(final Job job)
216 throws IOException, Exception {
217 HadoopShims hadoop = CompatibilitySingletonFactory.getInstance(HadoopShims.class);
218 TaskAttemptContext context = hadoop.createTestTaskAttemptContext(job, "attempt_200707121733_0001_m_000000_0");
219 return context;
220 }
221
222
223
224
225
226 @Test
227 public void test_TIMERANGE() throws Exception {
228 Configuration conf = new Configuration(this.util.getConfiguration());
229 RecordWriter<ImmutableBytesWritable, KeyValue> writer = null;
230 TaskAttemptContext context = null;
231 Path dir =
232 util.getDataTestDir("test_TIMERANGE_present");
233 LOG.info("Timerange dir writing to dir: "+ dir);
234 try {
235
236 Job job = new Job(conf);
237 FileOutputFormat.setOutputPath(job, dir);
238 context = createTestTaskAttemptContext(job);
239 HFileOutputFormat hof = new HFileOutputFormat();
240 writer = hof.getRecordWriter(context);
241
242
243 final byte [] b = Bytes.toBytes("b");
244
245
246 KeyValue kv = new KeyValue(b, b, b, 2000, b);
247 KeyValue original = kv.clone();
248 writer.write(new ImmutableBytesWritable(), kv);
249 assertEquals(original,kv);
250
251
252 kv = new KeyValue(b, b, b, 1000, b);
253 original = kv.clone();
254 writer.write(new ImmutableBytesWritable(), kv);
255 assertEquals(original, kv);
256
257
258 writer.close(context);
259
260
261
262
263 FileSystem fs = FileSystem.get(conf);
264 Path attemptDirectory = hof.getDefaultWorkFile(context, "").getParent();
265 FileStatus[] sub1 = fs.listStatus(attemptDirectory);
266 FileStatus[] file = fs.listStatus(sub1[0].getPath());
267
268
269 HFile.Reader rd = HFile.createReader(fs, file[0].getPath(),
270 new CacheConfig(conf), conf);
271 Map<byte[],byte[]> finfo = rd.loadFileInfo();
272 byte[] range = finfo.get("TIMERANGE".getBytes());
273 assertNotNull(range);
274
275
276 TimeRangeTracker timeRangeTracker = new TimeRangeTracker();
277 Writables.copyWritable(range, timeRangeTracker);
278 LOG.info(timeRangeTracker.getMin() + "...." + timeRangeTracker.getMax());
279 assertEquals(1000, timeRangeTracker.getMin());
280 assertEquals(2000, timeRangeTracker.getMax());
281 rd.close();
282 } finally {
283 if (writer != null && context != null) writer.close(context);
284 dir.getFileSystem(conf).delete(dir, true);
285 }
286 }
287
288
289
290
291 @Test
292 public void testWritingPEData() throws Exception {
293 Configuration conf = util.getConfiguration();
294 Path testDir = util.getDataTestDirOnTestFS("testWritingPEData");
295 FileSystem fs = testDir.getFileSystem(conf);
296
297
298 conf.setInt("io.sort.mb", 20);
299
300 conf.setLong(HConstants.HREGION_MAX_FILESIZE, 64 * 1024);
301
302 Job job = new Job(conf, "testWritingPEData");
303 setupRandomGeneratorMapper(job);
304
305
306 byte[] startKey = new byte[RandomKVGeneratingMapper.KEYLEN_DEFAULT];
307 byte[] endKey = new byte[RandomKVGeneratingMapper.KEYLEN_DEFAULT];
308
309 Arrays.fill(startKey, (byte)0);
310 Arrays.fill(endKey, (byte)0xff);
311
312 job.setPartitionerClass(SimpleTotalOrderPartitioner.class);
313
314 SimpleTotalOrderPartitioner.setStartKey(job.getConfiguration(), startKey);
315 SimpleTotalOrderPartitioner.setEndKey(job.getConfiguration(), endKey);
316 job.setReducerClass(KeyValueSortReducer.class);
317 job.setOutputFormatClass(HFileOutputFormat.class);
318 job.setNumReduceTasks(4);
319 job.getConfiguration().setStrings("io.serializations", conf.get("io.serializations"),
320 MutationSerialization.class.getName(), ResultSerialization.class.getName(),
321 KeyValueSerialization.class.getName());
322
323 FileOutputFormat.setOutputPath(job, testDir);
324 assertTrue(job.waitForCompletion(false));
325 FileStatus [] files = fs.listStatus(testDir);
326 assertTrue(files.length > 0);
327 }
328
329 @Test
330 public void testJobConfiguration() throws Exception {
331 Configuration conf = new Configuration(this.util.getConfiguration());
332 conf.set("hbase.fs.tmp.dir", util.getDataTestDir("testJobConfiguration").toString());
333 Job job = new Job(conf);
334 job.setWorkingDirectory(util.getDataTestDir("testJobConfiguration"));
335 HTable table = Mockito.mock(HTable.class);
336 setupMockStartKeys(table);
337 setupMockTableName(table);
338 HFileOutputFormat.configureIncrementalLoad(job, table);
339 assertEquals(job.getNumReduceTasks(), 4);
340 }
341
342 private byte [][] generateRandomStartKeys(int numKeys) {
343 Random random = new Random();
344 byte[][] ret = new byte[numKeys][];
345
346 ret[0] = HConstants.EMPTY_BYTE_ARRAY;
347 for (int i = 1; i < numKeys; i++) {
348 ret[i] = PerformanceEvaluation.generateData(random, PerformanceEvaluation.DEFAULT_VALUE_LENGTH);
349 }
350 return ret;
351 }
352
353 @Test
354 public void testMRIncrementalLoad() throws Exception {
355 LOG.info("\nStarting test testMRIncrementalLoad\n");
356 doIncrementalLoadTest(false);
357 }
358
359 @Test
360 public void testMRIncrementalLoadWithSplit() throws Exception {
361 LOG.info("\nStarting test testMRIncrementalLoadWithSplit\n");
362 doIncrementalLoadTest(true);
363 }
364
365 private void doIncrementalLoadTest(
366 boolean shouldChangeRegions) throws Exception {
367 util = new HBaseTestingUtility();
368 Configuration conf = util.getConfiguration();
369 byte[][] startKeys = generateRandomStartKeys(5);
370 HBaseAdmin admin = null;
371 try {
372 util.startMiniCluster();
373 Path testDir = util.getDataTestDirOnTestFS("testLocalMRIncrementalLoad");
374 admin = new HBaseAdmin(conf);
375 HTable table = util.createTable(TABLE_NAME, FAMILIES);
376 assertEquals("Should start with empty table",
377 0, util.countRows(table));
378 int numRegions = util.createMultiRegions(
379 util.getConfiguration(), table, FAMILIES[0], startKeys);
380 assertEquals("Should make 5 regions", numRegions, 5);
381
382
383 util.startMiniMapReduceCluster();
384 runIncrementalPELoad(conf, table, testDir);
385
386 assertEquals("HFOF should not touch actual table",
387 0, util.countRows(table));
388
389
390
391 int dir = 0;
392 for (FileStatus f : testDir.getFileSystem(conf).listStatus(testDir)) {
393 for (byte[] family : FAMILIES) {
394 if (Bytes.toString(family).equals(f.getPath().getName())) {
395 ++dir;
396 }
397 }
398 }
399 assertEquals("Column family not found in FS.", FAMILIES.length, dir);
400
401
402 if (shouldChangeRegions) {
403 LOG.info("Changing regions in table");
404 admin.disableTable(table.getTableName());
405 while(util.getMiniHBaseCluster().getMaster().getAssignmentManager().
406 getRegionStates().isRegionsInTransition()) {
407 Threads.sleep(200);
408 LOG.info("Waiting on table to finish disabling");
409 }
410 byte[][] newStartKeys = generateRandomStartKeys(15);
411 util.createMultiRegions(
412 util.getConfiguration(), table, FAMILIES[0], newStartKeys);
413 admin.enableTable(table.getTableName());
414 while (table.getRegionLocations().size() != 15 ||
415 !admin.isTableAvailable(table.getTableName())) {
416 Thread.sleep(200);
417 LOG.info("Waiting for new region assignment to happen");
418 }
419 }
420
421
422 new LoadIncrementalHFiles(conf).doBulkLoad(testDir, table);
423
424
425 int expectedRows = NMapInputFormat.getNumMapTasks(conf) * ROWSPERSPLIT;
426 assertEquals("LoadIncrementalHFiles should put expected data in table",
427 expectedRows, util.countRows(table));
428 Scan scan = new Scan();
429 ResultScanner results = table.getScanner(scan);
430 for (Result res : results) {
431 assertEquals(FAMILIES.length, res.rawCells().length);
432 Cell first = res.rawCells()[0];
433 for (Cell kv : res.rawCells()) {
434 assertTrue(CellUtil.matchingRow(first, kv));
435 assertTrue(Bytes.equals(CellUtil.cloneValue(first), CellUtil.cloneValue(kv)));
436 }
437 }
438 results.close();
439 String tableDigestBefore = util.checksumRows(table);
440
441
442 admin.disableTable(TABLE_NAME);
443 while (!admin.isTableDisabled(TABLE_NAME)) {
444 Thread.sleep(200);
445 LOG.info("Waiting for table to disable");
446 }
447 admin.enableTable(TABLE_NAME);
448 util.waitTableAvailable(TABLE_NAME.getName());
449 assertEquals("Data should remain after reopening of regions",
450 tableDigestBefore, util.checksumRows(table));
451 } finally {
452 if (admin != null) admin.close();
453 util.shutdownMiniMapReduceCluster();
454 util.shutdownMiniCluster();
455 }
456 }
457
458 private void runIncrementalPELoad(
459 Configuration conf, HTable table, Path outDir)
460 throws Exception {
461 Job job = new Job(conf, "testLocalMRIncrementalLoad");
462 job.setWorkingDirectory(util.getDataTestDirOnTestFS("runIncrementalPELoad"));
463 job.getConfiguration().setStrings("io.serializations", conf.get("io.serializations"),
464 MutationSerialization.class.getName(), ResultSerialization.class.getName(),
465 KeyValueSerialization.class.getName());
466 setupRandomGeneratorMapper(job);
467 HFileOutputFormat.configureIncrementalLoad(job, table);
468 FileOutputFormat.setOutputPath(job, outDir);
469
470 Assert.assertFalse( util.getTestFileSystem().exists(outDir)) ;
471
472 assertEquals(table.getRegionLocations().size(), job.getNumReduceTasks());
473
474 assertTrue(job.waitForCompletion(true));
475 }
476
477
478
479
480
481
482
483
484
485
486 @Test
487 public void testSerializeDeserializeFamilyCompressionMap() throws IOException {
488 for (int numCfs = 0; numCfs <= 3; numCfs++) {
489 Configuration conf = new Configuration(this.util.getConfiguration());
490 Map<String, Compression.Algorithm> familyToCompression =
491 getMockColumnFamiliesForCompression(numCfs);
492 HTable table = Mockito.mock(HTable.class);
493 setupMockColumnFamiliesForCompression(table, familyToCompression);
494 HFileOutputFormat.configureCompression(table, conf);
495
496
497 Map<byte[], Algorithm> retrievedFamilyToCompressionMap = HFileOutputFormat
498 .createFamilyCompressionMap(conf);
499
500
501
502 for (Entry<String, Algorithm> entry : familyToCompression.entrySet()) {
503 assertEquals("Compression configuration incorrect for column family:"
504 + entry.getKey(), entry.getValue(),
505 retrievedFamilyToCompressionMap.get(entry.getKey().getBytes()));
506 }
507 }
508 }
509
510 private void setupMockColumnFamiliesForCompression(HTable table,
511 Map<String, Compression.Algorithm> familyToCompression) throws IOException {
512 HTableDescriptor mockTableDescriptor = new HTableDescriptor(TABLE_NAME);
513 for (Entry<String, Compression.Algorithm> entry : familyToCompression.entrySet()) {
514 mockTableDescriptor.addFamily(new HColumnDescriptor(entry.getKey())
515 .setMaxVersions(1)
516 .setCompressionType(entry.getValue())
517 .setBlockCacheEnabled(false)
518 .setTimeToLive(0));
519 }
520 Mockito.doReturn(mockTableDescriptor).when(table).getTableDescriptor();
521 }
522
523
524
525
526
527 private Map<String, Compression.Algorithm>
528 getMockColumnFamiliesForCompression (int numCfs) {
529 Map<String, Compression.Algorithm> familyToCompression = new HashMap<String, Compression.Algorithm>();
530
531 if (numCfs-- > 0) {
532 familyToCompression.put("Family1!@#!@#&", Compression.Algorithm.LZO);
533 }
534 if (numCfs-- > 0) {
535 familyToCompression.put("Family2=asdads&!AASD", Compression.Algorithm.SNAPPY);
536 }
537 if (numCfs-- > 0) {
538 familyToCompression.put("Family2=asdads&!AASD", Compression.Algorithm.GZ);
539 }
540 if (numCfs-- > 0) {
541 familyToCompression.put("Family3", Compression.Algorithm.NONE);
542 }
543 return familyToCompression;
544 }
545
546
547
548
549
550
551
552
553
554
555
556 @Test
557 public void testSerializeDeserializeFamilyBloomTypeMap() throws IOException {
558 for (int numCfs = 0; numCfs <= 2; numCfs++) {
559 Configuration conf = new Configuration(this.util.getConfiguration());
560 Map<String, BloomType> familyToBloomType =
561 getMockColumnFamiliesForBloomType(numCfs);
562 HTable table = Mockito.mock(HTable.class);
563 setupMockColumnFamiliesForBloomType(table,
564 familyToBloomType);
565 HFileOutputFormat.configureBloomType(table, conf);
566
567
568
569 Map<byte[], BloomType> retrievedFamilyToBloomTypeMap =
570 HFileOutputFormat
571 .createFamilyBloomTypeMap(conf);
572
573
574
575 for (Entry<String, BloomType> entry : familyToBloomType.entrySet()) {
576 assertEquals("BloomType configuration incorrect for column family:"
577 + entry.getKey(), entry.getValue(),
578 retrievedFamilyToBloomTypeMap.get(entry.getKey().getBytes()));
579 }
580 }
581 }
582
583 private void setupMockColumnFamiliesForBloomType(HTable table,
584 Map<String, BloomType> familyToDataBlockEncoding) throws IOException {
585 HTableDescriptor mockTableDescriptor = new HTableDescriptor(TABLE_NAME);
586 for (Entry<String, BloomType> entry : familyToDataBlockEncoding.entrySet()) {
587 mockTableDescriptor.addFamily(new HColumnDescriptor(entry.getKey())
588 .setMaxVersions(1)
589 .setBloomFilterType(entry.getValue())
590 .setBlockCacheEnabled(false)
591 .setTimeToLive(0));
592 }
593 Mockito.doReturn(mockTableDescriptor).when(table).getTableDescriptor();
594 }
595
596
597
598
599
600 private Map<String, BloomType>
601 getMockColumnFamiliesForBloomType (int numCfs) {
602 Map<String, BloomType> familyToBloomType =
603 new HashMap<String, BloomType>();
604
605 if (numCfs-- > 0) {
606 familyToBloomType.put("Family1!@#!@#&", BloomType.ROW);
607 }
608 if (numCfs-- > 0) {
609 familyToBloomType.put("Family2=asdads&!AASD",
610 BloomType.ROWCOL);
611 }
612 if (numCfs-- > 0) {
613 familyToBloomType.put("Family3", BloomType.NONE);
614 }
615 return familyToBloomType;
616 }
617
618
619
620
621
622
623
624
625
626
627 @Test
628 public void testSerializeDeserializeFamilyBlockSizeMap() throws IOException {
629 for (int numCfs = 0; numCfs <= 3; numCfs++) {
630 Configuration conf = new Configuration(this.util.getConfiguration());
631 Map<String, Integer> familyToBlockSize =
632 getMockColumnFamiliesForBlockSize(numCfs);
633 HTable table = Mockito.mock(HTable.class);
634 setupMockColumnFamiliesForBlockSize(table,
635 familyToBlockSize);
636 HFileOutputFormat.configureBlockSize(table, conf);
637
638
639
640 Map<byte[], Integer> retrievedFamilyToBlockSizeMap =
641 HFileOutputFormat
642 .createFamilyBlockSizeMap(conf);
643
644
645
646 for (Entry<String, Integer> entry : familyToBlockSize.entrySet()
647 ) {
648 assertEquals("BlockSize configuration incorrect for column family:"
649 + entry.getKey(), entry.getValue(),
650 retrievedFamilyToBlockSizeMap.get(entry.getKey().getBytes()));
651 }
652 }
653 }
654
655 private void setupMockColumnFamiliesForBlockSize(HTable table,
656 Map<String, Integer> familyToDataBlockEncoding) throws IOException {
657 HTableDescriptor mockTableDescriptor = new HTableDescriptor(TABLE_NAME);
658 for (Entry<String, Integer> entry : familyToDataBlockEncoding.entrySet()) {
659 mockTableDescriptor.addFamily(new HColumnDescriptor(entry.getKey())
660 .setMaxVersions(1)
661 .setBlocksize(entry.getValue())
662 .setBlockCacheEnabled(false)
663 .setTimeToLive(0));
664 }
665 Mockito.doReturn(mockTableDescriptor).when(table).getTableDescriptor();
666 }
667
668
669
670
671
672 private Map<String, Integer>
673 getMockColumnFamiliesForBlockSize (int numCfs) {
674 Map<String, Integer> familyToBlockSize =
675 new HashMap<String, Integer>();
676
677 if (numCfs-- > 0) {
678 familyToBlockSize.put("Family1!@#!@#&", 1234);
679 }
680 if (numCfs-- > 0) {
681 familyToBlockSize.put("Family2=asdads&!AASD",
682 Integer.MAX_VALUE);
683 }
684 if (numCfs-- > 0) {
685 familyToBlockSize.put("Family2=asdads&!AASD",
686 Integer.MAX_VALUE);
687 }
688 if (numCfs-- > 0) {
689 familyToBlockSize.put("Family3", 0);
690 }
691 return familyToBlockSize;
692 }
693
694
695
696
697
698
699
700
701
702
703 @Test
704 public void testSerializeDeserializeFamilyDataBlockEncodingMap() throws IOException {
705 for (int numCfs = 0; numCfs <= 3; numCfs++) {
706 Configuration conf = new Configuration(this.util.getConfiguration());
707 Map<String, DataBlockEncoding> familyToDataBlockEncoding =
708 getMockColumnFamiliesForDataBlockEncoding(numCfs);
709 HTable table = Mockito.mock(HTable.class);
710 setupMockColumnFamiliesForDataBlockEncoding(table,
711 familyToDataBlockEncoding);
712 HFileOutputFormat.configureDataBlockEncoding(table, conf);
713
714
715
716 Map<byte[], DataBlockEncoding> retrievedFamilyToDataBlockEncodingMap =
717 HFileOutputFormat
718 .createFamilyDataBlockEncodingMap(conf);
719
720
721
722 for (Entry<String, DataBlockEncoding> entry : familyToDataBlockEncoding.entrySet()) {
723 assertEquals("DataBlockEncoding configuration incorrect for column family:"
724 + entry.getKey(), entry.getValue(),
725 retrievedFamilyToDataBlockEncodingMap.get(entry.getKey().getBytes()));
726 }
727 }
728 }
729
730 private void setupMockColumnFamiliesForDataBlockEncoding(HTable table,
731 Map<String, DataBlockEncoding> familyToDataBlockEncoding) throws IOException {
732 HTableDescriptor mockTableDescriptor = new HTableDescriptor(TABLE_NAME);
733 for (Entry<String, DataBlockEncoding> entry : familyToDataBlockEncoding.entrySet()) {
734 mockTableDescriptor.addFamily(new HColumnDescriptor(entry.getKey())
735 .setMaxVersions(1)
736 .setDataBlockEncoding(entry.getValue())
737 .setBlockCacheEnabled(false)
738 .setTimeToLive(0));
739 }
740 Mockito.doReturn(mockTableDescriptor).when(table).getTableDescriptor();
741 }
742
743
744
745
746
747 private Map<String, DataBlockEncoding>
748 getMockColumnFamiliesForDataBlockEncoding (int numCfs) {
749 Map<String, DataBlockEncoding> familyToDataBlockEncoding =
750 new HashMap<String, DataBlockEncoding>();
751
752 if (numCfs-- > 0) {
753 familyToDataBlockEncoding.put("Family1!@#!@#&", DataBlockEncoding.DIFF);
754 }
755 if (numCfs-- > 0) {
756 familyToDataBlockEncoding.put("Family2=asdads&!AASD",
757 DataBlockEncoding.FAST_DIFF);
758 }
759 if (numCfs-- > 0) {
760 familyToDataBlockEncoding.put("Family2=asdads&!AASD",
761 DataBlockEncoding.PREFIX);
762 }
763 if (numCfs-- > 0) {
764 familyToDataBlockEncoding.put("Family3", DataBlockEncoding.NONE);
765 }
766 return familyToDataBlockEncoding;
767 }
768
769 private void setupMockStartKeys(HTable table) throws IOException {
770 byte[][] mockKeys = new byte[][] {
771 HConstants.EMPTY_BYTE_ARRAY,
772 Bytes.toBytes("aaa"),
773 Bytes.toBytes("ggg"),
774 Bytes.toBytes("zzz")
775 };
776 Mockito.doReturn(mockKeys).when(table).getStartKeys();
777 }
778
779 private void setupMockTableName(HTable table) throws IOException {
780 TableName mockTableName = TableName.valueOf("mock_table");
781 Mockito.doReturn(mockTableName).when(table).getName();
782 }
783
784
785
786
787
788 @Test
789 public void testColumnFamilySettings() throws Exception {
790 Configuration conf = new Configuration(this.util.getConfiguration());
791 RecordWriter<ImmutableBytesWritable, KeyValue> writer = null;
792 TaskAttemptContext context = null;
793 Path dir = util.getDataTestDir("testColumnFamilySettings");
794
795
796 HTable table = Mockito.mock(HTable.class);
797 HTableDescriptor htd = new HTableDescriptor(TABLE_NAME);
798 Mockito.doReturn(htd).when(table).getTableDescriptor();
799 for (HColumnDescriptor hcd: this.util.generateColumnDescriptors()) {
800 htd.addFamily(hcd);
801 }
802
803
804 setupMockStartKeys(table);
805
806 try {
807
808
809
810 conf.set("io.seqfile.compression.type", "NONE");
811 conf.set("hbase.fs.tmp.dir", dir.toString());
812
813 conf.setBoolean(HFileOutputFormat2.LOCALITY_SENSITIVE_CONF_KEY, false);
814
815 Job job = new Job(conf, "testLocalMRIncrementalLoad");
816 job.setWorkingDirectory(util.getDataTestDirOnTestFS("testColumnFamilySettings"));
817 setupRandomGeneratorMapper(job);
818 HFileOutputFormat.configureIncrementalLoad(job, table);
819 FileOutputFormat.setOutputPath(job, dir);
820 context = createTestTaskAttemptContext(job);
821 HFileOutputFormat hof = new HFileOutputFormat();
822 writer = hof.getRecordWriter(context);
823
824
825 writeRandomKeyValues(writer, context, htd.getFamiliesKeys(), ROWSPERSPLIT);
826 writer.close(context);
827
828
829 FileSystem fs = dir.getFileSystem(conf);
830
831
832 hof.getOutputCommitter(context).commitTask(context);
833 hof.getOutputCommitter(context).commitJob(context);
834 FileStatus[] families = FSUtils.listStatus(fs, dir, new FSUtils.FamilyDirFilter(fs));
835 assertEquals(htd.getFamilies().size(), families.length);
836 for (FileStatus f : families) {
837 String familyStr = f.getPath().getName();
838 HColumnDescriptor hcd = htd.getFamily(Bytes.toBytes(familyStr));
839
840
841 Path dataFilePath = fs.listStatus(f.getPath())[0].getPath();
842 Reader reader = HFile.createReader(fs, dataFilePath, new CacheConfig(conf), conf);
843 Map<byte[], byte[]> fileInfo = reader.loadFileInfo();
844
845 byte[] bloomFilter = fileInfo.get(StoreFile.BLOOM_FILTER_TYPE_KEY);
846 if (bloomFilter == null) bloomFilter = Bytes.toBytes("NONE");
847 assertEquals("Incorrect bloom filter used for column family " + familyStr +
848 "(reader: " + reader + ")",
849 hcd.getBloomFilterType(), BloomType.valueOf(Bytes.toString(bloomFilter)));
850 assertEquals("Incorrect compression used for column family " + familyStr +
851 "(reader: " + reader + ")", hcd.getCompression(), reader.getFileContext().getCompression());
852 }
853 } finally {
854 dir.getFileSystem(conf).delete(dir, true);
855 }
856 }
857
858
859
860
861
862 private void writeRandomKeyValues(RecordWriter<ImmutableBytesWritable, KeyValue> writer,
863 TaskAttemptContext context, Set<byte[]> families, int numRows)
864 throws IOException, InterruptedException {
865 byte keyBytes[] = new byte[Bytes.SIZEOF_INT];
866 int valLength = 10;
867 byte valBytes[] = new byte[valLength];
868
869 int taskId = context.getTaskAttemptID().getTaskID().getId();
870 assert taskId < Byte.MAX_VALUE : "Unit tests dont support > 127 tasks!";
871
872 Random random = new Random();
873 for (int i = 0; i < numRows; i++) {
874
875 Bytes.putInt(keyBytes, 0, i);
876 random.nextBytes(valBytes);
877 ImmutableBytesWritable key = new ImmutableBytesWritable(keyBytes);
878
879 for (byte[] family : families) {
880 KeyValue kv = new KeyValue(keyBytes, family,
881 PerformanceEvaluation.QUALIFIER_NAME, valBytes);
882 writer.write(key, kv);
883 }
884 }
885 }
886
887
888
889
890
891
892
893 @Ignore ("Flakey: See HBASE-9051") @Test
894 public void testExcludeAllFromMinorCompaction() throws Exception {
895 Configuration conf = util.getConfiguration();
896 conf.setInt("hbase.hstore.compaction.min", 2);
897 generateRandomStartKeys(5);
898
899 try {
900 util.startMiniCluster();
901 final FileSystem fs = util.getDFSCluster().getFileSystem();
902 HBaseAdmin admin = new HBaseAdmin(conf);
903 HTable table = util.createTable(TABLE_NAME, FAMILIES);
904 assertEquals("Should start with empty table", 0, util.countRows(table));
905
906
907 final Path storePath = HStore.getStoreHomedir(
908 FSUtils.getTableDir(FSUtils.getRootDir(conf), TABLE_NAME),
909 admin.getTableRegions(TABLE_NAME).get(0),
910 FAMILIES[0]);
911 assertEquals(0, fs.listStatus(storePath).length);
912
913
914 conf.setBoolean("hbase.mapreduce.hfileoutputformat.compaction.exclude",
915 true);
916 util.startMiniMapReduceCluster();
917
918 for (int i = 0; i < 2; i++) {
919 Path testDir = util.getDataTestDirOnTestFS("testExcludeAllFromMinorCompaction_" + i);
920 runIncrementalPELoad(conf, table, testDir);
921
922 new LoadIncrementalHFiles(conf).doBulkLoad(testDir, table);
923 }
924
925
926 int expectedRows = 2 * NMapInputFormat.getNumMapTasks(conf) * ROWSPERSPLIT;
927 assertEquals("LoadIncrementalHFiles should put expected data in table",
928 expectedRows, util.countRows(table));
929
930
931 assertEquals(2, fs.listStatus(storePath).length);
932
933
934 admin.compact(TABLE_NAME.getName());
935 try {
936 quickPoll(new Callable<Boolean>() {
937 public Boolean call() throws Exception {
938 return fs.listStatus(storePath).length == 1;
939 }
940 }, 5000);
941 throw new IOException("SF# = " + fs.listStatus(storePath).length);
942 } catch (AssertionError ae) {
943
944 }
945
946
947 admin.majorCompact(TABLE_NAME.getName());
948 quickPoll(new Callable<Boolean>() {
949 public Boolean call() throws Exception {
950 return fs.listStatus(storePath).length == 1;
951 }
952 }, 5000);
953
954 } finally {
955 util.shutdownMiniMapReduceCluster();
956 util.shutdownMiniCluster();
957 }
958 }
959
960 @Test
961 public void testExcludeMinorCompaction() throws Exception {
962 Configuration conf = util.getConfiguration();
963 conf.setInt("hbase.hstore.compaction.min", 2);
964 generateRandomStartKeys(5);
965
966 try {
967 util.startMiniCluster();
968 Path testDir = util.getDataTestDirOnTestFS("testExcludeMinorCompaction");
969 final FileSystem fs = util.getDFSCluster().getFileSystem();
970 HBaseAdmin admin = new HBaseAdmin(conf);
971 HTable table = util.createTable(TABLE_NAME, FAMILIES);
972 assertEquals("Should start with empty table", 0, util.countRows(table));
973
974
975 final Path storePath = HStore.getStoreHomedir(
976 FSUtils.getTableDir(FSUtils.getRootDir(conf), TABLE_NAME),
977 admin.getTableRegions(TABLE_NAME).get(0),
978 FAMILIES[0]);
979 assertEquals(0, fs.listStatus(storePath).length);
980
981
982 Put p = new Put(Bytes.toBytes("test"));
983 p.add(FAMILIES[0], Bytes.toBytes("1"), Bytes.toBytes("1"));
984 table.put(p);
985 admin.flush(TABLE_NAME.getName());
986 assertEquals(1, util.countRows(table));
987 quickPoll(new Callable<Boolean>() {
988 public Boolean call() throws Exception {
989 return fs.listStatus(storePath).length == 1;
990 }
991 }, 5000);
992
993
994 conf.setBoolean("hbase.mapreduce.hfileoutputformat.compaction.exclude",
995 true);
996 util.startMiniMapReduceCluster();
997 runIncrementalPELoad(conf, table, testDir);
998
999
1000 new LoadIncrementalHFiles(conf).doBulkLoad(testDir, table);
1001
1002
1003 int expectedRows = NMapInputFormat.getNumMapTasks(conf) * ROWSPERSPLIT;
1004 assertEquals("LoadIncrementalHFiles should put expected data in table",
1005 expectedRows + 1, util.countRows(table));
1006
1007
1008 assertEquals(2, fs.listStatus(storePath).length);
1009
1010
1011 admin.compact(TABLE_NAME.getName());
1012 try {
1013 quickPoll(new Callable<Boolean>() {
1014 public Boolean call() throws Exception {
1015 return fs.listStatus(storePath).length == 1;
1016 }
1017 }, 5000);
1018 throw new IOException("SF# = " + fs.listStatus(storePath).length);
1019 } catch (AssertionError ae) {
1020
1021 }
1022
1023
1024 admin.majorCompact(TABLE_NAME.getName());
1025 quickPoll(new Callable<Boolean>() {
1026 public Boolean call() throws Exception {
1027 return fs.listStatus(storePath).length == 1;
1028 }
1029 }, 5000);
1030
1031 } finally {
1032 util.shutdownMiniMapReduceCluster();
1033 util.shutdownMiniCluster();
1034 }
1035 }
1036
1037 private void quickPoll(Callable<Boolean> c, int waitMs) throws Exception {
1038 int sleepMs = 10;
1039 int retries = (int) Math.ceil(((double) waitMs) / sleepMs);
1040 while (retries-- > 0) {
1041 if (c.call().booleanValue()) {
1042 return;
1043 }
1044 Thread.sleep(sleepMs);
1045 }
1046 fail();
1047 }
1048
1049 public static void main(String args[]) throws Exception {
1050 new TestHFileOutputFormat().manualTest(args);
1051 }
1052
1053 public void manualTest(String args[]) throws Exception {
1054 Configuration conf = HBaseConfiguration.create();
1055 util = new HBaseTestingUtility(conf);
1056 if ("newtable".equals(args[0])) {
1057 byte[] tname = args[1].getBytes();
1058 HTable table = util.createTable(tname, FAMILIES);
1059 HBaseAdmin admin = new HBaseAdmin(conf);
1060 admin.disableTable(tname);
1061 byte[][] startKeys = generateRandomStartKeys(5);
1062 util.createMultiRegions(conf, table, FAMILIES[0], startKeys);
1063 admin.enableTable(tname);
1064 } else if ("incremental".equals(args[0])) {
1065 byte[] tname = args[1].getBytes();
1066 HTable table = new HTable(conf, tname);
1067 Path outDir = new Path("incremental-out");
1068 runIncrementalPELoad(conf, table, outDir);
1069 } else {
1070 throw new RuntimeException(
1071 "usage: TestHFileOutputFormat newtable | incremental");
1072 }
1073 }
1074
1075 }
1076