src_fm_fc_ms_ff
stringlengths
43
86.8k
target
stringlengths
20
276k
ElasticsearchIndexIndexingPlanExecution { CompletableFuture<IndexIndexingPlanExecutionReport<R>> execute() { CompletableFuture<IndexIndexingPlanExecutionReport<R>> reportFuture = CompletableFuture.allOf( futures ) .handle( (result, throwable) -> onAllWorksFinished() ); for ( int i = 0; i < works.size(); i++ ) { CompletableFuture<Void> future = futures[i]; SingleDocumentIndexingWork work = works.get( i ); orchestrator.submit( future, work ); } return reportFuture; } ElasticsearchIndexIndexingPlanExecution(ElasticsearchSerialWorkOrchestrator orchestrator, EntityReferenceFactory<R> entityReferenceFactory, List<SingleDocumentIndexingWork> works); }
@Test public void success() { ArgumentCaptor<CompletableFuture<Void>> work1FutureCaptor = futureCaptor(); ArgumentCaptor<CompletableFuture<Void>> work2FutureCaptor = futureCaptor(); ArgumentCaptor<CompletableFuture<Void>> work3FutureCaptor = futureCaptor(); CompletableFuture<IndexIndexingPlanExecutionReport<StubEntityReference>> planExecutionFuture; ElasticsearchIndexIndexingPlanExecution<StubEntityReference> execution = new ElasticsearchIndexIndexingPlanExecution<>( orchestratorMock, entityReferenceFactoryMock, workMocks( 3 ) ); verifyNoOtherOrchestratorInteractionsAndReset(); planExecutionFuture = execution.execute(); verify( orchestratorMock ).submit( work1FutureCaptor.capture(), eq( workMocks.get( 0 ) ) ); verify( orchestratorMock ).submit( work2FutureCaptor.capture(), eq( workMocks.get( 1 ) ) ); verify( orchestratorMock ).submit( work3FutureCaptor.capture(), eq( workMocks.get( 2 ) ) ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work2FutureCaptor.getValue().complete( null ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work1FutureCaptor.getValue().complete( null ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work3FutureCaptor.getValue().complete( null ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isSuccessful( report -> { assertThat( report ).isNotNull(); assertSoftly( softly -> { softly.assertThat( report.throwable() ).isEmpty(); softly.assertThat( report.failingEntityReferences() ).isEmpty(); } ); } ); } @Test public void failure_work() { RuntimeException work1Exception = new RuntimeException( "work1" ); ArgumentCaptor<CompletableFuture<Void>> work1FutureCaptor = futureCaptor(); ArgumentCaptor<CompletableFuture<Void>> work2FutureCaptor = futureCaptor(); ArgumentCaptor<CompletableFuture<Void>> work3FutureCaptor = futureCaptor(); CompletableFuture<IndexIndexingPlanExecutionReport<StubEntityReference>> planExecutionFuture; ElasticsearchIndexIndexingPlanExecution<StubEntityReference> execution = new ElasticsearchIndexIndexingPlanExecution<>( orchestratorMock, entityReferenceFactoryMock, workMocks( 3 ) ); verifyNoOtherOrchestratorInteractionsAndReset(); planExecutionFuture = execution.execute(); verify( orchestratorMock ).submit( work1FutureCaptor.capture(), eq( workMocks.get( 0 ) ) ); verify( orchestratorMock ).submit( work2FutureCaptor.capture(), eq( workMocks.get( 1 ) ) ); verify( orchestratorMock ).submit( work3FutureCaptor.capture(), eq( workMocks.get( 2 ) ) ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work2FutureCaptor.getValue().complete( null ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work1FutureCaptor.getValue().completeExceptionally( work1Exception ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work3FutureCaptor.getValue().complete( null ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isSuccessful( report -> { assertThat( report ).isNotNull(); assertSoftly( softly -> { softly.assertThat( report.throwable() ).containsSame( work1Exception ); softly.assertThat( report.failingEntityReferences() ) .containsExactlyInAnyOrder( entityReference( 0 ) ); } ); } ); } @Test public void failure_multipleWorks() { RuntimeException work1Exception = new RuntimeException( "work1" ); RuntimeException work3Exception = new RuntimeException( "work3" ); ArgumentCaptor<CompletableFuture<Void>> work1FutureCaptor = futureCaptor(); ArgumentCaptor<CompletableFuture<Void>> work2FutureCaptor = futureCaptor(); ArgumentCaptor<CompletableFuture<Void>> work3FutureCaptor = futureCaptor(); ArgumentCaptor<CompletableFuture<Void>> work4FutureCaptor = futureCaptor(); CompletableFuture<IndexIndexingPlanExecutionReport<StubEntityReference>> planExecutionFuture; ElasticsearchIndexIndexingPlanExecution<StubEntityReference> execution = new ElasticsearchIndexIndexingPlanExecution<>( orchestratorMock, entityReferenceFactoryMock, workMocks( 4 ) ); verifyNoOtherOrchestratorInteractionsAndReset(); planExecutionFuture = execution.execute(); verify( orchestratorMock ).submit( work1FutureCaptor.capture(), eq( workMocks.get( 0 ) ) ); verify( orchestratorMock ).submit( work2FutureCaptor.capture(), eq( workMocks.get( 1 ) ) ); verify( orchestratorMock ).submit( work3FutureCaptor.capture(), eq( workMocks.get( 2 ) ) ); verify( orchestratorMock ).submit( work4FutureCaptor.capture(), eq( workMocks.get( 3 ) ) ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work2FutureCaptor.getValue().complete( null ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work1FutureCaptor.getValue().completeExceptionally( work1Exception ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work3FutureCaptor.getValue().completeExceptionally( work3Exception ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work4FutureCaptor.getValue().complete( null ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isSuccessful( report -> { assertThat( report ).isNotNull(); assertSoftly( softly -> { softly.assertThat( report.throwable() ).containsSame( work1Exception ); assertThat( work1Exception ).hasSuppressedException( work3Exception ); softly.assertThat( report.failingEntityReferences() ) .containsExactlyInAnyOrder( entityReference( 0 ), entityReference( 2 ) ); } ); } ); } @Test @TestForIssue(jiraKey = "HSEARCH-3851") public void failure_multipleWorksAndCreateEntityReference() { RuntimeException work1Exception = new RuntimeException( "work1" ); RuntimeException work3Exception = new RuntimeException( "work3" ); ArgumentCaptor<CompletableFuture<Void>> work1FutureCaptor = futureCaptor(); ArgumentCaptor<CompletableFuture<Void>> work2FutureCaptor = futureCaptor(); ArgumentCaptor<CompletableFuture<Void>> work3FutureCaptor = futureCaptor(); ArgumentCaptor<CompletableFuture<Void>> work4FutureCaptor = futureCaptor(); CompletableFuture<IndexIndexingPlanExecutionReport<StubEntityReference>> planExecutionFuture; ElasticsearchIndexIndexingPlanExecution<StubEntityReference> execution = new ElasticsearchIndexIndexingPlanExecution<>( orchestratorMock, entityReferenceFactoryMock, workMocks( 4 ) ); verifyNoOtherOrchestratorInteractionsAndReset(); planExecutionFuture = execution.execute(); verify( orchestratorMock ).submit( work1FutureCaptor.capture(), eq( workMocks.get( 0 ) ) ); verify( orchestratorMock ).submit( work2FutureCaptor.capture(), eq( workMocks.get( 1 ) ) ); verify( orchestratorMock ).submit( work3FutureCaptor.capture(), eq( workMocks.get( 2 ) ) ); verify( orchestratorMock ).submit( work4FutureCaptor.capture(), eq( workMocks.get( 3 ) ) ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work2FutureCaptor.getValue().complete( null ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work1FutureCaptor.getValue().completeExceptionally( work1Exception ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); work3FutureCaptor.getValue().completeExceptionally( work3Exception ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isPending(); RuntimeException entityReferenceFactoryException = new RuntimeException( "EntityReferenceFactory message" ); when( entityReferenceFactoryMock.createEntityReference( TYPE_NAME, 0 ) ) .thenThrow( entityReferenceFactoryException ); work4FutureCaptor.getValue().complete( null ); verifyNoOtherOrchestratorInteractionsAndReset(); assertThatFuture( planExecutionFuture ).isSuccessful( report -> { assertThat( report ).isNotNull(); assertSoftly( softly -> { softly.assertThat( report.throwable() ).containsSame( work1Exception ); softly.assertThat( work1Exception ).hasSuppressedException( entityReferenceFactoryException ); softly.assertThat( report.failingEntityReferences() ) .containsExactly( entityReference( 2 ) ); } ); } ); }
GsonHttpEntity implements HttpEntity, HttpAsyncContentProducer { @Override public long getContentLength() { this.contentLengthWasProvided = true; return this.contentLength; } GsonHttpEntity(Gson gson, List<JsonObject> bodyParts); @Override boolean isRepeatable(); @Override boolean isChunked(); @Override long getContentLength(); @Override Header getContentType(); @Override Header getContentEncoding(); @Override InputStream getContent(); @Override void writeTo(OutputStream out); @Override boolean isStreaming(); @Override @SuppressWarnings("deprecation") // javac warns about this method being deprecated, but we have to implement it void consumeContent(); @Override void close(); @Override void produceContent(ContentEncoder encoder, IOControl ioctrl); }
@Test public void initialContentLength() { assumeTrue( expectedContentLength < 1024 ); assertThat( gsonEntity.getContentLength() ).isEqualTo( expectedContentLength ); } @Test public void produceContent_noPushBack() throws IOException { int pushBackPeriod = Integer.MAX_VALUE; for ( int i = 0; i < 2; i++ ) { assertThat( doProduceContent( gsonEntity, pushBackPeriod ) ) .isEqualTo( expectedPayloadString ); assertThat( gsonEntity.getContentLength() ) .isEqualTo( expectedContentLength ); } } @Test public void produceContent_pushBack_every5Bytes() throws IOException { int pushBackPeriod = 5; for ( int i = 0; i < 2; i++ ) { assertThat( doProduceContent( gsonEntity, pushBackPeriod ) ) .isEqualTo( expectedPayloadString ); assertThat( gsonEntity.getContentLength() ) .isEqualTo( expectedContentLength ); } } @Test public void produceContent_pushBack_every100Bytes() throws IOException { int pushBackPeriod = 100; for ( int i = 0; i < 2; i++ ) { assertThat( doProduceContent( gsonEntity, pushBackPeriod ) ) .isEqualTo( expectedPayloadString ); assertThat( gsonEntity.getContentLength() ) .isEqualTo( expectedContentLength ); } } @Test public void produceContent_pushBack_every500Bytes() throws IOException { int pushBackPeriod = 500; for ( int i = 0; i < 2; i++ ) { assertThat( doProduceContent( gsonEntity, pushBackPeriod ) ) .isEqualTo( expectedPayloadString ); assertThat( gsonEntity.getContentLength() ) .isEqualTo( expectedContentLength ); } }
GsonHttpEntity implements HttpEntity, HttpAsyncContentProducer { @Override public Header getContentType() { return CONTENT_TYPE; } GsonHttpEntity(Gson gson, List<JsonObject> bodyParts); @Override boolean isRepeatable(); @Override boolean isChunked(); @Override long getContentLength(); @Override Header getContentType(); @Override Header getContentEncoding(); @Override InputStream getContent(); @Override void writeTo(OutputStream out); @Override boolean isStreaming(); @Override @SuppressWarnings("deprecation") // javac warns about this method being deprecated, but we have to implement it void consumeContent(); @Override void close(); @Override void produceContent(ContentEncoder encoder, IOControl ioctrl); }
@Test public void contentType() { Header contentType = gsonEntity.getContentType(); assertThat( contentType.getName() ).isEqualTo( "Content-Type" ); assertThat( contentType.getValue() ).isEqualTo( "application/json; charset=UTF-8" ); }
GsonHttpEntity implements HttpEntity, HttpAsyncContentProducer { @Override public void writeTo(OutputStream out) throws IOException { CountingOutputStream countingStream = new CountingOutputStream( out ); Writer writer = new OutputStreamWriter( countingStream, CHARSET ); for ( JsonObject bodyPart : bodyParts ) { gson.toJson( bodyPart, writer ); writer.append( '\n' ); } writer.flush(); hintContentLength( countingStream.getBytesWritten() ); } GsonHttpEntity(Gson gson, List<JsonObject> bodyParts); @Override boolean isRepeatable(); @Override boolean isChunked(); @Override long getContentLength(); @Override Header getContentType(); @Override Header getContentEncoding(); @Override InputStream getContent(); @Override void writeTo(OutputStream out); @Override boolean isStreaming(); @Override @SuppressWarnings("deprecation") // javac warns about this method being deprecated, but we have to implement it void consumeContent(); @Override void close(); @Override void produceContent(ContentEncoder encoder, IOControl ioctrl); }
@Test public void writeTo() throws IOException { for ( int i = 0; i < 2; i++ ) { assertThat( doWriteTo( gsonEntity ) ) .isEqualTo( expectedPayloadString ); assertThat( gsonEntity.getContentLength() ) .isEqualTo( expectedContentLength ); } }
GsonHttpEntity implements HttpEntity, HttpAsyncContentProducer { @Override public InputStream getContent() { return new HttpAsyncContentProducerInputStream( this, BYTE_BUFFER_PAGE_SIZE ); } GsonHttpEntity(Gson gson, List<JsonObject> bodyParts); @Override boolean isRepeatable(); @Override boolean isChunked(); @Override long getContentLength(); @Override Header getContentType(); @Override Header getContentEncoding(); @Override InputStream getContent(); @Override void writeTo(OutputStream out); @Override boolean isStreaming(); @Override @SuppressWarnings("deprecation") // javac warns about this method being deprecated, but we have to implement it void consumeContent(); @Override void close(); @Override void produceContent(ContentEncoder encoder, IOControl ioctrl); }
@Test public void getContent() throws IOException { for ( int i = 0; i < 2; i++ ) { assertThat( doGetContent( gsonEntity ) ) .isEqualTo( expectedPayloadString ); assertThat( gsonEntity.getContentLength() ) .isEqualTo( expectedContentLength ); } }
SuppressingCloser extends AbstractCloser<SuppressingCloser, Exception> { public SuppressingCloser pushAll(AutoCloseable ... closeables) { return pushAll( AutoCloseable::close, closeables ); } SuppressingCloser(Throwable mainThrowable); SuppressingCloser push(AutoCloseable closeable); SuppressingCloser pushAll(AutoCloseable ... closeables); SuppressingCloser pushAll(Iterable<? extends AutoCloseable> closeables); }
@Test public void iterable() throws IOException { Throwable mainException = new Exception(); IOException exception1 = new IOException(); RuntimeException exception2 = new IllegalStateException(); IOException exception3 = new IOException(); RuntimeException exception4 = new UnsupportedOperationException(); List<Closeable> closeables = Arrays.asList( () -> { throw exception1; }, () -> { throw exception2; }, () -> { throw exception3; }, () -> { throw exception4; } ); new SuppressingCloser( mainException ) .pushAll( closeables ); assertThat( mainException ) .hasSuppressedException( exception1 ) .hasSuppressedException( exception2 ) .hasSuppressedException( exception3 ) .hasSuppressedException( exception4 ); }
SerializationUtil { public static int parseIntegerParameter(String key, String value) { try { return Integer.parseInt( value ); } catch (NumberFormatException e) { throw log.unableToParseJobParameter( key, value, e ); } } private SerializationUtil(); static String serialize(Object object); static Object deserialize(String serialized); static boolean parseBooleanParameterOptional(String key, String value, boolean defaultValue); static int parseIntegerParameter(String key, String value); static Integer parseIntegerParameterOptional(String key, String value, Integer defaultValue); @SuppressWarnings("unchecked") static T parseParameter(@SuppressWarnings("unused") Class<T> type, String key, String value); static CacheMode parseCacheModeParameter(String key, String value, CacheMode defaultValue); }
@Test public void deserializeInt_fromInt() throws Exception { int i = SerializationUtil.parseIntegerParameter( "My parameter", "1" ); assertThat( i ).isEqualTo( 1 ); } @Test public void deserializeInt_fromDouble() throws Exception { thrown.expect( SearchException.class ); thrown.expectMessage( "HSEARCH500029: Unable to parse value '1.0' for job parameter 'My parameter'." ); SerializationUtil.parseIntegerParameter( "My parameter", "1.0" ); } @Test public void deserializeInt_fromOther() throws Exception { thrown.expect( SearchException.class ); thrown.expectMessage( "HSEARCH500029: Unable to parse value 'foo' for job parameter 'My parameter'." ); SerializationUtil.parseIntegerParameter( "My parameter", "foo" ); } @Test public void deserializeInt_missing() throws Exception { thrown.expect( SearchException.class ); thrown.expectMessage( "HSEARCH500029: Unable to parse value 'null' for job parameter 'My parameter'." ); SerializationUtil.parseIntegerParameter( "My parameter", null ); }
SerializationUtil { public static Integer parseIntegerParameterOptional(String key, String value, Integer defaultValue) { if ( value == null ) { return defaultValue; } else { return parseIntegerParameter( key, value ); } } private SerializationUtil(); static String serialize(Object object); static Object deserialize(String serialized); static boolean parseBooleanParameterOptional(String key, String value, boolean defaultValue); static int parseIntegerParameter(String key, String value); static Integer parseIntegerParameterOptional(String key, String value, Integer defaultValue); @SuppressWarnings("unchecked") static T parseParameter(@SuppressWarnings("unused") Class<T> type, String key, String value); static CacheMode parseCacheModeParameter(String key, String value, CacheMode defaultValue); }
@Test public void deserializeInt_defaultValue() throws Exception { int i = SerializationUtil.parseIntegerParameterOptional( "My parameter", null, 1 ); assertThat( i ).isEqualTo( 1 ); }
SerializationUtil { public static boolean parseBooleanParameterOptional(String key, String value, boolean defaultValue) { if ( value == null ) { return defaultValue; } if ( "true".equalsIgnoreCase( value ) ) { return true; } if ( "false".equalsIgnoreCase( value ) ) { return false; } throw log.unableToParseJobParameter( key, value, null ); } private SerializationUtil(); static String serialize(Object object); static Object deserialize(String serialized); static boolean parseBooleanParameterOptional(String key, String value, boolean defaultValue); static int parseIntegerParameter(String key, String value); static Integer parseIntegerParameterOptional(String key, String value, Integer defaultValue); @SuppressWarnings("unchecked") static T parseParameter(@SuppressWarnings("unused") Class<T> type, String key, String value); static CacheMode parseCacheModeParameter(String key, String value, CacheMode defaultValue); }
@Test public void deserializeBoolean_fromLowerCase() throws Exception { boolean t = SerializationUtil.parseBooleanParameterOptional( "My parameter 1", "true", false ); boolean f = SerializationUtil.parseBooleanParameterOptional( "My parameter 2", "false", true ); assertThat( t ).isTrue(); assertThat( f ).isFalse(); } @Test public void deserializeBoolean_fromUpperCase() throws Exception { boolean t = SerializationUtil.parseBooleanParameterOptional( "My parameter 1", "TRUE", false ); boolean f = SerializationUtil.parseBooleanParameterOptional( "My parameter 2", "FALSE", true ); assertThat( t ).isTrue(); assertThat( f ).isFalse(); } @Test public void deserializeBoolean_fromIrregularCase() throws Exception { boolean t = SerializationUtil.parseBooleanParameterOptional( "My parameter 1", "TruE", false ); boolean f = SerializationUtil.parseBooleanParameterOptional( "My parameter 2", "FalSe", true ); assertThat( t ).as( "Case should be ignored." ).isTrue(); assertThat( f ).as( "Case should be ignored." ).isFalse(); } @Test public void deserializeBoolean_fromMissing() throws Exception { boolean t = SerializationUtil.parseBooleanParameterOptional( "My parameter 1", null, true ); boolean f = SerializationUtil.parseBooleanParameterOptional( "My parameter 2", null, false ); assertThat( t ).as( "Default value should be returned." ).isTrue(); assertThat( f ).as( "Default value should be returned." ).isFalse(); } @Test public void deserializeBoolean_fromOthers() throws Exception { for ( String value : new String[] { "", "0", "1", "t", "f" } ) { try { SerializationUtil.parseBooleanParameterOptional( "My parameter", value, true ); fail(); } catch (SearchException e) { String expectedMsg = "HSEARCH500029: Unable to parse value '" + value + "' for job parameter 'My parameter'."; assertThat( e.getMessage() ).isEqualTo( expectedMsg ); } } }
SimpleGlobPattern { public boolean matches(String candidate) { return matches( candidate, 0 ); } private SimpleGlobPattern(); static SimpleGlobPattern compile(String patternString); boolean matches(String candidate); SimpleGlobPattern prependLiteral(String literal); SimpleGlobPattern prependMany(); Optional<String> toLiteral(); abstract String toPatternString(); }
@Test public void matches() { assertSoftly( softly -> { for ( String candidate : expectedMatching ) { softly.assertThat( pattern.matches( candidate ) ) .as( "'" + patternString + "' matches '" + candidate + "'" ) .isTrue(); } for ( String candidate : expectedNonMatching ) { softly.assertThat( pattern.matches( candidate ) ) .as( "'" + patternString + "' matches '" + candidate + "'" ) .isFalse(); } } ); }
ValidationUtil { public static void validateEntityTypes( EntityManagerFactoryRegistry emfRegistry, String entityManagerFactoryScope, String entityManagerFactoryReference, String serializedEntityTypes) { EntityManagerFactory emf = JobContextUtil.getEntityManagerFactory( emfRegistry, entityManagerFactoryScope, entityManagerFactoryReference ); ExtendedSearchIntegrator searchIntegrator = ContextHelper.getSearchIntegratorBySF( emf.unwrap( SessionFactory.class ) ); Set<String> failingTypes = new HashSet<>(); IndexedTypeSet typeIds = searchIntegrator .getIndexedTypeIdentifiers(); Set<String> indexedTypes = new HashSet<>(); for ( IndexedTypeIdentifier typeId : typeIds ) { indexedTypes.add( typeId.getName() ); } for ( String type : serializedEntityTypes.split( "," ) ) { if ( !indexedTypes.contains( type ) ) { failingTypes.add( type ); } } if ( failingTypes.size() > 0 ) { throw log.failingEntityTypes( String.join( ", ", failingTypes ) ); } } private ValidationUtil(); static void validateCheckpointInterval(int checkpointInterval, int rowsPerPartition); static void validateSessionClearInterval(int sessionClearInterval, int checkpointInterval); static void validatePositive(String parameterName, int parameterValue); static void validateEntityTypes( EntityManagerFactoryRegistry emfRegistry, String entityManagerFactoryScope, String entityManagerFactoryReference, String serializedEntityTypes); }
@Test public void validateEntityTypes_whenAllTypesAreAvailableInEMF() throws Exception { String serializedEntityTypes = Stream .of( Company.class, Person.class ) .map( Class::getName ) .collect( Collectors.joining( "," ) ); ValidationUtil.validateEntityTypes( null, EMF_SCOPE, PERSISTENCE_UNIT_NAME, serializedEntityTypes ); } @Test public void validateEntityTypes_whenContainingNonIndexedTypes() throws Exception { String serializedEntityTypes = Stream .of( Company.class, Person.class, NotIndexed.class ) .map( Class::getName ) .collect( Collectors.joining( "," ) ); thrown.expect( SearchException.class ); thrown.expectMessage( "HSEARCH500032: The following selected entity types aren't indexable: " + NotIndexed.class .getName() + ". Please check if the annotation '@Indexed' has been added to each of them." ); ValidationUtil.validateEntityTypes( null, EMF_SCOPE, PERSISTENCE_UNIT_NAME, serializedEntityTypes ); }
ValidationUtil { public static void validatePositive(String parameterName, int parameterValue) { if ( parameterValue <= 0 ) { throw log.negativeValueOrZero( parameterName, parameterValue ); } } private ValidationUtil(); static void validateCheckpointInterval(int checkpointInterval, int rowsPerPartition); static void validateSessionClearInterval(int sessionClearInterval, int checkpointInterval); static void validatePositive(String parameterName, int parameterValue); static void validateEntityTypes( EntityManagerFactoryRegistry emfRegistry, String entityManagerFactoryScope, String entityManagerFactoryReference, String serializedEntityTypes); }
@Test(expected = SearchException.class) public void validatePositive_valueIsNegative() throws Exception { ValidationUtil.validatePositive( "MyParameter", -1 ); } @Test(expected = SearchException.class) public void validatePositive_valueIsZero() throws Exception { ValidationUtil.validatePositive( "MyParameter", 0 ); } @Test public void validatePositive_valueIsPositive() throws Exception { ValidationUtil.validatePositive( "MyParameter", 1 ); }
ValidationUtil { public static void validateCheckpointInterval(int checkpointInterval, int rowsPerPartition) { if ( checkpointInterval > rowsPerPartition ) { throw log.illegalCheckpointInterval( checkpointInterval, rowsPerPartition ); } } private ValidationUtil(); static void validateCheckpointInterval(int checkpointInterval, int rowsPerPartition); static void validateSessionClearInterval(int sessionClearInterval, int checkpointInterval); static void validatePositive(String parameterName, int parameterValue); static void validateEntityTypes( EntityManagerFactoryRegistry emfRegistry, String entityManagerFactoryScope, String entityManagerFactoryReference, String serializedEntityTypes); }
@Test public void validateCheckpointInterval_lessThanRowsPerPartition() throws Exception { ValidationUtil.validateCheckpointInterval( 99, 100 ); } @Test public void validateCheckpointInterval_equalToRowsPerPartition() { ValidationUtil.validateCheckpointInterval( 100, 100 ); } @Test(expected = SearchException.class) public void validateCheckpointInterval_greaterThanRowsPerPartition() throws Exception { ValidationUtil.validateCheckpointInterval( 101, 100 ); }
SimpleGlobPattern { public abstract String toPatternString(); private SimpleGlobPattern(); static SimpleGlobPattern compile(String patternString); boolean matches(String candidate); SimpleGlobPattern prependLiteral(String literal); SimpleGlobPattern prependMany(); Optional<String> toLiteral(); abstract String toPatternString(); }
@Test public void toPatternString() { assertThat( pattern.toPatternString() ).isEqualTo( expectedToPatternString ); }
ValidationUtil { public static void validateSessionClearInterval(int sessionClearInterval, int checkpointInterval) { if ( sessionClearInterval > checkpointInterval ) { throw log.illegalSessionClearInterval( sessionClearInterval, checkpointInterval ); } } private ValidationUtil(); static void validateCheckpointInterval(int checkpointInterval, int rowsPerPartition); static void validateSessionClearInterval(int sessionClearInterval, int checkpointInterval); static void validatePositive(String parameterName, int parameterValue); static void validateEntityTypes( EntityManagerFactoryRegistry emfRegistry, String entityManagerFactoryScope, String entityManagerFactoryReference, String serializedEntityTypes); }
@Test public void validateSessionClearInterval_lessThanCheckpointInterval() throws Exception { ValidationUtil.validateSessionClearInterval( 99, 100 ); } @Test public void validateSessionClearInterval_equalToCheckpointInterval() { ValidationUtil.validateSessionClearInterval( 100, 100 ); } @Test(expected = SearchException.class) public void validateSessionClearInterval_greaterThanCheckpointInterval() throws Exception { ValidationUtil.validateSessionClearInterval( 101, 100 ); }
PartitionMapper implements javax.batch.api.partition.PartitionMapper { @Override public PartitionPlan mapPartitions() throws Exception { JobContextData jobData = (JobContextData) jobContext.getTransientUserData(); emf = jobData.getEntityManagerFactory(); try ( StatelessSession ss = PersistenceUtil.openStatelessSession( emf, tenantId ) ) { Integer maxResults = SerializationUtil.parseIntegerParameterOptional( MAX_RESULTS_PER_ENTITY, serializedMaxResultsPerEntity, null ); int rowsPerPartition = SerializationUtil.parseIntegerParameterOptional( ROWS_PER_PARTITION, serializedRowsPerPartition, Defaults.ROWS_PER_PARTITION ); Integer checkpointIntervalRaw = SerializationUtil.parseIntegerParameterOptional( CHECKPOINT_INTERVAL, serializedCheckpointInterval, null ); int checkpointInterval = Defaults.checkpointInterval( checkpointIntervalRaw, rowsPerPartition ); int idFetchSize = SerializationUtil.parseIntegerParameterOptional( ID_FETCH_SIZE, serializedIdFetchSize, Defaults.ID_FETCH_SIZE ); List<EntityTypeDescriptor> entityTypeDescriptors = jobData.getEntityTypeDescriptors(); List<PartitionBound> partitionBounds = new ArrayList<>(); switch ( PersistenceUtil.getIndexScope( customQueryHql, jobData.getCustomQueryCriteria() ) ) { case HQL: Class<?> clazz = entityTypeDescriptors.get( 0 ).getJavaClass(); partitionBounds.add( new PartitionBound( clazz, null, null, IndexScope.HQL ) ); break; case CRITERIA: partitionBounds = buildPartitionUnitsFrom( ss, entityTypeDescriptors.get( 0 ), jobData.getCustomQueryCriteria(), maxResults, idFetchSize, rowsPerPartition, IndexScope.CRITERIA ); break; case FULL_ENTITY: for ( EntityTypeDescriptor entityTypeDescriptor : entityTypeDescriptors ) { partitionBounds.addAll( buildPartitionUnitsFrom( ss, entityTypeDescriptor, Collections.emptySet(), maxResults, idFetchSize, rowsPerPartition, IndexScope.FULL_ENTITY ) ); } break; } final int partitions = partitionBounds.size(); final Properties[] props = new Properties[partitions]; for ( int i = 0; i < partitionBounds.size(); i++ ) { PartitionBound bound = partitionBounds.get( i ); props[i] = new Properties(); props[i].setProperty( MassIndexingPartitionProperties.ENTITY_NAME, bound.getEntityName() ); props[i].setProperty( MassIndexingPartitionProperties.PARTITION_ID, String.valueOf( i ) ); props[i].setProperty( MassIndexingPartitionProperties.LOWER_BOUND, SerializationUtil.serialize( bound.getLowerBound() ) ); props[i].setProperty( MassIndexingPartitionProperties.UPPER_BOUND, SerializationUtil.serialize( bound.getUpperBound() ) ); props[i].setProperty( MassIndexingPartitionProperties.INDEX_SCOPE, bound.getIndexScope().name() ); props[i].setProperty( MassIndexingPartitionProperties.CHECKPOINT_INTERVAL, String.valueOf( checkpointInterval ) ); } log.infof( "Partitions: %s", (Object) props ); PartitionPlan partitionPlan = new PartitionPlanImpl(); partitionPlan.setPartitionProperties( props ); partitionPlan.setPartitions( partitions ); Integer threads = SerializationUtil.parseIntegerParameterOptional( MAX_THREADS, serializedMaxThreads, null ); if ( threads != null ) { partitionPlan.setThreads( threads ); } log.partitionsPlan( partitionPlan.getPartitions(), partitionPlan.getThreads() ); return partitionPlan; } } PartitionMapper(); PartitionMapper( String serializedIdFetchSize, String customQueryHql, String serializedMaxThreads, String serializedMaxResultsPerEntity, String serializedRowsPerPartition, String serializedCheckpointInterval, String tenantId, JobContext jobContext); @Override PartitionPlan mapPartitions(); }
@Test public void testMapPartitions() throws Exception { JobContextData jobData = new JobContextData(); jobData.setEntityManagerFactory( emf ); jobData.setCustomQueryCriteria( new HashSet<>() ); jobData.setEntityTypeDescriptors( Arrays.asList( JobTestUtil.createSimpleEntityTypeDescriptor( emf, Company.class ), JobTestUtil.createSimpleEntityTypeDescriptor( emf, Person.class ) ) ); when( mockedJobContext.getTransientUserData() ).thenReturn( jobData ); PartitionPlan partitionPlan = partitionMapper.mapPartitions(); int compPartitions = 0; int persPartitions = 0; for ( Properties p : partitionPlan.getPartitionProperties() ) { String entityName = p.getProperty( MassIndexingPartitionProperties.ENTITY_NAME ); if ( entityName.equals( Company.class.getName() ) ) { compPartitions++; } if ( entityName.equals( Person.class.getName() ) ) { persPartitions++; } String checkpointInterval = p.getProperty( MassIndexingPartitionProperties.CHECKPOINT_INTERVAL ); assertNotNull( checkpointInterval ); assertEquals( "3", checkpointInterval ); } assertEquals( 1, compPartitions ); assertEquals( 3, persPartitions ); }
TypePatternMatcherFactory { public TypePatternMatcher createExactRawTypeMatcher(Class<?> exactTypeToMatch) { PojoRawTypeModel<?> exactTypeToMatchModel = introspector.typeModel( exactTypeToMatch ); return new ExactRawTypeMatcher( exactTypeToMatchModel ); } TypePatternMatcherFactory(PojoBootstrapIntrospector introspector); TypePatternMatcher createExactRawTypeMatcher(Class<?> exactTypeToMatch); TypePatternMatcher createRawSuperTypeMatcher(Class<?> superTypeToMatch); ExtractingTypePatternMatcher createExtractingMatcher(Type typePattern, Type typeToExtract); }
@Test public void exactType() { PojoRawTypeModel typeToMatchMock = mock( PojoRawTypeModel.class ); PojoGenericTypeModel typeToInspectMock = mock( PojoGenericTypeModel.class ); PojoRawTypeModel typeToInspectRawTypeMock = mock( PojoRawTypeModel.class ); when( introspectorMock.typeModel( String.class ) ) .thenReturn( typeToMatchMock ); TypePatternMatcher matcher = factory.createExactRawTypeMatcher( String.class ); assertThat( matcher ).isNotNull(); when( typeToMatchMock.name() ) .thenReturn( "THE_TYPE_TO_MATCH" ); assertThat( matcher.toString() ) .isEqualTo( "hasExactRawType(THE_TYPE_TO_MATCH)" ); when( typeToInspectMock.rawType() ) .thenReturn( typeToInspectRawTypeMock ); when( typeToMatchMock.isSubTypeOf( typeToInspectRawTypeMock ) ) .thenReturn( true ); when( typeToInspectRawTypeMock.isSubTypeOf( typeToMatchMock ) ) .thenReturn( true ); assertThat( matcher.matches( typeToInspectMock ) ).isTrue(); when( typeToMatchMock.isSubTypeOf( typeToInspectRawTypeMock ) ) .thenReturn( false ); when( typeToInspectRawTypeMock.isSubTypeOf( typeToMatchMock ) ) .thenReturn( true ); assertThat( matcher.matches( typeToInspectMock ) ).isFalse(); when( typeToMatchMock.isSubTypeOf( typeToInspectRawTypeMock ) ) .thenReturn( true ); when( typeToInspectRawTypeMock.isSubTypeOf( typeToMatchMock ) ) .thenReturn( false ); assertThat( matcher.matches( typeToInspectMock ) ).isFalse(); when( typeToMatchMock.isSubTypeOf( typeToInspectRawTypeMock ) ) .thenReturn( false ); when( typeToInspectRawTypeMock.isSubTypeOf( typeToMatchMock ) ) .thenReturn( false ); assertThat( matcher.matches( typeToInspectMock ) ).isFalse(); }
TypePatternMatcherFactory { public ExtractingTypePatternMatcher createExtractingMatcher(Type typePattern, Type typeToExtract) { if ( typePattern instanceof TypeVariable ) { throw new UnsupportedOperationException( "Matching a type variable is not supported" ); } else if ( typePattern instanceof WildcardType ) { throw new UnsupportedOperationException( "Matching a wildcard type is not supported" ); } else if ( typePattern instanceof ParameterizedType ) { ParameterizedType parameterizedTypePattern = (ParameterizedType) typePattern; return createExtractingParameterizedTypeMatcher( parameterizedTypePattern, typeToExtract ); } else if ( typePattern instanceof Class ) { Class<?> classTypePattern = (Class<?>) typePattern; return createExtractingClassTypeMatcher( classTypePattern, typeToExtract ); } else if ( typePattern instanceof GenericArrayType ) { GenericArrayType arrayTypePattern = (GenericArrayType) typePattern; return createExtractingGenericArrayTypeMatcher( arrayTypePattern, typeToExtract ); } else { throw new AssertionFailure( "Unexpected java.lang.reflect.Type type: " + typePattern.getClass() ); } } TypePatternMatcherFactory(PojoBootstrapIntrospector introspector); TypePatternMatcher createExactRawTypeMatcher(Class<?> exactTypeToMatch); TypePatternMatcher createRawSuperTypeMatcher(Class<?> superTypeToMatch); ExtractingTypePatternMatcher createExtractingMatcher(Type typePattern, Type typeToExtract); }
@Test public void wildcardType() { assertThatThrownBy( () -> factory.createExtractingMatcher( new WildcardTypeCapture<Of<?>>() { }.getType(), String.class ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T> void typeVariable() { Type type = new TypeCapture<T>() { }.getType(); assertThatThrownBy( () -> factory.createExtractingMatcher( type, String.class ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public void rawSuperType() { PojoRawTypeModel<String> typeToMatchMock = mock( PojoRawTypeModel.class ); PojoGenericTypeModel<Integer> resultTypeMock = mock( PojoGenericTypeModel.class ); PojoGenericTypeModel<?> typeToInspectMock = mock( PojoGenericTypeModel.class ); PojoRawTypeModel typeToInspectRawTypeMock = mock( PojoRawTypeModel.class ); when( introspectorMock.typeModel( String.class ) ) .thenReturn( typeToMatchMock ); when( introspectorMock.genericTypeModel( Integer.class ) ) .thenReturn( resultTypeMock ); ExtractingTypePatternMatcher matcher = factory.createExtractingMatcher( String.class, Integer.class ); assertThat( matcher ).isNotNull(); when( typeToMatchMock.name() ) .thenReturn( "THE_TYPE_TO_MATCH" ); when( resultTypeMock.name() ) .thenReturn( "THE_RESULT_TYPE" ); assertThat( matcher.toString() ) .isEqualTo( "hasRawSuperType(THE_TYPE_TO_MATCH) => THE_RESULT_TYPE" ); Optional<? extends PojoGenericTypeModel<?>> actualReturn; when( typeToInspectMock.rawType() ) .thenReturn( typeToInspectRawTypeMock ); when( typeToInspectRawTypeMock.isSubTypeOf( typeToMatchMock ) ) .thenReturn( true ); actualReturn = matcher.extract( typeToInspectMock ); assertThat( actualReturn ).isNotNull(); assertThat( actualReturn.isPresent() ).isTrue(); assertThat( actualReturn.get() ).isSameAs( resultTypeMock ); when( typeToInspectRawTypeMock.isSubTypeOf( typeToMatchMock ) ) .thenReturn( false ); actualReturn = matcher.extract( typeToInspectMock ); assertThat( actualReturn ).isNotNull(); assertThat( actualReturn.isPresent() ).isFalse(); } @Test public <T> void rawSuperType_resultIsTypeVariable() { assertThatThrownBy( () -> factory.createExtractingMatcher( String.class, new TypeCapture<T>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T> void rawSuperType_resultIsWildcard() { assertThatThrownBy( () -> factory.createExtractingMatcher( String.class, new WildcardTypeCapture<Of<?>>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public void rawSuperType_resultIsParameterized() { assertThatThrownBy( () -> factory.createExtractingMatcher( String.class, new TypeCapture<List<String>>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public void nonGenericArrayElement() { PojoRawTypeModel<String[]> typeToMatchMock = mock( PojoRawTypeModel.class ); PojoGenericTypeModel<Integer> resultTypeMock = mock( PojoGenericTypeModel.class ); PojoGenericTypeModel<?> typeToInspectMock = mock( PojoGenericTypeModel.class ); PojoRawTypeModel typeToInspectRawTypeMock = mock( PojoRawTypeModel.class ); when( introspectorMock.typeModel( String[].class ) ) .thenReturn( typeToMatchMock ); when( introspectorMock.genericTypeModel( Integer.class ) ) .thenReturn( resultTypeMock ); ExtractingTypePatternMatcher matcher = factory.createExtractingMatcher( String[].class, Integer.class ); assertThat( matcher ).isNotNull(); when( typeToMatchMock.name() ) .thenReturn( "THE_TYPE_TO_MATCH" ); when( resultTypeMock.name() ) .thenReturn( "THE_RESULT_TYPE" ); assertThat( matcher.toString() ) .isEqualTo( "hasRawSuperType(THE_TYPE_TO_MATCH) => THE_RESULT_TYPE" ); Optional<? extends PojoGenericTypeModel<?>> actualReturn; when( typeToInspectMock.rawType() ) .thenReturn( typeToInspectRawTypeMock ); when( typeToInspectRawTypeMock.isSubTypeOf( typeToMatchMock ) ) .thenReturn( true ); actualReturn = matcher.extract( typeToInspectMock ); assertThat( actualReturn ).isNotNull(); assertThat( actualReturn.isPresent() ).isTrue(); assertThat( actualReturn.get() ).isSameAs( resultTypeMock ); } @Test public <T> void genericArrayElement() { PojoGenericTypeModel<?> typeToInspectMock = mock( PojoGenericTypeModel.class ); PojoGenericTypeModel<T> resultTypeMock = mock( PojoGenericTypeModel.class ); ExtractingTypePatternMatcher matcher = factory.createExtractingMatcher( new TypeCapture<T[]>() { }.getType(), new TypeCapture<T>() { }.getType() ); assertThat( matcher ).isInstanceOf( ArrayElementTypeMatcher.class ); assertThat( matcher.toString() ) .isEqualTo( "T[] => T" ); Optional<? extends PojoGenericTypeModel<?>> actualReturn; when( typeToInspectMock.arrayElementType() ) .thenReturn( (Optional) Optional.of( resultTypeMock ) ); actualReturn = matcher.extract( typeToInspectMock ); assertThat( actualReturn ).isNotNull(); assertThat( actualReturn.isPresent() ).isTrue(); assertThat( actualReturn.get() ).isSameAs( resultTypeMock ); when( typeToInspectMock.arrayElementType() ) .thenReturn( Optional.empty() ); actualReturn = matcher.extract( typeToInspectMock ); assertThat( actualReturn ).isNotNull(); assertThat( actualReturn.isPresent() ).isFalse(); } @Test public <T extends Iterable<?>> void genericArrayElement_boundedTypeVariable() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<T[]>() { }.getType(), new TypeCapture<T>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T extends Object & Serializable> void genericArrayElement_multiBoundedTypeVariable() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<T[]>() { }.getType(), new TypeCapture<T>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T> void genericArrayElement_resultIsRawType() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<T[]>() { }.getType(), Object.class ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T, U> void genericArrayElement_resultIsDifferentTypeArgument() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<T[]>() { }.getType(), new TypeCapture<U>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T> void parameterizedType() { PojoGenericTypeModel<?> typeToInspectMock = mock( PojoGenericTypeModel.class ); PojoGenericTypeModel<Integer> resultTypeMock = mock( PojoGenericTypeModel.class ); ExtractingTypePatternMatcher matcher = factory.createExtractingMatcher( new TypeCapture<Map<?, T>>() { }.getType(), new TypeCapture<T>() { }.getType() ); assertThat( matcher ).isInstanceOf( ParameterizedTypeArgumentMatcher.class ); assertThat( matcher.toString() ) .isEqualTo( "java.util.Map<?, T> => T" ); Optional<? extends PojoGenericTypeModel<?>> actualReturn; when( typeToInspectMock.typeArgument( Map.class, 1 ) ) .thenReturn( (Optional) Optional.of( resultTypeMock ) ); actualReturn = matcher.extract( typeToInspectMock ); assertThat( actualReturn ).isNotNull(); assertThat( actualReturn.isPresent() ).isTrue(); assertThat( actualReturn.get() ).isSameAs( resultTypeMock ); when( typeToInspectMock.typeArgument( Map.class, 1 ) ) .thenReturn( Optional.empty() ); actualReturn = matcher.extract( typeToInspectMock ); assertThat( actualReturn ).isNotNull(); assertThat( actualReturn.isPresent() ).isFalse(); } @Test public <T> void parameterizedType_upperBoundedWildcard() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<Map<? extends Long, T>>() { }.getType(), new TypeCapture<T>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T> void parameterizedType_lowerBoundedWildcard() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<Map<? super Long, T>>() { }.getType(), new TypeCapture<T>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T> void parameterizedType_onlyWildcards() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<Map<?, ?>>() { }.getType(), new TypeCapture<T>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T> void parameterizedType_rawType() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<Map<?, String>>() { }.getType(), new TypeCapture<T>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T extends Iterable<?>> void parameterizedType_boundedTypeVariable() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<Map<?, T>>() { }.getType(), new TypeCapture<T>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T extends Object & Serializable> void parameterizedType_multiBoundedTypeVariable() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<Map<?, T>>() { }.getType(), new TypeCapture<T>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T, U> void parameterizedType_multipleTypeVariables() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<Map<T, U>>() { }.getType(), new TypeCapture<T>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T, U> void parameterizedType_resultIsRawType() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<Map<?, T>>() { }.getType(), Object.class ) ) .isInstanceOf( UnsupportedOperationException.class ); } @Test public <T, U> void parameterizedType_resultIsDifferentTypeArgument() { assertThatThrownBy( () -> factory.createExtractingMatcher( new TypeCapture<Map<?, T>>() { }.getType(), new TypeCapture<U>() { }.getType() ) ) .isInstanceOf( UnsupportedOperationException.class ); }
SimpleGlobPattern { public Optional<String> toLiteral() { return Optional.empty(); } private SimpleGlobPattern(); static SimpleGlobPattern compile(String patternString); boolean matches(String candidate); SimpleGlobPattern prependLiteral(String literal); SimpleGlobPattern prependMany(); Optional<String> toLiteral(); abstract String toPatternString(); }
@Test public void toLiteral() { assertThat( pattern.toLiteral() ).isEqualTo( expectedToLiteral ); }
CancellableExecutionCompletableFuture extends CompletableFuture<T> { @Override public boolean cancel(boolean mayInterruptIfRunning) { super.cancel( mayInterruptIfRunning ); return future.cancel( mayInterruptIfRunning ); } CancellableExecutionCompletableFuture(Runnable runnable, ExecutorService executor); @Override boolean cancel(boolean mayInterruptIfRunning); }
@Test public void runnable_cancel() throws InterruptedException { AtomicBoolean started = new AtomicBoolean( false ); AtomicBoolean finished = new AtomicBoolean( false ); CompletableFuture<Void> future = new CancellableExecutionCompletableFuture<>( () -> { started.set( true ); try { Thread.sleep( Long.MAX_VALUE ); } catch (InterruptedException e) { Thread.currentThread().interrupt(); throw new RuntimeException( e ); } finally { finished.set( true ); } }, executorService ); Awaitility.await().untilTrue( started ); Awaitility.await().untilAsserted( () -> assertThat( future.cancel( true ) ).isTrue() ); Awaitility.await().until( future::isDone ); assertThatFuture( future ).isCancelled(); Awaitility.await().untilTrue( finished ); Awaitility.await().untilAsserted( () -> assertThat( Futures.getThrowableNow( future ) ) .extracting( Throwable::getSuppressed ).asInstanceOf( InstanceOfAssertFactories.ARRAY ) .hasSize( 1 ) .extracting( Function.identity() ) .first() .asInstanceOf( InstanceOfAssertFactories.THROWABLE ) .isInstanceOf( RuntimeException.class ) .hasCauseInstanceOf( InterruptedException.class ) ); }
PojoModelPath { public static PojoModelPathPropertyNode ofProperty(String propertyName) { return new PojoModelPathPropertyNode( null, propertyName ); } PojoModelPath(); static Builder builder(); static PojoModelPathPropertyNode ofProperty(String propertyName); static PojoModelPathValueNode ofValue(String propertyName); static PojoModelPathValueNode ofValue(String propertyName, ContainerExtractorPath extractorPath); static PojoModelPathValueNode parse(String dotSeparatedPath); @Override String toString(); final String toPathString(); abstract PojoModelPath parent(); @Deprecated PojoModelPath getParent(); }
@Test public void ofProperty() { assertThat( PojoModelPath.ofProperty( "foo" ) ) .satisfies( isPath( "foo" ) ); assertThatThrownBy( () -> PojoModelPath.ofProperty( null ) ) .isInstanceOf( IllegalArgumentException.class ); assertThatThrownBy( () -> PojoModelPath.ofProperty( "" ) ) .isInstanceOf( IllegalArgumentException.class ); }
Closer extends AbstractCloser<Closer<E>, E> implements AutoCloseable { public <E2 extends Exception> Closer<E2> split() { return new Closer<>( state ); } Closer(); private Closer(CloseableState state); Closer<E2> split(); @Override void close(); }
@Test public void split() { MyException1 exception1 = new MyException1(); MyException2 exception2 = new MyException2(); IOException exception3 = new IOException(); assertThatThrownBy( () -> { try ( Closer<IOException> closer1 = new Closer<>(); Closer<MyException1> closer2 = closer1.split(); Closer<MyException2> closer3 = closer1.split() ) { closer2.push( ignored -> { throw exception1; }, new Object() ); closer3.push( ignored -> { throw exception2; }, new Object() ); closer1.push( ignored -> { throw exception3; }, new Object() ); } } ) .isSameAs( exception1 ) .hasSuppressedException( exception2 ) .hasSuppressedException( exception3 ); } @Test public void split_transitive() { MyException1 exception1 = new MyException1(); MyException2 exception2 = new MyException2(); IOException exception3 = new IOException(); assertThatThrownBy( () -> { try ( Closer<IOException> closer1 = new Closer<>(); Closer<MyException1> closer2 = closer1.split(); Closer<MyException2> closer3 = closer2.split() ) { closer2.push( ignored -> { throw exception1; }, new Object() ); closer3.push( ignored -> { throw exception2; }, new Object() ); closer1.push( ignored -> { throw exception3; }, new Object() ); } } ) .isSameAs( exception1 ) .hasSuppressedException( exception2 ) .hasSuppressedException( exception3 ); }
PojoModelPath { public static PojoModelPathValueNode ofValue(String propertyName) { return ofValue( propertyName, ContainerExtractorPath.defaultExtractors() ); } PojoModelPath(); static Builder builder(); static PojoModelPathPropertyNode ofProperty(String propertyName); static PojoModelPathValueNode ofValue(String propertyName); static PojoModelPathValueNode ofValue(String propertyName, ContainerExtractorPath extractorPath); static PojoModelPathValueNode parse(String dotSeparatedPath); @Override String toString(); final String toPathString(); abstract PojoModelPath parent(); @Deprecated PojoModelPath getParent(); }
@Test public void ofValue_property() { assertThat( PojoModelPath.ofValue( "foo" ) ) .satisfies( isPath( "foo", ContainerExtractorPath.defaultExtractors() ) ); assertThatThrownBy( () -> PojoModelPath.ofValue( null ) ) .isInstanceOf( IllegalArgumentException.class ); assertThatThrownBy( () -> PojoModelPath.ofValue( "" ) ) .isInstanceOf( IllegalArgumentException.class ); } @Test public void ofValue_propertyAndContainerExtractorPath() { assertThat( PojoModelPath.ofValue( "foo", ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.MAP_KEY ) ) ) .satisfies( isPath( "foo", ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.MAP_KEY ) ) ); assertThatThrownBy( () -> PojoModelPath.ofValue( null, ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.MAP_KEY ) ) ) .isInstanceOf( IllegalArgumentException.class ); assertThatThrownBy( () -> PojoModelPath.ofValue( "", ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.MAP_KEY ) ) ) .isInstanceOf( IllegalArgumentException.class ); assertThatThrownBy( () -> PojoModelPath.ofValue( "foo", null ) ) .isInstanceOf( IllegalArgumentException.class ); }
PojoModelPath { public static PojoModelPathValueNode parse(String dotSeparatedPath) { Contracts.assertNotNullNorEmpty( dotSeparatedPath, "dotSeparatedPath" ); Builder builder = builder(); for ( String propertyName : DOT_PATTERN.split( dotSeparatedPath, -1 ) ) { builder.property( propertyName ).valueWithDefaultExtractors(); } return builder.toValuePath(); } PojoModelPath(); static Builder builder(); static PojoModelPathPropertyNode ofProperty(String propertyName); static PojoModelPathValueNode ofValue(String propertyName); static PojoModelPathValueNode ofValue(String propertyName, ContainerExtractorPath extractorPath); static PojoModelPathValueNode parse(String dotSeparatedPath); @Override String toString(); final String toPathString(); abstract PojoModelPath parent(); @Deprecated PojoModelPath getParent(); }
@Test public void parse() { assertThat( PojoModelPath.parse( "foo" ) ) .satisfies( isPath( "foo", ContainerExtractorPath.defaultExtractors() ) ); assertThat( PojoModelPath.parse( "foo.bar" ) ) .satisfies( isPath( "foo", ContainerExtractorPath.defaultExtractors(), "bar", ContainerExtractorPath.defaultExtractors() ) ); assertThatThrownBy( () -> PojoModelPath.parse( null ) ) .isInstanceOf( IllegalArgumentException.class ); assertThatThrownBy( () -> PojoModelPath.parse( "" ) ) .isInstanceOf( IllegalArgumentException.class ); assertThatThrownBy( () -> PojoModelPath.parse( "foo..bar" ) ) .isInstanceOf( IllegalArgumentException.class ); assertThatThrownBy( () -> PojoModelPath.parse( "foo." ) ) .isInstanceOf( IllegalArgumentException.class ); }
PojoModelPath { public static Builder builder() { return new Builder(); } PojoModelPath(); static Builder builder(); static PojoModelPathPropertyNode ofProperty(String propertyName); static PojoModelPathValueNode ofValue(String propertyName); static PojoModelPathValueNode ofValue(String propertyName, ContainerExtractorPath extractorPath); static PojoModelPathValueNode parse(String dotSeparatedPath); @Override String toString(); final String toPathString(); abstract PojoModelPath parent(); @Deprecated PojoModelPath getParent(); }
@Test public void builder() { PojoModelPath.Builder builder = PojoModelPath.builder(); builder.property( "foo" ).value( BuiltinContainerExtractors.COLLECTION ) .property( "bar" ).valueWithoutExtractors() .property( "fubar" ).valueWithDefaultExtractors() .property( "other" ).value( BuiltinContainerExtractors.MAP_KEY ) .property( "other2" ).value( ContainerExtractorPath.defaultExtractors() ) .property( "other3" ).value( ContainerExtractorPath.noExtractors() ) .property( "other4" ).value( ContainerExtractorPath.explicitExtractors( Arrays.asList( BuiltinContainerExtractors.ITERABLE, BuiltinContainerExtractors.OPTIONAL_DOUBLE ) ) ); assertThat( builder.toValuePath() ) .satisfies( isPath( "foo", ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.COLLECTION ), "bar", ContainerExtractorPath.noExtractors(), "fubar", ContainerExtractorPath.defaultExtractors(), "other", ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.MAP_KEY ), "other2", ContainerExtractorPath.defaultExtractors(), "other3", ContainerExtractorPath.noExtractors(), "other4", ContainerExtractorPath.explicitExtractors( Arrays.asList( BuiltinContainerExtractors.ITERABLE, BuiltinContainerExtractors.OPTIONAL_DOUBLE ) ) ) ); builder = PojoModelPath.builder(); builder.property( "foo" ).value( BuiltinContainerExtractors.COLLECTION ) .property( "bar" ).value( BuiltinContainerExtractors.MAP_KEY ); assertThat( builder.toPropertyPath() ) .satisfies( isPath( "foo", ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.COLLECTION ), "bar" ) ); } @Test public void builder_missingContainerExtractorPath_middle() { PojoModelPath.Builder builder = PojoModelPath.builder(); builder.property( "foo" ).property( "bar" ).value( BuiltinContainerExtractors.MAP_KEY ); assertThat( builder.toValuePath() ) .satisfies( isPath( "foo", ContainerExtractorPath.defaultExtractors(), "bar", ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.MAP_KEY ) ) ); } @Test public void builder_missingContainerExtractorPath_end() { PojoModelPath.Builder builder = PojoModelPath.builder(); builder.property( "foo" ).value( BuiltinContainerExtractors.COLLECTION ).property( "bar" ); assertThat( builder.toValuePath() ) .satisfies( isPath( "foo", ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.COLLECTION ), "bar", ContainerExtractorPath.defaultExtractors() ) ); builder = PojoModelPath.builder(); builder.property( "foo" ).value( BuiltinContainerExtractors.COLLECTION ).property( "bar" ); assertThat( builder.toPropertyPath() ) .satisfies( isPath( "foo", ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.COLLECTION ), "bar" ) ); } @Test public void builder_missingPropertyName() { assertThat( PojoModelPath.builder().toValuePathOrNull() ).isNull(); assertThat( PojoModelPath.builder().toPropertyPathOrNull() ).isNull(); String errorMessage = "A PojoModelPath must include at least one property"; assertThatThrownBy( () -> PojoModelPath.builder().toValuePath() ) .isInstanceOf( SearchException.class ) .hasMessageContaining( errorMessage ); assertThatThrownBy( () -> PojoModelPath.builder().toPropertyPath() ) .isInstanceOf( SearchException.class ) .hasMessageContaining( errorMessage ); assertThatThrownBy( () -> PojoModelPath.builder().value( BuiltinContainerExtractors.COLLECTION ) ) .isInstanceOf( SearchException.class ) .hasMessageContaining( errorMessage ); assertThatThrownBy( () -> PojoModelPath.builder().valueWithoutExtractors() ) .isInstanceOf( SearchException.class ) .hasMessageContaining( errorMessage ); assertThatThrownBy( () -> PojoModelPath.builder().valueWithDefaultExtractors() ) .isInstanceOf( SearchException.class ) .hasMessageContaining( errorMessage ); } @Test public void builder_chainedContainerExtractors() { PojoModelPath.Builder builder = PojoModelPath.builder(); builder.property( "foo" ).value( BuiltinContainerExtractors.COLLECTION ).value( BuiltinContainerExtractors.ITERABLE ) .property( "bar" ).value( BuiltinContainerExtractors.MAP_KEY ); assertThat( builder.toValuePath() ) .satisfies( isPath( "foo", ContainerExtractorPath.explicitExtractors( Arrays.asList( BuiltinContainerExtractors.COLLECTION, BuiltinContainerExtractors.ITERABLE ) ), "bar", ContainerExtractorPath.explicitExtractor( BuiltinContainerExtractors.MAP_KEY ) ) ); } @Test public void builder_chainedContainerExtractors_defaultExtractors() { assertThat( PojoModelPath.builder().property( "foo" ) .valueWithoutExtractors().valueWithDefaultExtractors() .toValuePath() ) .satisfies( isPath( "foo", ContainerExtractorPath.defaultExtractors() ) ); String errorMessage = "chain of multiple container extractors cannot include the default extractors"; assertThatThrownBy( () -> PojoModelPath.builder().property( "foo" ) .value( BuiltinContainerExtractors.COLLECTION ).valueWithDefaultExtractors() ) .isInstanceOf( SearchException.class ) .hasMessageContaining( errorMessage ); assertThatThrownBy( () -> PojoModelPath.builder().property( "foo" ) .valueWithDefaultExtractors().value( BuiltinContainerExtractors.COLLECTION ) ) .isInstanceOf( SearchException.class ) .hasMessageContaining( errorMessage ); }
HibernateOrmExtension implements IdentifierBridgeToDocumentIdentifierContextExtension<HibernateOrmMappingContext>, IdentifierBridgeFromDocumentIdentifierContextExtension<HibernateOrmSessionContext>, RoutingBridgeRouteContextExtension<HibernateOrmSessionContext>, org.hibernate.search.mapper.pojo.bridge.runtime.RoutingKeyBridgeToRoutingKeyContextExtension<HibernateOrmSessionContext>, TypeBridgeWriteContextExtension<HibernateOrmSessionContext>, PropertyBridgeWriteContextExtension<HibernateOrmSessionContext>, ValueBridgeToIndexedValueContextExtension<HibernateOrmMappingContext>, ValueBridgeFromIndexedValueContextExtension<HibernateOrmSessionContext>, ToDocumentFieldValueConvertContextExtension<HibernateOrmMappingContext>, FromDocumentFieldValueConvertContextExtension<HibernateOrmSessionContext> { public static HibernateOrmExtension get() { return INSTANCE; } private HibernateOrmExtension(); static HibernateOrmExtension get(); @Override Optional<HibernateOrmMappingContext> extendOptional(IdentifierBridgeToDocumentIdentifierContext original, BridgeMappingContext mappingContext); @Override Optional<HibernateOrmSessionContext> extendOptional(IdentifierBridgeFromDocumentIdentifierContext original, BridgeSessionContext sessionContext); @Override Optional<HibernateOrmSessionContext> extendOptional(RoutingBridgeRouteContext original, BridgeSessionContext sessionContext); @Override Optional<HibernateOrmSessionContext> extendOptional( org.hibernate.search.mapper.pojo.bridge.runtime.RoutingKeyBridgeToRoutingKeyContext original, BridgeSessionContext sessionContext); @Override Optional<HibernateOrmSessionContext> extendOptional(TypeBridgeWriteContext original, BridgeSessionContext sessionContext); @Override Optional<HibernateOrmSessionContext> extendOptional(PropertyBridgeWriteContext original, BridgeSessionContext sessionContext); @Override Optional<HibernateOrmMappingContext> extendOptional(ValueBridgeToIndexedValueContext original, BridgeMappingContext mappingContext); @Override Optional<HibernateOrmSessionContext> extendOptional(ValueBridgeFromIndexedValueContext original, BridgeSessionContext sessionContext); @Override Optional<HibernateOrmMappingContext> extendOptional(ToDocumentFieldValueConvertContext original, BackendMappingContext mappingContext); @Override Optional<HibernateOrmSessionContext> extendOptional(FromDocumentFieldValueConvertContext original, BackendSessionContext sessionContext); }
@Test public void identifierBridge() { IdentifierBridgeToDocumentIdentifierContext toDocumentContext = new IdentifierBridgeToDocumentIdentifierContextImpl( mappingContext ); assertThat( toDocumentContext.extension( HibernateOrmExtension.get() ) ).isSameAs( mappingContext ); IdentifierBridgeFromDocumentIdentifierContext fromDocumentContext = new SessionBasedBridgeOperationContext( sessionContext ); assertThat( fromDocumentContext.extension( HibernateOrmExtension.get() ) ).isSameAs( sessionContext ); } @Test public void routingBridge() { RoutingBridgeRouteContext context = new SessionBasedBridgeOperationContext( sessionContext ); assertThat( context.extension( HibernateOrmExtension.get() ) ).isSameAs( sessionContext ); } @Test @SuppressWarnings("deprecation") public void routingKeyBridge() { org.hibernate.search.mapper.pojo.bridge.runtime.RoutingKeyBridgeToRoutingKeyContext context = new SessionBasedBridgeOperationContext( sessionContext ); assertThat( context.extension( HibernateOrmExtension.get() ) ).isSameAs( sessionContext ); } @Test public void typeBridge() { TypeBridgeWriteContext context = new SessionBasedBridgeOperationContext( sessionContext ); assertThat( context.extension( HibernateOrmExtension.get() ) ).isSameAs( sessionContext ); } @Test public void propertyBridge() { PropertyBridgeWriteContext context = new SessionBasedBridgeOperationContext( sessionContext ); assertThat( context.extension( HibernateOrmExtension.get() ) ).isSameAs( sessionContext ); } @Test public void valueBridge() { ValueBridgeToIndexedValueContext toIndexedValueContext = new ValueBridgeToIndexedValueContextImpl( mappingContext ); assertThat( toIndexedValueContext.extension( HibernateOrmExtension.get() ) ).isSameAs( mappingContext ); ValueBridgeFromIndexedValueContext fromIndexedValueContext = new SessionBasedBridgeOperationContext( sessionContext ); assertThat( fromIndexedValueContext.extension( HibernateOrmExtension.get() ) ).isSameAs( sessionContext ); } @Test public void toIndexValueConverter() { ToDocumentFieldValueConvertContext context = new ToDocumentFieldValueConvertContextImpl( mappingContext ); assertThat( context.extension( HibernateOrmExtension.get() ) ).isSameAs( mappingContext ); } @Test public void fromIndexValueConverter() { FromDocumentFieldValueConvertContext context = new FromDocumentFieldValueConvertContextImpl( sessionContext ); assertThat( context.extension( HibernateOrmExtension.get() ) ).isSameAs( sessionContext ); }
ConfiguredBeanResolver implements BeanResolver { @Override public <T> BeanHolder<T> resolve(Class<T> typeReference) { Contracts.assertNotNull( typeReference, "typeReference" ); try { return beanProvider.forType( typeReference ); } catch (SearchException e) { try { return resolveSingleConfiguredBean( typeReference ); } catch (RuntimeException e2) { throw log.cannotResolveBeanReference( typeReference, e.getMessage(), e2.getMessage(), e, e2 ); } } } ConfiguredBeanResolver(ServiceResolver serviceResolver, BeanProvider beanProvider, ConfigurationPropertySource configurationPropertySource); @Override BeanHolder<T> resolve(Class<T> typeReference); @Override BeanHolder<T> resolve(Class<T> typeReference, String nameReference); @Override List<BeanReference<T>> allConfiguredForRole(Class<T> role); @Override Map<String, BeanReference<T>> namedConfiguredForRole(Class<T> role); }
@Test public void resolve_withoutBeanConfigurer() { when( serviceResolverMock.loadJavaServices( BeanConfigurer.class ) ) .thenReturn( Collections.emptyList() ); when( configurationSourceMock.get( EngineSpiSettings.Radicals.BEAN_CONFIGURERS ) ) .thenReturn( Optional.empty() ); BeanResolver beanResolver = new ConfiguredBeanResolver( serviceResolverMock, beanProviderMock, configurationSourceMock ); verifyNoOtherInteractionsAndReset(); BeanHolder<Type1> type1BeanHolder = BeanHolder.of( new Type1() ); BeanHolder<Type2> type2BeanHolder = BeanHolder.of( new Type2() ); BeanHolder<Type3> type3BeanHolder1 = BeanHolder.of( new Type3() ); BeanHolder<Type3> type3BeanHolder2 = BeanHolder.of( new Type3() ); when( beanProviderMock.forType( Type1.class ) ).thenReturn( type1BeanHolder ); assertThat( beanResolver.resolve( Type1.class ) ).isSameAs( type1BeanHolder ); verifyNoOtherInteractionsAndReset(); when( beanProviderMock.forType( Type1.class ) ).thenReturn( type1BeanHolder ); assertThat( beanResolver.resolve( BeanReference.of( Type1.class ) ) ).isSameAs( type1BeanHolder ); verifyNoOtherInteractionsAndReset(); when( beanProviderMock.forTypeAndName( Type2.class, "someName" ) ).thenReturn( type2BeanHolder ); assertThat( beanResolver.resolve( Type2.class, "someName" ) ).isSameAs( type2BeanHolder ); verifyNoOtherInteractionsAndReset(); when( beanProviderMock.forTypeAndName( Type2.class, "someName" ) ).thenReturn( type2BeanHolder ); assertThat( beanResolver.resolve( BeanReference.of( Type2.class, "someName" ) ) ).isSameAs( type2BeanHolder ); verifyNoOtherInteractionsAndReset(); when( beanProviderMock.forType( Type3.class ) ).thenReturn( type3BeanHolder1 ); when( beanProviderMock.forTypeAndName( Type3.class, "someOtherName" ) ).thenReturn( type3BeanHolder2 ); BeanHolder<List<Type3>> beans = beanResolver.resolve( Arrays.asList( BeanReference.of( Type3.class ), BeanReference.of( Type3.class, "someOtherName" ) ) ); verifyNoOtherInteractionsAndReset(); assertThat( beans.get() ) .containsExactly( type3BeanHolder1.get(), type3BeanHolder2.get() ); } @Test public void resolve_withBeanConfigurer() { BeanReference<Type1> beanReference1Mock = beanReferenceMock(); BeanReference<Type2> beanReference2Mock = beanReferenceMock(); BeanReference<Type3> beanReference3Mock = beanReferenceMock(); BeanReference<Type3> beanReference4Mock = beanReferenceMock(); BeanConfigurer beanConfigurer1 = context -> { context.define( Type1.class, beanReference1Mock ); context.define( Type2.class, "someName", beanReference2Mock ); context.define( Type3.class, "someOtherName1", beanReference3Mock ); }; BeanConfigurer beanConfigurer2 = context -> { context.define( Type3.class, "someOtherName2", beanReference4Mock ); }; when( serviceResolverMock.loadJavaServices( BeanConfigurer.class ) ) .thenReturn( Collections.singletonList( beanConfigurer1 ) ); when( configurationSourceMock.get( EngineSpiSettings.Radicals.BEAN_CONFIGURERS ) ) .thenReturn( (Optional) Optional.of( Collections.singletonList( beanConfigurer2 ) ) ); BeanResolver beanResolver = new ConfiguredBeanResolver( serviceResolverMock, beanProviderMock, configurationSourceMock ); verifyNoOtherInteractionsAndReset(); BeanHolder<Type1> type1BeanHolder = BeanHolder.of( new Type1() ); BeanHolder<Type2> type2BeanHolder = BeanHolder.of( new Type2() ); BeanHolder<Type3> type3BeanHolder1 = BeanHolder.of( new Type3() ); BeanHolder<Type3> type3BeanHolder2 = BeanHolder.of( new Type3() ); when( beanProviderMock.forType( Type1.class ) ) .thenThrow( new SearchException( "cannot find Type1" ) ); when( beanReference1Mock.resolve( any() ) ).thenReturn( type1BeanHolder ); assertThat( beanResolver.resolve( Type1.class ) ).isSameAs( type1BeanHolder ); verifyNoOtherInteractionsAndReset(); when( beanProviderMock.forTypeAndName( Type2.class, "someName" ) ) .thenThrow( new SearchException( "cannot find Type2#someName" ) ); when( beanReference2Mock.resolve( any() ) ).thenReturn( type2BeanHolder ); assertThat( beanResolver.resolve( Type2.class, "someName" ) ).isSameAs( type2BeanHolder ); verifyNoOtherInteractionsAndReset(); when( beanProviderMock.forTypeAndName( Type3.class, "someOtherName1" ) ) .thenThrow( new SearchException( "cannot find Type3#someOtherName" ) ); when( beanProviderMock.forTypeAndName( Type3.class, "someOtherName2" ) ) .thenThrow( new SearchException( "cannot find Type3#someOtherName2" ) ); when( beanReference3Mock.resolve( any() ) ).thenReturn( type3BeanHolder1 ); when( beanReference4Mock.resolve( any() ) ).thenReturn( type3BeanHolder2 ); BeanHolder<List<Type3>> beans = beanResolver.resolve( Arrays.asList( BeanReference.of( Type3.class, "someOtherName1" ), BeanReference.of( Type3.class, "someOtherName2" ) ) ); verifyNoOtherInteractionsAndReset(); assertThat( beans.get() ) .containsExactly( type3BeanHolder1.get(), type3BeanHolder2.get() ); } @Test public void resolve_noBean() { when( serviceResolverMock.loadJavaServices( BeanConfigurer.class ) ) .thenReturn( Collections.emptyList() ); when( configurationSourceMock.get( EngineSpiSettings.Radicals.BEAN_CONFIGURERS ) ) .thenReturn( (Optional) Optional.empty() ); BeanResolver beanResolver = new ConfiguredBeanResolver( serviceResolverMock, beanProviderMock, configurationSourceMock ); verifyNoOtherInteractionsAndReset(); SearchException providerType1NotFound = new SearchException( "cannot find Type1" ); when( beanProviderMock.forType( Type1.class ) ).thenThrow( providerType1NotFound ); assertThatThrownBy( () -> beanResolver.resolve( Type1.class ) ) .isInstanceOf( SearchException.class ) .hasMessageContainingAll( "Cannot resolve bean reference to type '" + Type1.class.getName() + "'", " cannot find Type1" ) .hasCauseReference( providerType1NotFound ); verifyNoOtherInteractionsAndReset(); SearchException providerType2NotFound = new SearchException( "cannot find Type2#someName" ); when( beanProviderMock.forTypeAndName( Type2.class, "someName" ) ) .thenThrow( providerType2NotFound ); assertThatThrownBy( () -> beanResolver.resolve( Type2.class, "someName" ) ) .isInstanceOf( SearchException.class ) .hasMessageContainingAll( "Cannot resolve bean reference to type '" + Type2.class.getName() + "' and name 'someName'", "cannot find Type2#someName" ) .hasCauseReference( providerType2NotFound ); verifyNoOtherInteractionsAndReset(); } @Test public void resolve_withBeanConfigurer_providerFailure() { BeanReference<Type1> beanReference1Mock = beanReferenceMock(); BeanReference<Type1> beanReference2Mock = beanReferenceMock(); BeanConfigurer beanConfigurer1 = context -> { context.define( Type1.class, beanReference1Mock ); }; BeanConfigurer beanConfigurer2 = context -> { context.define( Type1.class, "someName", beanReference2Mock ); }; when( serviceResolverMock.loadJavaServices( BeanConfigurer.class ) ) .thenReturn( Collections.singletonList( beanConfigurer1 ) ); when( configurationSourceMock.get( EngineSpiSettings.Radicals.BEAN_CONFIGURERS ) ) .thenReturn( (Optional) Optional.of( Collections.singletonList( beanConfigurer2 ) ) ); BeanResolver beanResolver = new ConfiguredBeanResolver( serviceResolverMock, beanProviderMock, configurationSourceMock ); verifyNoOtherInteractionsAndReset(); RuntimeException providerFailure = new RuntimeException( "internal failure in provider" ); when( beanProviderMock.forType( Type1.class ) ).thenThrow( providerFailure ); assertThatThrownBy( () -> beanResolver.resolve( Type1.class ) ).isSameAs( providerFailure ); verifyNoOtherInteractionsAndReset(); when( beanProviderMock.forTypeAndName( Type2.class, "someName" ) ).thenThrow( providerFailure ); assertThatThrownBy( () -> beanResolver.resolve( Type2.class, "someName" ) ) .isSameAs( providerFailure ); verifyNoOtherInteractionsAndReset(); } @Test public void resolve_withBeanConfigurer_noProviderBean_configuredBeanFailure() { BeanReference<Type1> beanReference1Mock = beanReferenceMock(); BeanReference<Type2> beanReference2Mock = beanReferenceMock(); BeanConfigurer beanConfigurer1 = context -> { context.define( Type1.class, beanReference1Mock ); }; BeanConfigurer beanConfigurer2 = context -> { context.define( Type2.class, "someName", beanReference2Mock ); }; when( serviceResolverMock.loadJavaServices( BeanConfigurer.class ) ) .thenReturn( Collections.singletonList( beanConfigurer1 ) ); when( configurationSourceMock.get( EngineSpiSettings.Radicals.BEAN_CONFIGURERS ) ) .thenReturn( (Optional) Optional.of( Collections.singletonList( beanConfigurer2 ) ) ); BeanResolver beanResolver = new ConfiguredBeanResolver( serviceResolverMock, beanProviderMock, configurationSourceMock ); verifyNoOtherInteractionsAndReset(); SearchException providerType1NotFound = new SearchException( "cannot find Type1" ); RuntimeException configuredBeanType1Failed = new RuntimeException( "configured bean failed for Type1" ); when( beanProviderMock.forType( Type1.class ) ).thenThrow( providerType1NotFound ); when( beanReference1Mock.resolve( any() ) ).thenThrow( configuredBeanType1Failed ); assertThatThrownBy( () -> beanResolver.resolve( Type1.class ) ) .isInstanceOf( SearchException.class ) .hasMessageContainingAll( "Cannot resolve bean reference to type '" + Type1.class.getName() + "'", "cannot find Type1", "configured bean failed for Type1" ) .hasCauseReference( providerType1NotFound ) .hasSuppressedException( configuredBeanType1Failed ); verifyNoOtherInteractionsAndReset(); SearchException providerType2NotFound = new SearchException( "provider cannot find Type2#someName" ); RuntimeException configuredBeanType2Failed = new RuntimeException( "configured bean failed for Type2#someName" ); when( beanProviderMock.forTypeAndName( Type2.class, "someName" ) ) .thenThrow( providerType2NotFound ); when( beanReference2Mock.resolve( any() ) ).thenThrow( configuredBeanType2Failed ); assertThatThrownBy( () -> beanResolver.resolve( Type2.class, "someName" ) ) .isInstanceOf( SearchException.class ) .hasMessageContainingAll( "Cannot resolve bean reference to type '" + Type2.class.getName() + "' and name 'someName'", "provider cannot find Type2#someName", "configured bean failed for Type2#someName" ) .hasCauseReference( providerType2NotFound ) .hasSuppressedException( configuredBeanType2Failed ); verifyNoOtherInteractionsAndReset(); } @Test public void resolve_withBeanConfigurer_multipleBeans() { BeanReference<Type1> beanReference1Mock = beanReferenceMock(); BeanReference<Type1> beanReference2Mock = beanReferenceMock(); BeanConfigurer beanConfigurer1 = context -> { context.define( Type1.class, beanReference1Mock ); }; BeanConfigurer beanConfigurer2 = context -> { context.define( Type1.class, "someName", beanReference2Mock ); }; when( serviceResolverMock.loadJavaServices( BeanConfigurer.class ) ) .thenReturn( Collections.singletonList( beanConfigurer1 ) ); when( configurationSourceMock.get( EngineSpiSettings.Radicals.BEAN_CONFIGURERS ) ) .thenReturn( (Optional) Optional.of( Collections.singletonList( beanConfigurer2 ) ) ); BeanResolver beanResolver = new ConfiguredBeanResolver( serviceResolverMock, beanProviderMock, configurationSourceMock ); verifyNoOtherInteractionsAndReset(); when( beanProviderMock.forType( Type1.class ) ) .thenThrow( new SearchException( "cannot find Type1" ) ); assertThatThrownBy( () -> beanResolver.resolve( Type1.class ) ) .isInstanceOf( SearchException.class ) .hasMessageContainingAll( "Cannot resolve bean reference to type '" + Type1.class.getName() + "'", "cannot find Type1", "Multiple beans registered for type '" + Type1.class.getName() + "'" ); verifyNoOtherInteractionsAndReset(); }
BackendSettings { public static String backendKey(String radical) { return join( ".", EngineSettings.BACKEND, radical ); } private BackendSettings(); static String backendKey(String radical); static String backendKey(String backendName, String radical); static final String TYPE; @Deprecated static final String INDEX_DEFAULTS; static final String INDEXES; }
@Test public void backendKey() { assertThat( BackendSettings.backendKey( "foo.bar" ) ) .isEqualTo( "hibernate.search.backend.foo.bar" ); assertThat( BackendSettings.backendKey( "myBackend", "foo.bar" ) ) .isEqualTo( "hibernate.search.backends.myBackend.foo.bar" ); assertThat( BackendSettings.backendKey( null, "foo.bar" ) ) .isEqualTo( "hibernate.search.backend.foo.bar" ); }
IndexSettings { public static String indexKey(String indexName, String radical) { return join( ".", EngineSettings.BACKEND, BackendSettings.INDEXES, indexName, radical ); } private IndexSettings(); @Deprecated static String indexDefaultsKey(String radical); static String indexKey(String indexName, String radical); @Deprecated static String indexDefaultsKey(String backendName, String radical); static String indexKey(String backendName, String indexName, String radical); }
@Test public void indexKey() { assertThat( IndexSettings.indexKey( "indexName", "foo.bar" ) ) .isEqualTo( "hibernate.search.backend.indexes.indexName.foo.bar" ); assertThat( IndexSettings.indexKey( "backendName", "indexName", "foo.bar" ) ) .isEqualTo( "hibernate.search.backends.backendName.indexes.indexName.foo.bar" ); assertThat( IndexSettings.indexKey( null, "indexName", "foo.bar" ) ) .isEqualTo( "hibernate.search.backend.indexes.indexName.foo.bar" ); }
IndexSettings { @Deprecated public static String indexDefaultsKey(String radical) { return join( ".", EngineSettings.BACKEND, BackendSettings.INDEX_DEFAULTS, radical ); } private IndexSettings(); @Deprecated static String indexDefaultsKey(String radical); static String indexKey(String indexName, String radical); @Deprecated static String indexDefaultsKey(String backendName, String radical); static String indexKey(String backendName, String indexName, String radical); }
@Test @SuppressWarnings("deprecation") public void indexDefaultsKey() { assertThat( IndexSettings.indexDefaultsKey( "foo.bar" ) ) .isEqualTo( "hibernate.search.backend.index_defaults.foo.bar" ); assertThat( IndexSettings.indexDefaultsKey( "backendName", "foo.bar" ) ) .isEqualTo( "hibernate.search.backends.backendName.index_defaults.foo.bar" ); assertThat( IndexSettings.indexDefaultsKey( null, "foo.bar" ) ) .isEqualTo( "hibernate.search.backend.index_defaults.foo.bar" ); }
ParseUtils { public static GeoPoint parseGeoPoint(String value) { String[] split = value.split( GEO_POINT_SEPARATOR ); if ( split.length != 2 ) { throw log.unableToParseGeoPoint( value ); } try { return GeoPoint.of( Double.parseDouble( split[0] ), Double.parseDouble( split[1] ) ); } catch (NumberFormatException e) { throw log.unableToParseGeoPoint( value ); } } private ParseUtils(); static String parseString(String value); static Instant parseInstant(String value); static LocalDate parseLocalDate(String value); static LocalDateTime parseLocalDateTime(String value); static LocalTime parseLocalTime(String value); static OffsetDateTime parseOffsetDateTime(String value); static OffsetTime parseOffsetTime(String value); static ZonedDateTime parseZonedDateTime(String value); static Year parseYear(String value); static YearMonth parseYearMonth(String value); static MonthDay parseMonthDay(String value); static ZoneOffset parseZoneOffset(String value); static Period parsePeriod(String value); static Duration parseDuration(String value); static GeoPoint parseGeoPoint(String value); }
@Test public void parseGeoPoint() { GeoPoint geoPoint = ParseUtils.parseGeoPoint( "12.123, -24.234" ); assertThat( geoPoint ).isEqualTo( GeoPoint.of( 12.123, -24.234 ) ); geoPoint = ParseUtils.parseGeoPoint( "12.123,-24.234" ); assertThat( geoPoint ).isEqualTo( GeoPoint.of( 12.123, -24.234 ) ); geoPoint = ParseUtils.parseGeoPoint( "12.123, -24.234" ); assertThat( geoPoint ).isEqualTo( GeoPoint.of( 12.123, -24.234 ) ); assertThatThrownBy( () -> ParseUtils.parseGeoPoint( "12.123#-24.234" ) ) .hasMessage( "HSEARCH000564: Unable to parse the provided geo-point value: '12.123#-24.234'. The expected format is latitude, longitude." ); assertThatThrownBy( () -> ParseUtils.parseGeoPoint( "12.123" ) ) .hasMessage( "HSEARCH000564: Unable to parse the provided geo-point value: '12.123'. The expected format is latitude, longitude." ); }
FailSafeFailureHandlerWrapper implements FailureHandler { @Override public void handle(FailureContext context) { try { delegate.handle( context ); } catch (Throwable t) { log.failureInFailureHandler( t ); } } FailSafeFailureHandlerWrapper(FailureHandler delegate); @Override void handle(FailureContext context); @Override void handle(EntityIndexingFailureContext context); }
@Test public void genericContext_runtimeException() { RuntimeException runtimeException = new SimulatedRuntimeException(); logged.expectEvent( Level.ERROR, sameInstance( runtimeException ), "failure handler threw an exception" ); doThrow( runtimeException ).when( failureHandlerMock ).handle( any( FailureContext.class ) ); wrapper.handle( FailureContext.builder().build() ); verifyNoMoreInteractions( failureHandlerMock ); } @Test public void genericContext_error() { Error error = new SimulatedError(); logged.expectEvent( Level.ERROR, sameInstance( error ), "failure handler threw an exception" ); doThrow( error ).when( failureHandlerMock ).handle( any( FailureContext.class ) ); wrapper.handle( FailureContext.builder().build() ); verifyNoMoreInteractions( failureHandlerMock ); } @Test public void entityIndexingContext_runtimeException() { RuntimeException runtimeException = new SimulatedRuntimeException(); logged.expectEvent( Level.ERROR, sameInstance( runtimeException ), "failure handler threw an exception" ); doThrow( runtimeException ).when( failureHandlerMock ).handle( any( EntityIndexingFailureContext.class ) ); wrapper.handle( EntityIndexingFailureContext.builder().build() ); verifyNoMoreInteractions( failureHandlerMock ); } @Test public void entityIndexingContext_error() { Error error = new SimulatedError(); logged.expectEvent( Level.ERROR, sameInstance( error ), "failure handler threw an exception" ); doThrow( error ).when( failureHandlerMock ).handle( any( EntityIndexingFailureContext.class ) ); wrapper.handle( EntityIndexingFailureContext.builder().build() ); verifyNoMoreInteractions( failureHandlerMock ); }
IndexManagerBuildingStateHolder { void createBackends(Set<Optional<String>> backendNames) { for ( Optional<String> backendNameOptional : backendNames ) { String backendName = backendNameOptional.orElse( defaultBackendName ); EventContext eventContext = EventContexts.fromBackendName( backendName ); BackendInitialBuildState backendBuildState; try { backendBuildState = createBackend( backendNameOptional, eventContext ); } catch (RuntimeException e) { rootBuildContext.getFailureCollector().withContext( eventContext ).add( e ); continue; } backendBuildStateByName.put( backendName, backendBuildState ); } } IndexManagerBuildingStateHolder(BeanResolver beanResolver, ConfigurationPropertySource propertySource, RootBuildContext rootBuildContext); }
@Test public void error_missingBackendType_nullType() { String keyPrefix = "somePrefix."; ArgumentCaptor<Throwable> throwableCaptor = ArgumentCaptor.forClass( Throwable.class ); when( configurationSourceMock.get( "default_backend" ) ) .thenReturn( (Optional) Optional.empty() ); IndexManagerBuildingStateHolder holder = new IndexManagerBuildingStateHolder( beanResolverMock, configurationSourceMock, rootBuildContextMock ); verifyNoOtherBackendInteractionsAndReset(); when( configurationSourceMock.get( "backend.type" ) ) .thenReturn( Optional.empty() ); when( beanResolverMock.namedConfiguredForRole( BackendFactory.class ) ) .thenReturn( Collections.emptyMap() ); when( configurationSourceMock.resolve( "backend.type" ) ) .thenReturn( Optional.of( keyPrefix + "backend.type" ) ); when( rootBuildContextMock.getFailureCollector() ) .thenReturn( rootFailureCollectorMock ); when( rootFailureCollectorMock.withContext( EventContexts.defaultBackend() ) ) .thenReturn( backendFailureCollectorMock ); holder.createBackends( CollectionHelper.asSet( Optional.empty() ) ); verify( backendFailureCollectorMock ).add( throwableCaptor.capture() ); verifyNoOtherBackendInteractionsAndReset(); assertThat( throwableCaptor.getValue() ) .isInstanceOf( SearchException.class ) .hasMessageContainingAll( "Configuration property 'somePrefix.backend.type' is not set, and no backend was found in the classpath", "Did you forget to add the desired backend to your project's dependencies?" ); } @Test public void error_missingBackendType_emptyType() { String keyPrefix = "somePrefix."; ArgumentCaptor<Throwable> throwableCaptor = ArgumentCaptor.forClass( Throwable.class ); when( configurationSourceMock.get( "default_backend" ) ) .thenReturn( (Optional) Optional.empty() ); IndexManagerBuildingStateHolder holder = new IndexManagerBuildingStateHolder( beanResolverMock, configurationSourceMock, rootBuildContextMock ); verifyNoOtherBackendInteractionsAndReset(); when( configurationSourceMock.get( "backend.type" ) ) .thenReturn( (Optional) Optional.of( "" ) ); when( beanResolverMock.namedConfiguredForRole( BackendFactory.class ) ) .thenReturn( Collections.emptyMap() ); when( configurationSourceMock.resolve( "backend.type" ) ) .thenReturn( Optional.of( keyPrefix + "backend.type" ) ); when( rootBuildContextMock.getFailureCollector() ) .thenReturn( rootFailureCollectorMock ); when( rootFailureCollectorMock.withContext( EventContexts.defaultBackend() ) ) .thenReturn( backendFailureCollectorMock ); holder.createBackends( CollectionHelper.asSet( Optional.empty() ) ); verify( backendFailureCollectorMock ).add( throwableCaptor.capture() ); verifyNoOtherBackendInteractionsAndReset(); assertThat( throwableCaptor.getValue() ) .isInstanceOf( SearchException.class ) .hasMessageContainingAll( "Configuration property 'somePrefix.backend.type' is not set, and no backend was found in the classpath", "Did you forget to add the desired backend to your project's dependencies?" ); }
BatchingExecutor { public void submit(BatchedWork<? super P> work) throws InterruptedException { if ( processingTask == null ) { throw new AssertionFailure( "Attempt to submit a work to executor '" + name + "', which is stopped" + " There is probably a bug in Hibernate Search, please report it." ); } workQueue.put( work ); processingTask.ensureScheduled(); } BatchingExecutor(String name, P processor, int maxTasksPerBatch, boolean fair, FailureHandler failureHandler); @Override String toString(); synchronized void start(ExecutorService executorService); synchronized void stop(); void submit(BatchedWork<? super P> work); CompletableFuture<?> completion(); }
@Test public void simple_batchEndsImmediately() throws InterruptedException { createAndStartExecutor( 2, true ); StubWork work1Mock = workMock( 1 ); CompletableFuture<Object> batch1Future = CompletableFuture.completedFuture( null ); when( processorMock.endBatch() ).thenReturn( (CompletableFuture) batch1Future ); executor.submit( work1Mock ); verifyAsynchronouslyAndReset( inOrder -> { inOrder.verify( processorMock ).beginBatch(); inOrder.verify( work1Mock ).submitTo( processorMock ); inOrder.verify( processorMock ).endBatch(); inOrder.verify( processorMock ).complete(); } ); checkPostExecution(); } @Test public void simple_batchEndsLater_someAdditionalWorkBeforeComplete() throws InterruptedException { createAndStartExecutor( 2, true ); StubWork work1Mock = workMock( 1 ); CompletableFuture<Object> batch1Future = new CompletableFuture<>(); when( processorMock.endBatch() ).thenReturn( (CompletableFuture) batch1Future ); executor.submit( work1Mock ); verifyAsynchronouslyAndReset( inOrder -> { inOrder.verify( processorMock ).beginBatch(); inOrder.verify( work1Mock ).submitTo( processorMock ); inOrder.verify( processorMock ).endBatch(); } ); StubCompletionListener completionListenerAfterSubmit1 = addPendingCompletionListener(); StubWork work2Mock = workMock( 2 ); StubWork work3Mock = workMock( 3 ); executor.submit( work2Mock ); executor.submit( work3Mock ); verifyAsynchronouslyAndReset( inOrder -> { } ); StubCompletionListener completionListenerAfterSubmit2 = addPendingCompletionListener(); CompletableFuture<Object> batch2Future = new CompletableFuture<>(); when( processorMock.endBatch() ).thenReturn( (CompletableFuture) batch2Future ); batch1Future.complete( null ); verifyAsynchronouslyAndReset( inOrder -> { inOrder.verify( processorMock ).beginBatch(); inOrder.verify( work2Mock ).submitTo( processorMock ); inOrder.verify( work3Mock ).submitTo( processorMock ); inOrder.verify( processorMock ).endBatch(); } ); batch2Future.complete( null ); verifyAsynchronouslyAndReset( inOrder -> { inOrder.verify( processorMock ).complete(); verify( completionListenerAfterSubmit1 ).onComplete(); verify( completionListenerAfterSubmit2 ).onComplete(); } ); checkPostExecution(); } @Test public void simple_batchEndsLater_noAdditionalWork() throws InterruptedException { createAndStartExecutor( 2, true ); StubWork work1Mock = workMock( 1 ); CompletableFuture<Object> batch1Future = new CompletableFuture<>(); when( processorMock.endBatch() ).thenReturn( (CompletableFuture) batch1Future ); executor.submit( work1Mock ); verifyAsynchronouslyAndReset( inOrder -> { inOrder.verify( processorMock ).beginBatch(); inOrder.verify( work1Mock ).submitTo( processorMock ); inOrder.verify( processorMock ).endBatch(); } ); StubCompletionListener completionListenerAfterSubmit = addPendingCompletionListener(); batch1Future.complete( null ); verifyAsynchronouslyAndReset( inOrder -> { inOrder.verify( processorMock ).complete(); inOrder.verify( completionListenerAfterSubmit ).onComplete(); } ); checkPostExecution(); } @Test public void beginBatchFailure() throws InterruptedException { createAndStartExecutor( 4, true ); SimulatedFailure simulatedFailure = new SimulatedFailure(); Runnable unblockExecutorSwitch = blockExecutor(); StubWork work1Mock = workMock( 1 ); executor.submit( work1Mock ); verifyAsynchronouslyAndReset( inOrder -> { } ); StubCompletionListener completionListenerAfterSubmit = addPendingCompletionListener(); ArgumentCaptor<FailureContext> failureContextCaptor = ArgumentCaptor.forClass( FailureContext.class ); doThrow( simulatedFailure ).when( processorMock ).beginBatch(); unblockExecutorSwitch.run(); verifyAsynchronouslyAndReset( inOrder -> { inOrder.verify( processorMock ).beginBatch(); inOrder.verify( failureHandlerMock ).handle( failureContextCaptor.capture() ); inOrder.verify( processorMock ).complete(); inOrder.verify( completionListenerAfterSubmit ).onComplete(); } ); FailureContext failureContext = failureContextCaptor.getValue(); assertThat( failureContext.throwable() ) .isSameAs( simulatedFailure ); assertThat( failureContext.failingOperation() ).asString() .contains( "Executing task '" + NAME + "'" ); checkPostExecution(); } @Test public void submitFailure() throws InterruptedException { createAndStartExecutor( 4, true ); SimulatedFailure simulatedFailure = new SimulatedFailure(); Runnable unblockExecutorSwitch = blockExecutor(); StubWork work1Mock = workMock( 1 ); StubWork work2Mock = workMock( 2 ); StubWork work3Mock = workMock( 3 ); executor.submit( work1Mock ); executor.submit( work2Mock ); executor.submit( work3Mock ); verifyAsynchronouslyAndReset( inOrder -> { } ); StubCompletionListener completionListenerAfterSubmit = addPendingCompletionListener(); CompletableFuture<Object> batch1Future = CompletableFuture.completedFuture( null ); doThrow( simulatedFailure ).when( work2Mock ).submitTo( processorMock ); when( processorMock.endBatch() ).thenReturn( (CompletableFuture) batch1Future ); unblockExecutorSwitch.run(); verifyAsynchronouslyAndReset( inOrder -> { inOrder.verify( processorMock ).beginBatch(); inOrder.verify( work1Mock ).submitTo( processorMock ); inOrder.verify( work2Mock ).submitTo( processorMock ); inOrder.verify( work2Mock ).markAsFailed( simulatedFailure ); inOrder.verify( work3Mock ).submitTo( processorMock ); inOrder.verify( processorMock ).endBatch(); inOrder.verify( processorMock ).complete(); inOrder.verify( completionListenerAfterSubmit ).onComplete(); } ); checkPostExecution(); } @Test public void endBatchFailure() throws InterruptedException { createAndStartExecutor( 4, true ); SimulatedFailure simulatedFailure = new SimulatedFailure(); Runnable unblockExecutorSwitch = blockExecutor(); StubWork work1Mock = workMock( 1 ); StubWork work2Mock = workMock( 2 ); executor.submit( work1Mock ); executor.submit( work2Mock ); verifyAsynchronouslyAndReset( inOrder -> { } ); StubCompletionListener completionListenerAfterSubmit = addPendingCompletionListener(); ArgumentCaptor<FailureContext> failureContextCaptor = ArgumentCaptor.forClass( FailureContext.class ); doThrow( simulatedFailure ).when( processorMock ).endBatch(); unblockExecutorSwitch.run(); verifyAsynchronouslyAndReset( inOrder -> { inOrder.verify( processorMock ).beginBatch(); inOrder.verify( work1Mock ).submitTo( processorMock ); inOrder.verify( work2Mock ).submitTo( processorMock ); inOrder.verify( processorMock ).endBatch(); inOrder.verify( failureHandlerMock ).handle( failureContextCaptor.capture() ); inOrder.verify( processorMock ).complete(); inOrder.verify( completionListenerAfterSubmit ).onComplete(); } ); FailureContext failureContext = failureContextCaptor.getValue(); assertThat( failureContext.throwable() ) .isSameAs( simulatedFailure ); assertThat( failureContext.failingOperation() ).asString() .contains( "Executing task '" + NAME + "'" ); checkPostExecution(); }
AvroSchemaIterator implements Iterable<Schema>, Iterator<Schema> { @Override public Iterator<Schema> iterator() { return this; } AvroSchemaIterator(Schema rootSchema); @Override Iterator<Schema> iterator(); @Override boolean hasNext(); @Override Schema next(); }
@Test public void testIterator() { Schema sample = AvroSchemaGeneratorTest.getSampleSchema(); boolean baseSeen = false, recursiveSeen = false, compositeSeen = false, arraySeen = false, mapSeen = false; for (Schema schema : new AvroSchemaIterator(sample)) { if (schema.getName().equals("SampleBaseType")) { baseSeen = true; } if (schema.getName().equals("SampleRecursiveType")) { recursiveSeen = true; } if (schema.getName().equals("SampleCompositeType")) { compositeSeen = true; } } assertTrue(baseSeen); assertTrue(recursiveSeen); assertTrue(compositeSeen); }
CompositeKey { public static CompositeKey parseCompositeKey(final String compositeKey) { if (compositeKey == null) { return null; } if (!compositeKey.startsWith(NAMESPACE)) { throw CompositeKeyFormatException.forInputString(compositeKey, compositeKey, 0); } final String[] segments = compositeKey.split(DELIMITER, 0); return new CompositeKey(segments[1], Arrays.stream(segments).skip(2).toArray(String[]::new)); } CompositeKey(final String objectType, final String... attributes); CompositeKey(final String objectType, final List<String> attributes); String getObjectType(); List<String> getAttributes(); @Override String toString(); static CompositeKey parseCompositeKey(final String compositeKey); static void validateSimpleKeys(final String... keys); static final String NAMESPACE; }
@Test public void testParseCompositeKey() { final CompositeKey key = CompositeKey.parseCompositeKey("\u0000abc\u0000def\u0000ghi\u0000jkl\u0000mno\u0000"); assertThat(key.getObjectType(), is(equalTo("abc"))); assertThat(key.getAttributes(), hasSize(4)); assertThat(key.getAttributes(), contains("def", "ghi", "jkl", "mno")); assertThat(key.toString(), is(equalTo("\u0000abc\u0000def\u0000ghi\u0000jkl\u0000mno\u0000"))); } @Test(expected = CompositeKeyFormatException.class) public void testParseCompositeKeyInvalidObjectType() { CompositeKey.parseCompositeKey("ab\udbff\udfffc\u0000def\u0000ghi\u0000jkl\u0000mno\u0000"); } @Test(expected = CompositeKeyFormatException.class) public void testParseCompositeKeyInvalidAttribute() { CompositeKey.parseCompositeKey("abc\u0000def\u0000ghi\u0000jk\udbff\udfffl\u0000mno\u0000"); }
StateBasedEndorsementImpl implements StateBasedEndorsement { @Override public void addOrgs(final RoleType role, final String... organizations) { MSPRoleType mspRole; if (RoleType.RoleTypeMember.equals(role)) { mspRole = MSPRoleType.MEMBER; } else { mspRole = MSPRoleType.PEER; } for (final String neworg : organizations) { orgs.put(neworg, mspRole); } } StateBasedEndorsementImpl(final byte[] ep); @Override byte[] policy(); @Override void addOrgs(final RoleType role, final String... organizations); @Override void delOrgs(final String... organizations); @Override List<String> listOrgs(); }
@Test public void addOrgs() { final StateBasedEndorsement ep = StateBasedEndorsementFactory.getInstance().newStateBasedEndorsement(null); ep.addOrgs(RoleType.RoleTypePeer, "Org1"); final byte[] epBytes = ep.policy(); assertThat(epBytes, is(not(nullValue()))); assertTrue(epBytes.length > 0); final byte[] expectedEPBytes = StateBasedEndorsementUtils.signedByFabricEntity("Org1", MSPRoleType.PEER).toByteString().toByteArray(); assertArrayEquals(expectedEPBytes, epBytes); }
StateBasedEndorsementImpl implements StateBasedEndorsement { @Override public void delOrgs(final String... organizations) { for (final String delorg : organizations) { orgs.remove(delorg); } } StateBasedEndorsementImpl(final byte[] ep); @Override byte[] policy(); @Override void addOrgs(final RoleType role, final String... organizations); @Override void delOrgs(final String... organizations); @Override List<String> listOrgs(); }
@Test public void delOrgs() { final byte[] initEPBytes = StateBasedEndorsementUtils.signedByFabricEntity("Org1", MSPRoleType.PEER).toByteString().toByteArray(); final StateBasedEndorsement ep = StateBasedEndorsementFactory.getInstance().newStateBasedEndorsement(initEPBytes); final List<String> listOrgs = ep.listOrgs(); assertThat(listOrgs, is(not(nullValue()))); assertThat(listOrgs, contains("Org1")); assertThat(listOrgs, hasSize(1)); ep.addOrgs(RoleType.RoleTypeMember, "Org2"); ep.delOrgs("Org1"); final byte[] epBytes = ep.policy(); assertThat(epBytes, is(not(nullValue()))); assertTrue(epBytes.length > 0); final byte[] expectedEPBytes = StateBasedEndorsementUtils.signedByFabricEntity("Org2", MSPRoleType.MEMBER).toByteString().toByteArray(); assertArrayEquals(expectedEPBytes, epBytes); }
StateBasedEndorsementImpl implements StateBasedEndorsement { @Override public List<String> listOrgs() { final List<String> res = new ArrayList<>(); res.addAll(orgs.keySet()); return res; } StateBasedEndorsementImpl(final byte[] ep); @Override byte[] policy(); @Override void addOrgs(final RoleType role, final String... organizations); @Override void delOrgs(final String... organizations); @Override List<String> listOrgs(); }
@Test public void listOrgs() { final byte[] initEPBytes = StateBasedEndorsementUtils.signedByFabricEntity("Org1", MSPRoleType.PEER).toByteString().toByteArray(); final StateBasedEndorsement ep = StateBasedEndorsementFactory.getInstance().newStateBasedEndorsement(initEPBytes); final List<String> listOrgs = ep.listOrgs(); assertThat(listOrgs, is(not(nullValue()))); assertThat(listOrgs, hasSize(1)); assertThat(listOrgs, contains("Org1")); }
StateBasedEndorsementFactory { public static synchronized StateBasedEndorsementFactory getInstance() { if (instance == null) { instance = new StateBasedEndorsementFactory(); } return instance; } static synchronized StateBasedEndorsementFactory getInstance(); StateBasedEndorsement newStateBasedEndorsement(final byte[] ep); }
@Test public void getInstance() { assertNotNull(StateBasedEndorsementFactory.getInstance()); assertTrue(StateBasedEndorsementFactory.getInstance() instanceof StateBasedEndorsementFactory); }
StateBasedEndorsementFactory { public StateBasedEndorsement newStateBasedEndorsement(final byte[] ep) { return new StateBasedEndorsementImpl(ep); } static synchronized StateBasedEndorsementFactory getInstance(); StateBasedEndorsement newStateBasedEndorsement(final byte[] ep); }
@Test public void newStateBasedEndorsement() { assertNotNull(StateBasedEndorsementFactory.getInstance().newStateBasedEndorsement(new byte[] {})); thrown.expect(IllegalArgumentException.class); StateBasedEndorsementFactory.getInstance().newStateBasedEndorsement(new byte[] {0}); }
KeyValueImpl implements KeyValue { KeyValueImpl(final KV kv) { this.key = kv.getKey(); this.value = kv.getValue(); } KeyValueImpl(final KV kv); @Override String getKey(); @Override byte[] getValue(); @Override String getStringValue(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testKeyValueImpl() { new KeyValueImpl(KV.newBuilder() .setKey("key") .setValue(ByteString.copyFromUtf8("value")) .build()); }
KeyValueImpl implements KeyValue { @Override public String getKey() { return key; } KeyValueImpl(final KV kv); @Override String getKey(); @Override byte[] getValue(); @Override String getStringValue(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testGetKey() { final KeyValueImpl kv = new KeyValueImpl(KV.newBuilder() .setKey("key") .setValue(ByteString.copyFromUtf8("value")) .build()); assertThat(kv.getKey(), is(equalTo("key"))); }
MyAssetContract implements ContractInterface { @Transaction() public void deleteMyAsset(Context ctx, String myAssetId) { boolean exists = myAssetExists(ctx,myAssetId); if (!exists) { throw new RuntimeException("The asset "+myAssetId+" does not exist"); } ctx.getStub().delState(myAssetId); } MyAssetContract(); @Transaction() boolean myAssetExists(Context ctx, String myAssetId); @Transaction() void createMyAsset(Context ctx, String myAssetId, String value); @Transaction() MyAsset readMyAsset(Context ctx, String myAssetId); @Transaction() void updateMyAsset(Context ctx, String myAssetId, String newValue); @Transaction() void deleteMyAsset(Context ctx, String myAssetId); }
@Test public void assetDelete() { MyAssetContract contract = new MyAssetContract(); Context ctx = mock(Context.class); ChaincodeStub stub = mock(ChaincodeStub.class); when(ctx.getStub()).thenReturn(stub); when(stub.getState("10001")).thenReturn(null); Exception thrown = assertThrows(RuntimeException.class, () -> { contract.deleteMyAsset(ctx, "10001"); }); assertEquals(thrown.getMessage(), "The asset 10001 does not exist"); }
KeyValueImpl implements KeyValue { @Override public byte[] getValue() { return value.toByteArray(); } KeyValueImpl(final KV kv); @Override String getKey(); @Override byte[] getValue(); @Override String getStringValue(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testGetValue() { final KeyValueImpl kv = new KeyValueImpl(KV.newBuilder() .setKey("key") .setValue(ByteString.copyFromUtf8("value")) .build()); assertThat(kv.getValue(), is(equalTo("value".getBytes(UTF_8)))); }
KeyValueImpl implements KeyValue { @Override public String getStringValue() { return value.toStringUtf8(); } KeyValueImpl(final KV kv); @Override String getKey(); @Override byte[] getValue(); @Override String getStringValue(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testGetStringValue() { final KeyValueImpl kv = new KeyValueImpl(KV.newBuilder() .setKey("key") .setValue(ByteString.copyFromUtf8("value")) .build()); assertThat(kv.getStringValue(), is(equalTo("value"))); }
KeyValueImpl implements KeyValue { @Override public int hashCode() { final int prime = 31; int result = 1; result = prime * result + ((key == null) ? 0 : key.hashCode()); result = prime * result + ((value == null) ? 0 : value.hashCode()); return result; } KeyValueImpl(final KV kv); @Override String getKey(); @Override byte[] getValue(); @Override String getStringValue(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testHashCode() { final KeyValueImpl kv = new KeyValueImpl(KV.newBuilder() .build()); int expectedHashCode = 31; expectedHashCode = expectedHashCode + "".hashCode(); expectedHashCode = expectedHashCode * 31 + ByteString.copyFromUtf8("").hashCode(); assertEquals("Wrong hashcode", expectedHashCode, kv.hashCode()); }
KeyValueImpl implements KeyValue { @Override public boolean equals(final Object obj) { if (this == obj) { return true; } if (obj == null) { return false; } if (getClass() != obj.getClass()) { return false; } final KeyValueImpl other = (KeyValueImpl) obj; if (!key.equals(other.key)) { return false; } if (!value.equals(other.value)) { return false; } return true; } KeyValueImpl(final KV kv); @Override String getKey(); @Override byte[] getValue(); @Override String getStringValue(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testEquals() { final KeyValueImpl kv1 = new KeyValueImpl(KV.newBuilder() .setKey("a") .setValue(ByteString.copyFromUtf8("valueA")) .build()); final KeyValueImpl kv2 = new KeyValueImpl(KV.newBuilder() .setKey("a") .setValue(ByteString.copyFromUtf8("valueB")) .build()); final KeyValueImpl kv3 = new KeyValueImpl(KV.newBuilder() .setKey("b") .setValue(ByteString.copyFromUtf8("valueA")) .build()); final KeyValueImpl kv4 = new KeyValueImpl(KV.newBuilder() .setKey("a") .setValue(ByteString.copyFromUtf8("valueA")) .build()); assertFalse(kv1.equals(kv2)); assertFalse(kv1.equals(kv3)); assertTrue(kv1.equals(kv4)); }
InvocationTaskManager { public InvocationTaskManager register() { logger.info(() -> "Registering new chaincode " + this.chaincodeId); chaincode.setState(ChaincodeBase.CCState.CREATED); this.outgoingMessage.accept(ChaincodeMessageFactory.newRegisterChaincodeMessage(this.chaincodeId)); return this; } InvocationTaskManager(final ChaincodeBase chaincode, final ChaincodeID chaincodeId); static InvocationTaskManager getManager(final ChaincodeBase chaincode, final ChaincodeID chaincodeId); void onChaincodeMessage(final ChaincodeMessage chaincodeMessage); InvocationTaskManager setResponseConsumer(final Consumer<ChaincodeMessage> outgoingMessage); InvocationTaskManager register(); void shutdown(); }
@Test public void register() throws UnsupportedEncodingException { itm.register(); }
InvocationTaskManager { public void onChaincodeMessage(final ChaincodeMessage chaincodeMessage) { logger.fine(() -> String.format("[%-8.8s] %s", chaincodeMessage.getTxid(), ChaincodeBase.toJsonString(chaincodeMessage))); try { final Type msgType = chaincodeMessage.getType(); switch (chaincode.getState()) { case CREATED: if (msgType == REGISTERED) { chaincode.setState(org.hyperledger.fabric.shim.ChaincodeBase.CCState.ESTABLISHED); logger.fine(() -> String.format("[%-8.8s] Received REGISTERED: moving to established state", chaincodeMessage.getTxid())); } else { logger.warning(() -> String.format("[%-8.8s] Received %s: cannot handle", chaincodeMessage.getTxid(), msgType)); } break; case ESTABLISHED: if (msgType == READY) { chaincode.setState(org.hyperledger.fabric.shim.ChaincodeBase.CCState.READY); logger.fine(() -> String.format("[%-8.8s] Received READY: ready for invocations", chaincodeMessage.getTxid())); } else { logger.warning(() -> String.format("[%-8.8s] Received %s: cannot handle", chaincodeMessage.getTxid(), msgType)); } break; case READY: handleMsg(chaincodeMessage, msgType); break; default: logger.warning(() -> String.format("[%-8.8s] Received %s: cannot handle", chaincodeMessage.getTxid(), chaincodeMessage.getType())); break; } } catch (final RuntimeException e) { this.shutdown(); throw e; } } InvocationTaskManager(final ChaincodeBase chaincode, final ChaincodeID chaincodeId); static InvocationTaskManager getManager(final ChaincodeBase chaincode, final ChaincodeID chaincodeId); void onChaincodeMessage(final ChaincodeMessage chaincodeMessage); InvocationTaskManager setResponseConsumer(final Consumer<ChaincodeMessage> outgoingMessage); InvocationTaskManager register(); void shutdown(); }
@Test public void onMessageTestTx() throws UnsupportedEncodingException { final ChaincodeMessage msg = ChaincodeMessageFactory.newEventMessage(ChaincodeMessage.Type.TRANSACTION, "mychannel", "txid", ByteString.copyFrom("Hello", "UTF-8")); when(chaincode.getChaincodeConfig()).thenReturn(new Properties()); chaincode.setState(ChaincodeBase.CCState.READY); itm.onChaincodeMessage(msg); } @Test public void onWrongCreatedState() throws UnsupportedEncodingException { perfLogger.setLevel(Level.ALL); final ChaincodeMessage msg = ChaincodeMessageFactory.newEventMessage(ChaincodeMessage.Type.TRANSACTION, "mychannel", "txid", ByteString.copyFrom("Hello", "UTF-8")); when(chaincode.getChaincodeConfig()).thenReturn(new Properties()); chaincode.setState(ChaincodeBase.CCState.CREATED); itm.onChaincodeMessage(msg); } @Test public void onWrongEstablishedState() throws UnsupportedEncodingException { final ChaincodeMessage msg = ChaincodeMessageFactory.newEventMessage(ChaincodeMessage.Type.TRANSACTION, "mychannel", "txid", ByteString.copyFrom("Hello", "UTF-8")); when(chaincode.getChaincodeConfig()).thenReturn(new Properties()); chaincode.setState(ChaincodeBase.CCState.ESTABLISHED); itm.onChaincodeMessage(msg); } @Test public void onErrorResponse() throws UnsupportedEncodingException { final ChaincodeMessage msg = ChaincodeMessageFactory.newEventMessage(ChaincodeMessage.Type.ERROR, "mychannel", "txid", ByteString.copyFrom("Hello", "UTF-8")); when(chaincode.getChaincodeConfig()).thenReturn(new Properties()); chaincode.setState(ChaincodeBase.CCState.READY); itm.onChaincodeMessage(msg); }
ChaincodeMessageFactory { protected static ChaincodeMessage newGetPrivateDataHashEventMessage(final String channelId, final String txId, final String collection, final String key) { return newEventMessage(GET_PRIVATE_DATA_HASH, channelId, txId, GetState.newBuilder().setCollection(collection).setKey(key).build().toByteString()); } private ChaincodeMessageFactory(); }
@Test void testNewGetPrivateDataHashEventMessage() { ChaincodeMessageFactory.newGetPrivateDataHashEventMessage(channelId, txId, collection, key); }
MyAssetContract implements ContractInterface { @Transaction() public MyAsset readMyAsset(Context ctx, String myAssetId) { boolean exists = myAssetExists(ctx,myAssetId); if (!exists) { throw new RuntimeException("The asset "+myAssetId+" does not exist"); } MyAsset newAsset = MyAsset.fromJSONString(new String(ctx.getStub().getState(myAssetId),UTF_8)); return newAsset; } MyAssetContract(); @Transaction() boolean myAssetExists(Context ctx, String myAssetId); @Transaction() void createMyAsset(Context ctx, String myAssetId, String value); @Transaction() MyAsset readMyAsset(Context ctx, String myAssetId); @Transaction() void updateMyAsset(Context ctx, String myAssetId, String newValue); @Transaction() void deleteMyAsset(Context ctx, String myAssetId); }
@Test public void assetRead() { MyAssetContract contract = new MyAssetContract(); Context ctx = mock(Context.class); ChaincodeStub stub = mock(ChaincodeStub.class); when(ctx.getStub()).thenReturn(stub); MyAsset asset = new MyAsset(); asset.setValue("Valuable"); String json = asset.toJSONString(); when(stub.getState("10001")).thenReturn(json.getBytes(StandardCharsets.UTF_8)); MyAsset returnedAsset = contract.readMyAsset(ctx, "10001"); assertEquals(returnedAsset.getValue(), asset.getValue()); }
ChaincodeMessageFactory { protected static ChaincodeMessage newGetStateEventMessage(final String channelId, final String txId, final String collection, final String key) { return newEventMessage(GET_STATE, channelId, txId, GetState.newBuilder().setCollection(collection).setKey(key).build().toByteString()); } private ChaincodeMessageFactory(); }
@Test void testNewGetStateEventMessage() { ChaincodeMessageFactory.newGetStateEventMessage(channelId, txId, collection, key); }
ChaincodeMessageFactory { protected static ChaincodeMessage newGetStateMetadataEventMessage(final String channelId, final String txId, final String collection, final String key) { return newEventMessage(GET_STATE_METADATA, channelId, txId, GetStateMetadata.newBuilder().setCollection(collection).setKey(key).build().toByteString()); } private ChaincodeMessageFactory(); }
@Test void testNewGetStateMetadataEventMessage() { ChaincodeMessageFactory.newGetStateMetadataEventMessage(channelId, txId, collection, key); }
ChaincodeMessageFactory { protected static ChaincodeMessage newPutStateEventMessage(final String channelId, final String txId, final String collection, final String key, final ByteString value) { return newEventMessage(PUT_STATE, channelId, txId, PutState.newBuilder().setCollection(collection).setKey(key).setValue(value).build().toByteString()); } private ChaincodeMessageFactory(); }
@Test void testNewPutStateEventMessage() { ChaincodeMessageFactory.newPutStateEventMessage(channelId, txId, collection, key, value); }
ChaincodeMessageFactory { protected static ChaincodeMessage newPutStateMetadataEventMessage(final String channelId, final String txId, final String collection, final String key, final String metakey, final ByteString value) { return newEventMessage(PUT_STATE_METADATA, channelId, txId, PutStateMetadata.newBuilder().setCollection(collection).setKey(key) .setMetadata(StateMetadata.newBuilder().setMetakey(metakey).setValue(value).build()).build().toByteString()); } private ChaincodeMessageFactory(); }
@Test void testNewPutStateMetadataEventMessage() { ChaincodeMessageFactory.newPutStateMetadataEventMessage(channelId, txId, collection, key, metakey, value); }
ChaincodeMessageFactory { protected static ChaincodeMessage newDeleteStateEventMessage(final String channelId, final String txId, final String collection, final String key) { return newEventMessage(DEL_STATE, channelId, txId, DelState.newBuilder().setCollection(collection).setKey(key).build().toByteString()); } private ChaincodeMessageFactory(); }
@Test void testNewDeleteStateEventMessage() { ChaincodeMessageFactory.newDeleteStateEventMessage(channelId, txId, collection, key); }
ChaincodeMessageFactory { protected static ChaincodeMessage newErrorEventMessage(final String channelId, final String txId, final Throwable throwable) { return newErrorEventMessage(channelId, txId, printStackTrace(throwable)); } private ChaincodeMessageFactory(); }
@Test void testNewErrorEventMessage() { ChaincodeMessageFactory.newErrorEventMessage(channelId, txId, message); ChaincodeMessageFactory.newErrorEventMessage(channelId, txId, throwable); ChaincodeMessageFactory.newErrorEventMessage(channelId, txId, message, event); }
ChaincodeMessageFactory { protected static ChaincodeMessage newCompletedEventMessage(final String channelId, final String txId, final Chaincode.Response response, final ChaincodeEvent event) { final ChaincodeMessage message = newEventMessage(COMPLETED, channelId, txId, toProtoResponse(response).toByteString(), event); return message; } private ChaincodeMessageFactory(); }
@Test void testNewCompletedEventMessage() { ChaincodeMessageFactory.newCompletedEventMessage(channelId, txId, response, event); }
ChaincodeMessageFactory { protected static ChaincodeMessage newInvokeChaincodeMessage(final String channelId, final String txId, final ByteString payload) { return newEventMessage(INVOKE_CHAINCODE, channelId, txId, payload, null); } private ChaincodeMessageFactory(); }
@Test void testNewInvokeChaincodeMessage() { ChaincodeMessageFactory.newInvokeChaincodeMessage(channelId, txId, payload); }
ChaincodeMessageFactory { protected static ChaincodeMessage newRegisterChaincodeMessage(final ChaincodeID chaincodeId) { return ChaincodeMessage.newBuilder().setType(REGISTER).setPayload(chaincodeId.toByteString()).build(); } private ChaincodeMessageFactory(); }
@Test void testNewRegisterChaincodeMessage() { ChaincodeMessageFactory.newRegisterChaincodeMessage(chaincodeId); }
ChaincodeMessageFactory { protected static ChaincodeMessage newEventMessage(final Type type, final String channelId, final String txId, final ByteString payload) { return newEventMessage(type, channelId, txId, payload, null); } private ChaincodeMessageFactory(); }
@Test void testNewEventMessageTypeStringStringByteString() { ChaincodeMessageFactory.newEventMessage(type, channelId, txId, payload); ChaincodeMessageFactory.newEventMessage(type, channelId, txId, payload, event); }
KeyModificationImpl implements KeyModification { KeyModificationImpl(final KvQueryResult.KeyModification km) { this.txId = km.getTxId(); this.value = km.getValue(); this.timestamp = Instant.ofEpochSecond(km.getTimestamp().getSeconds(), km.getTimestamp().getNanos()); this.deleted = km.getIsDelete(); } KeyModificationImpl(final KvQueryResult.KeyModification km); @Override String getTxId(); @Override byte[] getValue(); @Override String getStringValue(); @Override java.time.Instant getTimestamp(); @Override boolean isDeleted(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testKeyModificationImpl() { new KeyModificationImpl(KvQueryResult.KeyModification.newBuilder() .setTxId("txid") .setValue(ByteString.copyFromUtf8("value")) .setTimestamp(Timestamp.newBuilder() .setSeconds(1234567890) .setNanos(123456789)) .setIsDelete(true) .build()); }
KeyModificationImpl implements KeyModification { @Override public String getTxId() { return txId; } KeyModificationImpl(final KvQueryResult.KeyModification km); @Override String getTxId(); @Override byte[] getValue(); @Override String getStringValue(); @Override java.time.Instant getTimestamp(); @Override boolean isDeleted(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testGetTxId() { final KeyModification km = new KeyModificationImpl(KvQueryResult.KeyModification.newBuilder() .setTxId("txid") .build()); assertThat(km.getTxId(), is(equalTo("txid"))); }
KeyModificationImpl implements KeyModification { @Override public byte[] getValue() { return value.toByteArray(); } KeyModificationImpl(final KvQueryResult.KeyModification km); @Override String getTxId(); @Override byte[] getValue(); @Override String getStringValue(); @Override java.time.Instant getTimestamp(); @Override boolean isDeleted(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testGetValue() { final KeyModification km = new KeyModificationImpl(KvQueryResult.KeyModification.newBuilder() .setValue(ByteString.copyFromUtf8("value")) .build()); assertThat(km.getValue(), is(equalTo("value".getBytes(UTF_8)))); }
KeyModificationImpl implements KeyModification { @Override public String getStringValue() { return value.toStringUtf8(); } KeyModificationImpl(final KvQueryResult.KeyModification km); @Override String getTxId(); @Override byte[] getValue(); @Override String getStringValue(); @Override java.time.Instant getTimestamp(); @Override boolean isDeleted(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testGetStringValue() { final KeyModification km = new KeyModificationImpl(KvQueryResult.KeyModification.newBuilder() .setValue(ByteString.copyFromUtf8("value")) .build()); assertThat(km.getStringValue(), is(equalTo("value"))); }
KeyModificationImpl implements KeyModification { @Override public java.time.Instant getTimestamp() { return timestamp; } KeyModificationImpl(final KvQueryResult.KeyModification km); @Override String getTxId(); @Override byte[] getValue(); @Override String getStringValue(); @Override java.time.Instant getTimestamp(); @Override boolean isDeleted(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testGetTimestamp() { final KeyModification km = new KeyModificationImpl(KvQueryResult.KeyModification.newBuilder() .setTimestamp(Timestamp.newBuilder() .setSeconds(1234567890L) .setNanos(123456789)) .build()); assertThat(km.getTimestamp(), hasProperty("epochSecond", equalTo(1234567890L))); assertThat(km.getTimestamp(), hasProperty("nano", equalTo(123456789))); }
KeyModificationImpl implements KeyModification { @Override public boolean isDeleted() { return deleted; } KeyModificationImpl(final KvQueryResult.KeyModification km); @Override String getTxId(); @Override byte[] getValue(); @Override String getStringValue(); @Override java.time.Instant getTimestamp(); @Override boolean isDeleted(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testIsDeleted() { Stream.of(true, false) .forEach(b -> { final KeyModification km = new KeyModificationImpl(KvQueryResult.KeyModification.newBuilder() .setIsDelete(b) .build()); assertThat(km.isDeleted(), is(b)); }); }
KeyModificationImpl implements KeyModification { @Override public int hashCode() { final int prime = 31; int result = 1; result = prime * result + (deleted ? 1231 : 1237); result = prime * result + ((timestamp == null) ? 0 : timestamp.hashCode()); result = prime * result + ((txId == null) ? 0 : txId.hashCode()); result = prime * result + ((value == null) ? 0 : value.hashCode()); return result; } KeyModificationImpl(final KvQueryResult.KeyModification km); @Override String getTxId(); @Override byte[] getValue(); @Override String getStringValue(); @Override java.time.Instant getTimestamp(); @Override boolean isDeleted(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testHashCode() { final KeyModification km = new KeyModificationImpl(KvQueryResult.KeyModification.newBuilder() .setIsDelete(false) .build()); int expectedHashCode = 31; expectedHashCode = expectedHashCode + 1237; expectedHashCode = expectedHashCode * 31 + Instant.EPOCH.hashCode(); expectedHashCode = expectedHashCode * 31 + "".hashCode(); expectedHashCode = expectedHashCode * 31 + ByteString.copyFromUtf8("").hashCode(); assertEquals("Wrong hash code", expectedHashCode, km.hashCode()); }
KeyModificationImpl implements KeyModification { @Override public boolean equals(final Object obj) { if (this == obj) { return true; } if (obj == null) { return false; } if (getClass() != obj.getClass()) { return false; } final KeyModificationImpl other = (KeyModificationImpl) obj; if (deleted != other.deleted) { return false; } if (!timestamp.equals(other.timestamp)) { return false; } if (!txId.equals(other.txId)) { return false; } if (!value.equals(other.value)) { return false; } return true; } KeyModificationImpl(final KvQueryResult.KeyModification km); @Override String getTxId(); @Override byte[] getValue(); @Override String getStringValue(); @Override java.time.Instant getTimestamp(); @Override boolean isDeleted(); @Override int hashCode(); @Override boolean equals(final Object obj); }
@Test public void testEquals() { final KeyModification km1 = new KeyModificationImpl(KvQueryResult.KeyModification.newBuilder() .setIsDelete(false) .build()); final KeyModification km2 = new KeyModificationImpl(KvQueryResult.KeyModification.newBuilder() .setIsDelete(true) .build()); final KeyModification km3 = new KeyModificationImpl(KvQueryResult.KeyModification.newBuilder() .setIsDelete(false) .build()); assertFalse(km1.equals(km2)); assertTrue(km1.equals(km3)); }
QueryResultsIteratorWithMetadataImpl extends QueryResultsIteratorImpl<T> implements QueryResultsIteratorWithMetadata<T> { @Override public ChaincodeShim.QueryResponseMetadata getMetadata() { return metadata; } QueryResultsIteratorWithMetadataImpl(final ChaincodeInvocationTask handler, final String channelId, final String txId, final ByteString responseBuffer, final Function<QueryResultBytes, T> mapper); @Override ChaincodeShim.QueryResponseMetadata getMetadata(); }
@Test public void getMetadata() { final QueryResultsIteratorWithMetadataImpl<Integer> testIter = new QueryResultsIteratorWithMetadataImpl<>(null, "", "", prepareQueryResponse().toByteString(), queryResultBytesToKv); assertThat(testIter.getMetadata().getBookmark(), is("asdf")); assertThat(testIter.getMetadata().getFetchedRecordsCount(), is(2)); }
ChaincodeBase implements Chaincode { @Deprecated protected static Response newSuccessResponse(final String message, final byte[] payload) { return ResponseUtils.newSuccessResponse(message, payload); } @Override abstract Response init(ChaincodeStub stub); @Override abstract Response invoke(ChaincodeStub stub); void start(final String[] args); Properties getChaincodeConfig(); final CCState getState(); final void setState(final CCState newState); static String toJsonString(final ChaincodeMessage message); static final String CORE_CHAINCODE_LOGGING_SHIM; static final String CORE_CHAINCODE_LOGGING_LEVEL; static final String DEFAULT_HOST; static final int DEFAULT_PORT; }
@Test public void testNewSuccessResponseEmpty() { final org.hyperledger.fabric.shim.Chaincode.Response response = ResponseUtils.newSuccessResponse(); assertEquals("Response status is incorrect", response.getStatus(), org.hyperledger.fabric.shim.Chaincode.Response.Status.SUCCESS); assertNull("Response message in not null", response.getMessage()); assertNull("Response payload in not null", response.getPayload()); } @Test public void testNewSuccessResponseWithMessage() { final org.hyperledger.fabric.shim.Chaincode.Response response = ResponseUtils.newSuccessResponse("Simple message"); assertEquals("Response status is incorrect", response.getStatus(), org.hyperledger.fabric.shim.Chaincode.Response.Status.SUCCESS); assertEquals("Response message in not correct", "Simple message", response.getMessage()); assertNull("Response payload in not null", response.getPayload()); } @Test public void testNewSuccessResponseWithPayload() { final org.hyperledger.fabric.shim.Chaincode.Response response = ResponseUtils.newSuccessResponse("Simple payload".getBytes(Charset.defaultCharset())); assertEquals("Response status is incorrect", response.getStatus(), org.hyperledger.fabric.shim.Chaincode.Response.Status.SUCCESS); assertNull("Response message in not null", response.getMessage()); assertArrayEquals("Response payload in not null", response.getPayload(), "Simple payload".getBytes(Charset.defaultCharset())); } @Test public void testNewSuccessResponseWithMessageAndPayload() { final org.hyperledger.fabric.shim.Chaincode.Response response = ResponseUtils.newSuccessResponse("Simple message", "Simple payload".getBytes(Charset.defaultCharset())); assertEquals("Response status is incorrect", response.getStatus(), org.hyperledger.fabric.shim.Chaincode.Response.Status.SUCCESS); assertEquals("Response message in not correct", "Simple message", response.getMessage()); assertArrayEquals("Response payload in not null", response.getPayload(), "Simple payload".getBytes(Charset.defaultCharset())); }
Logger extends java.util.logging.Logger { protected Logger(final String name) { super(name, null); this.setParent(java.util.logging.Logger.getLogger("org.hyperledger.fabric")); } protected Logger(final String name); static Logger getLogger(final String name); void debug(final Supplier<String> msgSupplier); void debug(final String msg); static Logger getLogger(final Class<?> class1); void error(final String message); void error(final Supplier<String> msgSupplier); String formatError(final Throwable throwable); }
@Test public void logger() { Logger.getLogger(LoggerTest.class); Logger.getLogger(LoggerTest.class.getName()); }
ChaincodeBase implements Chaincode { @Deprecated protected static Response newErrorResponse(final String message, final byte[] payload) { return ResponseUtils.newErrorResponse(message, payload); } @Override abstract Response init(ChaincodeStub stub); @Override abstract Response invoke(ChaincodeStub stub); void start(final String[] args); Properties getChaincodeConfig(); final CCState getState(); final void setState(final CCState newState); static String toJsonString(final ChaincodeMessage message); static final String CORE_CHAINCODE_LOGGING_SHIM; static final String CORE_CHAINCODE_LOGGING_LEVEL; static final String DEFAULT_HOST; static final int DEFAULT_PORT; }
@Test public void testNewErrorResponseEmpty() { final org.hyperledger.fabric.shim.Chaincode.Response response = ResponseUtils.newErrorResponse(); assertEquals("Response status is incorrect", response.getStatus(), org.hyperledger.fabric.shim.Chaincode.Response.Status.INTERNAL_SERVER_ERROR); assertNull("Response message in not null", response.getMessage()); assertNull("Response payload in not null", response.getPayload()); } @Test public void testNewErrorResponseWithMessage() { final org.hyperledger.fabric.shim.Chaincode.Response response = ResponseUtils.newErrorResponse("Simple message"); assertEquals("Response status is incorrect", response.getStatus(), org.hyperledger.fabric.shim.Chaincode.Response.Status.INTERNAL_SERVER_ERROR); assertEquals("Response message in not correct", "Simple message", response.getMessage()); assertNull("Response payload in not null", response.getPayload()); } @Test public void testNewErrorResponseWithPayload() { final org.hyperledger.fabric.shim.Chaincode.Response response = ResponseUtils.newErrorResponse("Simple payload".getBytes(Charset.defaultCharset())); assertEquals("Response status is incorrect", response.getStatus(), org.hyperledger.fabric.shim.Chaincode.Response.Status.INTERNAL_SERVER_ERROR); assertNull("Response message in not null", response.getMessage()); assertArrayEquals("Response payload in not null", response.getPayload(), "Simple payload".getBytes(Charset.defaultCharset())); } @Test public void testNewErrorResponseWithMessageAndPayload() { final org.hyperledger.fabric.shim.Chaincode.Response response = ResponseUtils.newErrorResponse("Simple message", "Simple payload".getBytes(Charset.defaultCharset())); assertEquals("Response status is incorrect", response.getStatus(), org.hyperledger.fabric.shim.Chaincode.Response.Status.INTERNAL_SERVER_ERROR); assertEquals("Response message in not correct", "Simple message", response.getMessage()); assertArrayEquals("Response payload in not null", response.getPayload(), "Simple payload".getBytes(Charset.defaultCharset())); } @Test public void testNewErrorResponseWithException() { final org.hyperledger.fabric.shim.Chaincode.Response response = ResponseUtils.newErrorResponse(new Exception("Simple exception")); assertEquals("Response status is incorrect", response.getStatus(), org.hyperledger.fabric.shim.Chaincode.Response.Status.INTERNAL_SERVER_ERROR); assertEquals("Response message is not correct", "Unexpected error", response.getMessage()); assertNull("Response payload is not null", response.getPayload()); } @Test public void testNewErrorResponseWithChaincodeException() { final org.hyperledger.fabric.shim.Chaincode.Response response = ResponseUtils.newErrorResponse(new ChaincodeException("Chaincode exception")); assertEquals("Response status is incorrect", response.getStatus(), org.hyperledger.fabric.shim.Chaincode.Response.Status.INTERNAL_SERVER_ERROR); assertEquals("Response message is not correct", "Chaincode exception", response.getMessage()); assertNull("Response payload is not null", response.getPayload()); }
ChaincodeBase implements Chaincode { protected final void validateOptions() { if (this.id == null) { throw new IllegalArgumentException(format( "The chaincode id must be specified using either the -i or --i command line options or the %s environment variable.", CORE_CHAINCODE_ID_NAME)); } if (this.tlsEnabled) { if (tlsClientCertPath == null) { throw new IllegalArgumentException( format("Client key certificate chain (%s) was not specified.", ENV_TLS_CLIENT_CERT_PATH)); } if (tlsClientKeyPath == null) { throw new IllegalArgumentException( format("Client key (%s) was not specified.", ENV_TLS_CLIENT_KEY_PATH)); } if (tlsClientRootCertPath == null) { throw new IllegalArgumentException( format("Peer certificate trust store (%s) was not specified.", CORE_PEER_TLS_ROOTCERT_FILE)); } } } @Override abstract Response init(ChaincodeStub stub); @Override abstract Response invoke(ChaincodeStub stub); void start(final String[] args); Properties getChaincodeConfig(); final CCState getState(); final void setState(final CCState newState); static String toJsonString(final ChaincodeMessage message); static final String CORE_CHAINCODE_LOGGING_SHIM; static final String CORE_CHAINCODE_LOGGING_LEVEL; static final String DEFAULT_HOST; static final int DEFAULT_PORT; }
@Test public void testUnsetOptionId() { final ChaincodeBase cb = new EmptyChaincode(); thrown.expect(IllegalArgumentException.class); thrown.expectMessage(Matchers.containsString("The chaincode id must be specified")); cb.validateOptions(); }
CompositeKey { public static void validateSimpleKeys(final String... keys) { for (final String key : keys) { if (!key.isEmpty() && key.startsWith(NAMESPACE)) { throw CompositeKeyFormatException.forSimpleKey(key); } } } CompositeKey(final String objectType, final String... attributes); CompositeKey(final String objectType, final List<String> attributes); String getObjectType(); List<String> getAttributes(); @Override String toString(); static CompositeKey parseCompositeKey(final String compositeKey); static void validateSimpleKeys(final String... keys); static final String NAMESPACE; }
@Test public void testValidateSimpleKeys() { CompositeKey.validateSimpleKeys("abc", "def", "ghi"); } @Test(expected = CompositeKeyFormatException.class) public void testValidateSimpleKeysException() throws Exception { CompositeKey.validateSimpleKeys("\u0000abc"); }
ChaincodeBase implements Chaincode { @SuppressWarnings("deprecation") final ManagedChannelBuilder<?> newChannelBuilder() throws IOException { final NettyChannelBuilder builder = NettyChannelBuilder.forAddress(host, port); LOGGER.info("Configuring channel connection to peer."); if (tlsEnabled) { builder.negotiationType(NegotiationType.TLS); builder.sslContext(createSSLContext()); } else { builder.usePlaintext(); } return builder; } @Override abstract Response init(ChaincodeStub stub); @Override abstract Response invoke(ChaincodeStub stub); void start(final String[] args); Properties getChaincodeConfig(); final CCState getState(); final void setState(final CCState newState); static String toJsonString(final ChaincodeMessage message); static final String CORE_CHAINCODE_LOGGING_SHIM; static final String CORE_CHAINCODE_LOGGING_LEVEL; static final String DEFAULT_HOST; static final int DEFAULT_PORT; }
@Test @Ignore public void testNewChannelBuilder() throws Exception { final ChaincodeBase cb = new EmptyChaincode(); environmentVariables.set("CORE_CHAINCODE_ID_NAME", "mycc"); environmentVariables.set("CORE_PEER_ADDRESS", "localhost:7052"); environmentVariables.set("CORE_PEER_TLS_ENABLED", "true"); environmentVariables.set("CORE_PEER_TLS_ROOTCERT_FILE", "src/test/resources/ca.crt"); environmentVariables.set("CORE_TLS_CLIENT_KEY_PATH", "src/test/resources/client.key.enc"); environmentVariables.set("CORE_TLS_CLIENT_CERT_PATH", "src/test/resources/client.crt.enc"); cb.processEnvironmentOptions(); cb.validateOptions(); assertTrue("Not correct builder", cb.newChannelBuilder() instanceof ManagedChannelBuilder); }
ChaincodeBase implements Chaincode { protected final void initializeLogging() { System.setProperty("java.util.logging.SimpleFormatter.format", "%1$tH:%1$tM:%1$tS:%1$tL %4$-7.7s %2$-80.80s %5$s%6$s%n"); final Logger rootLogger = Logger.getLogger(""); for (final java.util.logging.Handler handler : rootLogger.getHandlers()) { handler.setLevel(ALL); handler.setFormatter(new SimpleFormatter() { @Override public synchronized String format(final LogRecord record) { return super.format(record).replaceFirst(".*SEVERE\\s*\\S*\\s*\\S*", "\u001B[1;31m$0\u001B[0m") .replaceFirst(".*WARNING\\s*\\S*\\s*\\S*", "\u001B[1;33m$0\u001B[0m") .replaceFirst(".*CONFIG\\s*\\S*\\s*\\S*", "\u001B[35m$0\u001B[0m") .replaceFirst(".*FINE\\s*\\S*\\s*\\S*", "\u001B[36m$0\u001B[0m") .replaceFirst(".*FINER\\s*\\S*\\s*\\S*", "\u001B[36m$0\u001B[0m") .replaceFirst(".*FINEST\\s*\\S*\\s*\\S*", "\u001B[36m$0\u001B[0m"); } }); } final LogManager logManager = LogManager.getLogManager(); final Formatter f = new Formatter() { private final Date dat = new Date(); private final String format = "%1$tH:%1$tM:%1$tS:%1$tL %4$-7.7s %2$-80.80s %5$s%6$s%n"; @Override public String format(final LogRecord record) { dat.setTime(record.getMillis()); String source; if (record.getSourceClassName() != null) { source = record.getSourceClassName(); if (record.getSourceMethodName() != null) { source += " " + record.getSourceMethodName(); } } else { source = record.getLoggerName(); } final String message = formatMessage(record); String throwable = ""; if (record.getThrown() != null) { final StringWriter sw = new StringWriter(); final PrintWriter pw = new PrintWriter(sw); pw.println(); record.getThrown().printStackTrace(pw); pw.close(); throwable = sw.toString(); } return String.format(format, dat, source, record.getLoggerName(), record.getLevel(), message, throwable); } }; rootLogger.info("Updated all handlers the format"); final Level chaincodeLogLevel = mapLevel(System.getenv(CORE_CHAINCODE_LOGGING_LEVEL)); final Package chaincodePackage = this.getClass().getPackage(); if (chaincodePackage != null) { Logger.getLogger(chaincodePackage.getName()).setLevel(chaincodeLogLevel); } else { Logger.getLogger("").setLevel(chaincodeLogLevel); } final Level shimLogLevel = mapLevel(System.getenv(CORE_CHAINCODE_LOGGING_SHIM)); Logger.getLogger(ChaincodeBase.class.getPackage().getName()).setLevel(shimLogLevel); Logger.getLogger(ContractRouter.class.getPackage().getName()).setLevel(chaincodeLogLevel); final List<?> loggers = Collections.list(LogManager.getLogManager().getLoggerNames()); loggers.forEach(x -> { final Logger l = LogManager.getLogManager().getLogger((String) x); }); } @Override abstract Response init(ChaincodeStub stub); @Override abstract Response invoke(ChaincodeStub stub); void start(final String[] args); Properties getChaincodeConfig(); final CCState getState(); final void setState(final CCState newState); static String toJsonString(final ChaincodeMessage message); static final String CORE_CHAINCODE_LOGGING_SHIM; static final String CORE_CHAINCODE_LOGGING_LEVEL; static final String DEFAULT_HOST; static final int DEFAULT_PORT; }
@Test public void testInitializeLogging() { final ChaincodeBase cb = new EmptyChaincode(); cb.processEnvironmentOptions(); cb.initializeLogging(); assertEquals("Wrong log level for org.hyperledger.fabric.shim ", Level.INFO, Logger.getLogger("org.hyperledger.fabric.shim").getLevel()); assertEquals("Wrong log level for " + cb.getClass().getPackage().getName(), Level.INFO, Logger.getLogger(cb.getClass().getPackage().getName()).getLevel()); setLogLevelForChaincode(environmentVariables, cb, "WRONG", "WRONG"); assertEquals("Wrong log level for org.hyperledger.fabric.shim ", Level.INFO, Logger.getLogger("org.hyperledger.fabric.shim").getLevel()); assertEquals("Wrong log level for " + cb.getClass().getPackage().getName(), Level.INFO, Logger.getLogger(cb.getClass().getPackage().getName()).getLevel()); setLogLevelForChaincode(environmentVariables, cb, "DEBUG", "NOTICE"); assertEquals("Wrong log level for org.hyperledger.fabric.shim ", Level.FINEST, Logger.getLogger("org.hyperledger.fabric.shim").getLevel()); assertEquals("Wrong log level for " + cb.getClass().getPackage().getName(), Level.CONFIG, Logger.getLogger(cb.getClass().getPackage().getName()).getLevel()); setLogLevelForChaincode(environmentVariables, cb, "INFO", "WARNING"); assertEquals("Wrong log level for org.hyperledger.fabric.shim ", Level.INFO, Logger.getLogger("org.hyperledger.fabric.shim").getLevel()); assertEquals("Wrong log level for " + cb.getClass().getPackage().getName(), Level.WARNING, Logger.getLogger(cb.getClass().getPackage().getName()).getLevel()); setLogLevelForChaincode(environmentVariables, cb, "CRITICAL", "ERROR"); assertEquals("Wrong log level for org.hyperledger.fabric.shim ", Level.SEVERE, Logger.getLogger("org.hyperledger.fabric.shim").getLevel()); assertEquals("Wrong log level for " + cb.getClass().getPackage().getName(), Level.SEVERE, Logger.getLogger(cb.getClass().getPackage().getName()).getLevel()); }
ContextFactory { public static synchronized ContextFactory getInstance() { if (cf == null) { cf = new ContextFactory(); } return cf; } static synchronized ContextFactory getInstance(); Context createContext(final ChaincodeStub stub); }
@Test public void getInstance() { final ContextFactory f1 = ContextFactory.getInstance(); final ContextFactory f2 = ContextFactory.getInstance(); assertThat(f1, sameInstance(f2)); }
ContextFactory { public Context createContext(final ChaincodeStub stub) { final Context newContext = new Context(stub); return newContext; } static synchronized ContextFactory getInstance(); Context createContext(final ChaincodeStub stub); }
@Test public void createContext() { final ChaincodeStub stub = new ChaincodeStubNaiveImpl(); final Context ctx = ContextFactory.getInstance().createContext(stub); assertThat(stub.getArgs(), is(equalTo(ctx.getStub().getArgs()))); assertThat(stub.getStringArgs(), is(equalTo(ctx.getStub().getStringArgs()))); assertThat(stub.getFunction(), is(equalTo(ctx.getStub().getFunction()))); assertThat(stub.getParameters(), is(equalTo(ctx.getStub().getParameters()))); assertThat(stub.getTxId(), is(equalTo(ctx.getStub().getTxId()))); assertThat(stub.getChannelId(), is(equalTo(ctx.getStub().getChannelId()))); assertThat(stub.invokeChaincode("cc", Collections.emptyList(), "ch0"), is(equalTo(ctx.getStub().invokeChaincode("cc", Collections.emptyList(), "ch0")))); assertThat(stub.getState("a"), is(equalTo(ctx.getStub().getState("a")))); ctx.getStub().putState("b", "sdfg".getBytes()); assertThat(stub.getStringState("b"), is(equalTo(ctx.getStub().getStringState("b")))); assertThat(ctx.clientIdentity.getMSPID(), is(equalTo("testMSPID"))); assertThat(ctx.clientIdentity.getId(), is(equalTo( "x509::CN=admin, OU=Fabric, O=Hyperledger, ST=North Carolina," + " C=US::CN=example.com, OU=WWW, O=Internet Widgets, L=San Francisco, ST=California, C=US"))); }
Context { public ChaincodeStub getStub() { return this.stub; } Context(final ChaincodeStub stub); ChaincodeStub getStub(); ClientIdentity getClientIdentity(); }
@Test public void getInstance() { final ChaincodeStub stub = new ChaincodeStubNaiveImpl(); final Context context1 = new Context(stub); final Context context2 = new Context(stub); assertThat(context1.getStub(), sameInstance(context2.getStub())); }
Context { public ClientIdentity getClientIdentity() { return this.clientIdentity; } Context(final ChaincodeStub stub); ChaincodeStub getStub(); ClientIdentity getClientIdentity(); }
@Test public void getSetClientIdentity() { final ChaincodeStub stub = new ChaincodeStubNaiveImpl(); final Context context = ContextFactory.getInstance().createContext(stub); assertThat(context.getClientIdentity(), sameInstance(context.clientIdentity)); }
ContractRouter extends ChaincodeBase { protected void findAllContracts() { registry.findAndSetContracts(this.typeRegistry); } ContractRouter(final String[] args); @Override Response invoke(final ChaincodeStub stub); @Override Response init(final ChaincodeStub stub); static void main(final String[] args); }
@Test public void testCreateAndScan() { final ContractRouter r = new ContractRouter(new String[] {"-a", "127.0.0.1:7052", "-i", "testId"}); r.findAllContracts(); final ChaincodeStub s = new ChaincodeStubNaiveImpl(); final List<String> args = new ArrayList<>(); args.add("samplecontract:t1"); args.add("asdf"); ((ChaincodeStubNaiveImpl) s).setStringArgs(args); final InvocationRequest request = ExecutionFactory.getInstance().createRequest(s); assertThat(request.getNamespace(), is(equalTo(SampleContract.class.getAnnotation(Contract.class).name()))); assertThat(request.getMethod(), is(equalTo("t1"))); assertThat(request.getRequestName(), is(equalTo("samplecontract:t1"))); assertThat(request.getArgs(), is(contains(s.getArgs().get(1)))); }
ContractRouter extends ChaincodeBase { @Override public Response init(final ChaincodeStub stub) { return processRequest(stub); } ContractRouter(final String[] args); @Override Response invoke(final ChaincodeStub stub); @Override Response init(final ChaincodeStub stub); static void main(final String[] args); }
@Test public void testInit() { final ContractRouter r = new ContractRouter(new String[] {"-a", "127.0.0.1:7052", "-i", "testId"}); r.findAllContracts(); final ChaincodeStub s = new ChaincodeStubNaiveImpl(); final List<String> args = new ArrayList<>(); args.add("samplecontract:t1"); args.add("asdf"); ((ChaincodeStubNaiveImpl) s).setStringArgs(args); SampleContract.setBeforeInvoked(0); SampleContract.setAfterInvoked(0); SampleContract.setDoWorkInvoked(0); SampleContract.setT1Invoked(0); final Chaincode.Response response = r.init(s); assertThat(response, is(notNullValue())); assertThat(response.getStatus(), is(Chaincode.Response.Status.SUCCESS)); assertThat(response.getMessage(), is(nullValue())); assertThat(response.getStringPayload(), is(equalTo("asdf"))); assertThat(SampleContract.getBeforeInvoked(), is(1)); assertThat(SampleContract.getAfterInvoked(), is(1)); assertThat(SampleContract.getDoWorkInvoked(), is(1)); assertThat(SampleContract.getT1Invoked(), is(1)); }
TypeSchema extends HashMap<String, Object> { String putIfNotNull(final String key, final String value) { return (String) this.putInternal(key, value); } TypeSchema(); String getType(); TypeSchema getItems(); String getRef(); String getFormat(); Class<?> getTypeClass(final TypeRegistry typeRegistry); static TypeSchema typeConvert(final Class<?> clz); void validate(final JSONObject obj); }
@Test public void putIfNotNull() { final TypeSchema ts = new TypeSchema(); System.out.println("Key - value"); ts.putIfNotNull("Key", "value"); System.out.println("Key - null"); final String nullstr = null; ts.putIfNotNull("Key", nullstr); assertThat(ts.get("Key"), equalTo("value")); System.out.println("Key - <empty>"); ts.putIfNotNull("Key", ""); assertThat(ts.get("Key"), equalTo("value")); }
TypeSchema extends HashMap<String, Object> { public String getType() { if (this.containsKey("schema")) { final Map<?, ?> intermediateMap = (Map<?, ?>) this.get("schema"); return (String) intermediateMap.get("type"); } return (String) this.get("type"); } TypeSchema(); String getType(); TypeSchema getItems(); String getRef(); String getFormat(); Class<?> getTypeClass(final TypeRegistry typeRegistry); static TypeSchema typeConvert(final Class<?> clz); void validate(final JSONObject obj); }
@Test public void getType() { final TypeSchema ts = new TypeSchema(); ts.put("type", "MyType"); assertThat(ts.getType(), equalTo("MyType")); final TypeSchema wrapper = new TypeSchema(); wrapper.put("schema", ts); assertThat(wrapper.getType(), equalTo("MyType")); }
TypeSchema extends HashMap<String, Object> { public String getFormat() { if (this.containsKey("schema")) { final Map<?, ?> intermediateMap = (Map<?, ?>) this.get("schema"); return (String) intermediateMap.get("format"); } return (String) this.get("format"); } TypeSchema(); String getType(); TypeSchema getItems(); String getRef(); String getFormat(); Class<?> getTypeClass(final TypeRegistry typeRegistry); static TypeSchema typeConvert(final Class<?> clz); void validate(final JSONObject obj); }
@Test public void getFormat() { final TypeSchema ts = new TypeSchema(); ts.put("format", "MyFormat"); assertThat(ts.getFormat(), equalTo("MyFormat")); final TypeSchema wrapper = new TypeSchema(); wrapper.put("schema", ts); assertThat(wrapper.getFormat(), equalTo("MyFormat")); }
TypeSchema extends HashMap<String, Object> { public String getRef() { if (this.containsKey("schema")) { final Map<?, ?> intermediateMap = (Map<?, ?>) this.get("schema"); return (String) intermediateMap.get("$ref"); } return (String) this.get("$ref"); } TypeSchema(); String getType(); TypeSchema getItems(); String getRef(); String getFormat(); Class<?> getTypeClass(final TypeRegistry typeRegistry); static TypeSchema typeConvert(final Class<?> clz); void validate(final JSONObject obj); }
@Test public void getRef() { final TypeSchema ts = new TypeSchema(); ts.put("$ref", "#/ref/to/MyType"); assertThat(ts.getRef(), equalTo("#/ref/to/MyType")); final TypeSchema wrapper = new TypeSchema(); wrapper.put("schema", ts); assertThat(wrapper.getRef(), equalTo("#/ref/to/MyType")); }
TypeSchema extends HashMap<String, Object> { public TypeSchema getItems() { if (this.containsKey("schema")) { final Map<?, ?> intermediateMap = (Map<?, ?>) this.get("schema"); return (TypeSchema) intermediateMap.get("items"); } return (TypeSchema) this.get("items"); } TypeSchema(); String getType(); TypeSchema getItems(); String getRef(); String getFormat(); Class<?> getTypeClass(final TypeRegistry typeRegistry); static TypeSchema typeConvert(final Class<?> clz); void validate(final JSONObject obj); }
@Test public void getItems() { final TypeSchema ts1 = new TypeSchema(); final TypeSchema ts = new TypeSchema(); ts.put("items", ts1); assertThat(ts.getItems(), equalTo(ts1)); final TypeSchema wrapper = new TypeSchema(); wrapper.put("schema", ts); assertThat(wrapper.getItems(), equalTo(ts1)); }
TypeSchema extends HashMap<String, Object> { public Class<?> getTypeClass(final TypeRegistry typeRegistry) { Class<?> clz = null; String type = getType(); if (type == null) { type = "object"; } if (type.contentEquals("string")) { final String format = getFormat(); if (format != null && format.contentEquals("uint16")) { clz = char.class; } else { clz = String.class; } } else if (type.contentEquals("integer")) { final String format = getFormat(); switch (format) { case "int8": clz = byte.class; break; case "int16": clz = short.class; break; case "int32": clz = int.class; break; case "int64": clz = long.class; break; default: throw new RuntimeException("Unknown format for integer of " + format); } } else if (type.contentEquals("number")) { final String format = getFormat(); switch (format) { case "double": clz = double.class; break; case "float": clz = float.class; break; default: throw new RuntimeException("Unknown format for number of " + format); } } else if (type.contentEquals("boolean")) { clz = boolean.class; } else if (type.contentEquals("object")) { final String ref = this.getRef(); final String format = ref.substring(ref.lastIndexOf("/") + 1); clz = typeRegistry.getDataType(format).getTypeClass(); } else if (type.contentEquals("array")) { final TypeSchema typdef = this.getItems(); final Class<?> arrayType = typdef.getTypeClass(typeRegistry); clz = Array.newInstance(arrayType, 0).getClass(); } return clz; } TypeSchema(); String getType(); TypeSchema getItems(); String getRef(); String getFormat(); Class<?> getTypeClass(final TypeRegistry typeRegistry); static TypeSchema typeConvert(final Class<?> clz); void validate(final JSONObject obj); }
@Test public void getTypeClass() { final TypeSchema ts = new TypeSchema(); ts.put("type", "string"); final TypeRegistry mockRegistry = new TypeRegistryImpl(); assertThat(ts.getTypeClass(mockRegistry), equalTo(String.class)); ts.put("type", "integer"); ts.put("format", "int8"); assertThat(ts.getTypeClass(mockRegistry), equalTo(byte.class)); ts.put("type", "integer"); ts.put("format", "int16"); assertThat(ts.getTypeClass(mockRegistry), equalTo(short.class)); ts.put("type", "integer"); ts.put("format", "int32"); assertThat(ts.getTypeClass(mockRegistry), equalTo(int.class)); ts.put("type", "integer"); ts.put("format", "int64"); assertThat(ts.getTypeClass(mockRegistry), equalTo(long.class)); ts.put("type", "number"); ts.put("format", "double"); assertThat(ts.getTypeClass(mockRegistry), equalTo(double.class)); ts.put("type", "number"); ts.put("format", "float"); assertThat(ts.getTypeClass(mockRegistry), equalTo(float.class)); ts.put("type", "boolean"); assertThat(ts.getTypeClass(mockRegistry), equalTo(boolean.class)); ts.put("type", null); ts.put("$ref", "#/ref/to/MyType"); mockRegistry.addDataType(MyType.class); assertThat(ts.getTypeClass(mockRegistry), equalTo(MyType.class)); final TypeSchema array = new TypeSchema(); array.put("type", "array"); array.put("items", ts); assertThat(array.getTypeClass(mockRegistry), equalTo(MyType[].class)); } @Test public void unknownConversions() { assertThrows(RuntimeException.class, () -> { final TypeSchema ts = new TypeSchema(); final TypeRegistry mockRegistry = new TypeRegistryImpl(); ts.put("type", "integer"); ts.put("format", "int63"); ts.getTypeClass(mockRegistry); }); assertThrows(RuntimeException.class, () -> { final TypeSchema ts = new TypeSchema(); final TypeRegistry mockRegistry = new TypeRegistryImpl(); ts.put("type", "number"); ts.put("format", "approximate"); ts.getTypeClass(mockRegistry); }); }
TypeSchema extends HashMap<String, Object> { public void validate(final JSONObject obj) { final JSONObject toValidate = new JSONObject(); toValidate.put("prop", obj); JSONObject schemaJSON; if (this.containsKey("schema")) { schemaJSON = new JSONObject((Map) this.get("schema")); } else { schemaJSON = new JSONObject(this); } final JSONObject rawSchema = new JSONObject(); rawSchema.put("properties", new JSONObject().put("prop", schemaJSON)); rawSchema.put("components", new JSONObject().put("schemas", MetadataBuilder.getComponents())); final Schema schema = SchemaLoader.load(rawSchema); try { schema.validate(toValidate); } catch (final ValidationException e) { final StringBuilder sb = new StringBuilder("Validation Errors::"); e.getCausingExceptions().stream().map(ValidationException::getMessage).forEach(sb::append); logger.info(sb.toString()); throw new ContractRuntimeException(sb.toString(), e); } } TypeSchema(); String getType(); TypeSchema getItems(); String getRef(); String getFormat(); Class<?> getTypeClass(final TypeRegistry typeRegistry); static TypeSchema typeConvert(final Class<?> clz); void validate(final JSONObject obj); }
@Test public void validate() { final TypeSchema ts = TypeSchema.typeConvert(org.hyperledger.fabric.contract.MyType.class); final DataTypeDefinition dtd = new DataTypeDefinitionImpl(org.hyperledger.fabric.contract.MyType.class); MetadataBuilder.addComponent(dtd); final JSONObject json = new JSONObject(); ts.validate(json); }
MetadataBuilder { public static String getMetadata() { return metadata().toString(); } private MetadataBuilder(); static void validate(); static void initialize(final RoutingRegistry registry, final TypeRegistry typeRegistry); static void addComponent(final DataTypeDefinition datatype); @SuppressWarnings("serial") static String addContract(final ContractDefinition contractDefinition); static void addTransaction(final TxFunction txFunction, final String contractName); static String getMetadata(); static String debugString(); static Map<?, ?> getComponents(); }
@Test public void systemContract() { final SystemContract system = new SystemContract(); final ChaincodeStub stub = new ChaincodeStubNaiveImpl(); system.getMetadata(new Context(stub)); }
JSONTransactionSerializer implements SerializerInterface { @Override public byte[] toBuffer(final Object value, final TypeSchema ts) { logger.debug(() -> "Schema to convert is " + ts); byte[] buffer = null; if (value != null) { final String type = ts.getType(); if (type != null) { switch (type) { case "array": final JSONArray array = normalizeArray(new JSONArray(value), ts); buffer = array.toString().getBytes(UTF_8); break; case "string": final String format = ts.getFormat(); if (format != null && format.contentEquals("uint16")) { buffer = Character.valueOf((char) value).toString().getBytes(UTF_8); } else { buffer = ((String) value).getBytes(UTF_8); } break; case "number": case "integer": case "boolean": default: buffer = (value).toString().getBytes(UTF_8); } } else { final DataTypeDefinition dtd = this.typeRegistry.getDataType(ts); final Set<String> keySet = dtd.getProperties().keySet(); final String[] propNames = keySet.toArray(new String[keySet.size()]); final JSONObject obj = new JSONObject(new JSONObject(value), propNames); buffer = obj.toString().getBytes(UTF_8); } } return buffer; } JSONTransactionSerializer(); @Override byte[] toBuffer(final Object value, final TypeSchema ts); @Override Object fromBuffer(final byte[] buffer, final TypeSchema ts); }
@Test public void toBuffer() { final TypeRegistry tr = TypeRegistry.getRegistry(); tr.addDataType(MyType.class); MetadataBuilder.addComponent(tr.getDataType("MyType")); final JSONTransactionSerializer serializer = new JSONTransactionSerializer(); byte[] bytes = serializer.toBuffer("hello world", TypeSchema.typeConvert(String.class)); assertThat(new String(bytes, StandardCharsets.UTF_8), equalTo("hello world")); bytes = serializer.toBuffer(42, TypeSchema.typeConvert(Integer.class)); assertThat(new String(bytes, StandardCharsets.UTF_8), equalTo("42")); bytes = serializer.toBuffer(true, TypeSchema.typeConvert(Boolean.class)); assertThat(new String(bytes, StandardCharsets.UTF_8), equalTo("true")); bytes = serializer.toBuffer(new MyType(), TypeSchema.typeConvert(MyType.class)); assertThat(new String(bytes, StandardCharsets.UTF_8), equalTo("{}")); bytes = serializer.toBuffer(new MyType().setValue("Hello"), TypeSchema.typeConvert(MyType.class)); assertThat(new String(bytes, StandardCharsets.UTF_8), equalTo("{\"value\":\"Hello\"}")); final MyType[] array = new MyType[2]; array[0] = new MyType().setValue("hello"); array[1] = new MyType().setValue("world"); bytes = serializer.toBuffer(array, TypeSchema.typeConvert(MyType[].class)); final byte[] buffer = "[{\"value\":\"hello\"},{\"value\":\"world\"}]".getBytes(StandardCharsets.UTF_8); System.out.println(new String(buffer, StandardCharsets.UTF_8)); System.out.println(new String(bytes, StandardCharsets.UTF_8)); assertThat(bytes, equalTo(buffer)); } @Test public void fromBufferErrors() { final TypeRegistry tr = new TypeRegistryImpl(); tr.addDataType(MyType.class); MetadataBuilder.addComponent(tr.getDataType("MyType")); final JSONTransactionSerializer serializer = new JSONTransactionSerializer(); final TypeSchema ts = TypeSchema.typeConvert(MyType[].class); serializer.toBuffer(null, ts); }
JSONTransactionSerializer implements SerializerInterface { @Override public Object fromBuffer(final byte[] buffer, final TypeSchema ts) { try { final String stringData = new String(buffer, StandardCharsets.UTF_8); Object value = null; value = convert(stringData, ts); return value; } catch (InstantiationException | IllegalAccessException e) { final ContractRuntimeException cre = new ContractRuntimeException(e); throw cre; } } JSONTransactionSerializer(); @Override byte[] toBuffer(final Object value, final TypeSchema ts); @Override Object fromBuffer(final byte[] buffer, final TypeSchema ts); }
@Test public void fromBufferObject() { final byte[] buffer = "[{\"value\":\"hello\"},{\"value\":\"world\"}]".getBytes(StandardCharsets.UTF_8); final TypeRegistry tr = TypeRegistry.getRegistry(); tr.addDataType(MyType.class); MetadataBuilder.addComponent(tr.getDataType("MyType")); final JSONTransactionSerializer serializer = new JSONTransactionSerializer(); final TypeSchema ts = TypeSchema.typeConvert(MyType[].class); final MyType[] o = (MyType[]) serializer.fromBuffer(buffer, ts); assertThat(o[0].toString(), equalTo("++++ MyType: hello")); assertThat(o[1].toString(), equalTo("++++ MyType: world")); }
CompositeKey { public String getObjectType() { return objectType; } CompositeKey(final String objectType, final String... attributes); CompositeKey(final String objectType, final List<String> attributes); String getObjectType(); List<String> getAttributes(); @Override String toString(); static CompositeKey parseCompositeKey(final String compositeKey); static void validateSimpleKeys(final String... keys); static final String NAMESPACE; }
@Test public void testGetObjectType() { final CompositeKey key = new CompositeKey("abc", Arrays.asList("def", "ghi", "jkl", "mno")); assertThat(key.getObjectType(), is(equalTo("abc"))); }
Logging { private static Level mapLevel(final String level) { if (level != null) { switch (level.toUpperCase().trim()) { case "ERROR": case "CRITICAL": return Level.SEVERE; case "WARNING": return Level.WARNING; case "INFO": return Level.INFO; case "NOTICE": return Level.CONFIG; case "DEBUG": return Level.FINEST; default: return Level.INFO; } } return Level.INFO; } private Logging(); static String formatError(final Throwable throwable); static void setLogLevel(final String newLevel); static final String PERFLOGGER; }
@Test public void testMapLevel() { assertEquals("Error maps", Level.SEVERE, proxyMapLevel("ERROR")); assertEquals("Critical maps", Level.SEVERE, proxyMapLevel("critical")); assertEquals("Warn maps", Level.WARNING, proxyMapLevel("WARNING")); assertEquals("Info maps", Level.INFO, proxyMapLevel("INFO")); assertEquals("Config maps", Level.CONFIG, proxyMapLevel(" notice")); assertEquals("Info maps", Level.INFO, proxyMapLevel(" info")); assertEquals("Debug maps", Level.FINEST, proxyMapLevel("debug ")); assertEquals("Info maps", Level.INFO, proxyMapLevel("wibble ")); assertEquals("Info maps", Level.INFO, proxyMapLevel(new Object[] {null})); }
Logging { public static String formatError(final Throwable throwable) { if (throwable == null) { return null; } final StringWriter buffer = new StringWriter(); buffer.append(throwable.getMessage()).append(System.lineSeparator()); throwable.printStackTrace(new PrintWriter(buffer)); final Throwable cause = throwable.getCause(); if (cause != null) { buffer.append(".. caused by ..").append(System.lineSeparator()); buffer.append(Logging.formatError(cause)); } return buffer.toString(); } private Logging(); static String formatError(final Throwable throwable); static void setLogLevel(final String newLevel); static final String PERFLOGGER; }
@Test public void testFormatError() { final Exception e1 = new Exception("Computer says no"); assertThat(Logging.formatError(e1), containsString("Computer says no")); final NullPointerException npe1 = new NullPointerException("Nothing here"); npe1.initCause(e1); assertThat(Logging.formatError(npe1), containsString("Computer says no")); assertThat(Logging.formatError(npe1), containsString("Nothing here")); assertThat(Logging.formatError(null), CoreMatchers.nullValue()); }
Logging { public static void setLogLevel(final String newLevel) { final Level l = mapLevel(newLevel); final LogManager logManager = LogManager.getLogManager(); final ArrayList<String> allLoggers = Collections.list(logManager.getLoggerNames()); allLoggers.add("org.hyperledger"); allLoggers.stream().filter(name -> name.startsWith("org.hyperledger")).map(name -> logManager.getLogger(name)).forEach(logger -> { if (logger != null) { logger.setLevel(l); } }); } private Logging(); static String formatError(final Throwable throwable); static void setLogLevel(final String newLevel); static final String PERFLOGGER; }
@Test public void testSetLogLevel() { final java.util.logging.Logger l = java.util.logging.Logger.getLogger("org.hyperledger.fabric.test"); final java.util.logging.Logger another = java.util.logging.Logger.getLogger("acme.wibble"); final Level anotherLevel = another.getLevel(); Logging.setLogLevel("debug"); assertThat(l.getLevel(), CoreMatchers.equalTo(Level.FINEST)); assertThat(another.getLevel(), CoreMatchers.equalTo(anotherLevel)); Logging.setLogLevel("dsomethoig"); assertThat(l.getLevel(), CoreMatchers.equalTo(Level.INFO)); assertThat(another.getLevel(), CoreMatchers.equalTo(anotherLevel)); Logging.setLogLevel("ERROR"); assertThat(l.getLevel(), CoreMatchers.equalTo(Level.SEVERE)); assertThat(another.getLevel(), CoreMatchers.equalTo(anotherLevel)); Logging.setLogLevel("INFO"); }
CompositeKey { public List<String> getAttributes() { return attributes; } CompositeKey(final String objectType, final String... attributes); CompositeKey(final String objectType, final List<String> attributes); String getObjectType(); List<String> getAttributes(); @Override String toString(); static CompositeKey parseCompositeKey(final String compositeKey); static void validateSimpleKeys(final String... keys); static final String NAMESPACE; }
@Test public void testGetAttributes() { final CompositeKey key = new CompositeKey("abc", Arrays.asList("def", "ghi", "jkl", "mno")); assertThat(key.getObjectType(), is(equalTo("abc"))); assertThat(key.getAttributes(), hasSize(4)); assertThat(key.getAttributes(), contains("def", "ghi", "jkl", "mno")); }
CompositeKey { @Override public String toString() { return compositeKey; } CompositeKey(final String objectType, final String... attributes); CompositeKey(final String objectType, final List<String> attributes); String getObjectType(); List<String> getAttributes(); @Override String toString(); static CompositeKey parseCompositeKey(final String compositeKey); static void validateSimpleKeys(final String... keys); static final String NAMESPACE; }
@Test public void testToString() { final CompositeKey key = new CompositeKey("abc", Arrays.asList("def", "ghi", "jkl", "mno")); assertThat(key.toString(), is(equalTo("\u0000abc\u0000def\u0000ghi\u0000jkl\u0000mno\u0000"))); }