idx
int64
0
41.2k
question
stringlengths
83
4.15k
target
stringlengths
5
715
38,300
private String [ ] validateNVP ( String namePart , String valuePart , String uri , JmsDestination dest ) throws JMSException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "validateNVP" , new Object [ ] { namePart , valuePart , uri , dest } ) ; if ( valuePart . indexOf ( '&' ) != - 1 ) { valuePart = valuePart . replaceAll ( "\\\\&" , "&" ) ; } valuePart = unescapeBackslash ( valuePart ) ; if ( namePart . equalsIgnoreCase ( MA88_EXPIRY ) ) { namePart = JmsInternalConstants . TIME_TO_LIVE ; } if ( namePart . equalsIgnoreCase ( MA88_PERSISTENCE ) ) { namePart = JmsInternalConstants . DELIVERY_MODE ; if ( valuePart . equals ( "1" ) ) { valuePart = ApiJmsConstants . DELIVERY_MODE_NONPERSISTENT ; } else if ( valuePart . equals ( "2" ) ) { valuePart = ApiJmsConstants . DELIVERY_MODE_PERSISTENT ; } else { valuePart = ApiJmsConstants . DELIVERY_MODE_APP ; } } String [ ] result = new String [ ] { namePart , valuePart } ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "validateNVP" , result ) ; return result ; }
This utility method performs the validation on the name and value parts of the NVP . It performs several checks to make sure that neither part contain any illegal characters unless they are escaped by a backslash .
38,301
private void configureDestinationFromMap ( JmsDestination dest , Map < String , String > props , String uri ) throws JMSException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "configureDestinationFromMap" , new Object [ ] { dest , props , uri } ) ; Iterator < Map . Entry < String , String > > iter = props . entrySet ( ) . iterator ( ) ; while ( iter . hasNext ( ) ) { Map . Entry < String , String > nextProp = iter . next ( ) ; String namePart = nextProp . getKey ( ) ; String valuePart = nextProp . getValue ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "name " + namePart + ", value " + valuePart ) ; boolean propertyIsSettable = true ; Class cl = MsgDestEncodingUtilsImpl . getPropertyType ( namePart ) ; if ( cl == null ) { propertyIsSettable = false ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Ignoring invalid property " + namePart ) ; } if ( propertyIsSettable ) { try { Object valueObject = MsgDestEncodingUtilsImpl . convertPropertyToType ( namePart , valuePart ) ; if ( namePart . equals ( TOPIC_NAME ) ) { if ( dest instanceof JmsTopicImpl ) { ( ( JmsTopicImpl ) dest ) . setTopicName ( ( String ) valueObject ) ; } else { throw ( JMSException ) JmsErrorUtils . newThrowable ( JMSException . class , "INTERNAL_ERROR_CWSIA0386" , null , tc ) ; } } else { MsgDestEncodingUtilsImpl . setDestinationProperty ( dest , namePart , valueObject ) ; } } catch ( NumberFormatException nfe ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . exception ( tc , nfe ) ; throw ( JMSException ) JmsErrorUtils . newThrowable ( JMSException . class , "INVALID_URI_ELEMENT_CWSIA0384" , new Object [ ] { namePart , valuePart , uri } , nfe , null , null , tc ) ; } catch ( JMSException jmse ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . exception ( tc , jmse ) ; throw ( JMSException ) JmsErrorUtils . newThrowable ( JMSException . class , "INVALID_URI_ELEMENT_CWSIA0384" , new Object [ ] { namePart , valuePart , uri } , tc ) ; } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "configureDestinationFromMap" ) ; }
This utililty method uses the supplied Map to configure a destination property . The map contains the name and value pairs from the URI .
38,302
public Destination createDestinationFromURI ( String uri , int qmProcessing ) throws JMSException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "createDestinationFromURI" , new Object [ ] { uri , qmProcessing } ) ; Destination result = null ; if ( uri != null ) { result = processURI ( uri , qmProcessing , null ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "createDestinationFromURI" , result ) ; return result ; }
Create a Destination object from a full URI format String .
38,303
private static boolean charIsEscaped ( String str , int index ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "charIsEscaped" , new Object [ ] { str , index } ) ; if ( str == null || index < 0 || index >= str . length ( ) ) return false ; int nEscape = 0 ; int i = index - 1 ; while ( i >= 0 && str . charAt ( i ) == '\\' ) { nEscape ++ ; i -- ; } boolean result = nEscape % 2 == 1 ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "charIsEscaped" , result ) ; return result ; }
Test if the specified character is escaped . Checks whether the character at the specified index is preceded by an escape character . The test is non - trivial because it has to check that the escape character is itself non - escaped .
38,304
public static PrivateKey readPrivateKey ( String pemResName ) throws Exception { InputStream contentIS = TokenUtils . class . getResourceAsStream ( pemResName ) ; byte [ ] tmp = new byte [ 4096 ] ; int length = contentIS . read ( tmp ) ; PrivateKey privateKey = decodePrivateKey ( new String ( tmp , 0 , length ) ) ; return privateKey ; }
Read a PEM encoded private key from the classpath
38,305
public static PublicKey readPublicKey ( String pemResName ) throws Exception { InputStream contentIS = TokenUtils . class . getResourceAsStream ( pemResName ) ; byte [ ] tmp = new byte [ 4096 ] ; int length = contentIS . read ( tmp ) ; PublicKey publicKey = decodePublicKey ( new String ( tmp , 0 , length ) ) ; return publicKey ; }
Read a PEM encoded public key from the classpath
38,306
public static KeyPair generateKeyPair ( int keySize ) throws NoSuchAlgorithmException { KeyPairGenerator keyPairGenerator = KeyPairGenerator . getInstance ( "RSA" ) ; keyPairGenerator . initialize ( keySize ) ; KeyPair keyPair = keyPairGenerator . genKeyPair ( ) ; return keyPair ; }
Generate a new RSA keypair .
38,307
public static PrivateKey decodePrivateKey ( String pemEncoded ) throws Exception { pemEncoded = removeBeginEnd ( pemEncoded ) ; byte [ ] pkcs8EncodedBytes = Base64 . getDecoder ( ) . decode ( pemEncoded ) ; PKCS8EncodedKeySpec keySpec = new PKCS8EncodedKeySpec ( pkcs8EncodedBytes ) ; KeyFactory kf = KeyFactory . getInstance ( "RSA" ) ; PrivateKey privKey = kf . generatePrivate ( keySpec ) ; return privKey ; }
Decode a PEM encoded private key string to an RSA PrivateKey
38,308
public static PublicKey decodePublicKey ( String pemEncoded ) throws Exception { pemEncoded = removeBeginEnd ( pemEncoded ) ; byte [ ] encodedBytes = Base64 . getDecoder ( ) . decode ( pemEncoded ) ; X509EncodedKeySpec spec = new X509EncodedKeySpec ( encodedBytes ) ; KeyFactory kf = KeyFactory . getInstance ( "RSA" ) ; return kf . generatePublic ( spec ) ; }
Decode a PEM encoded public key string to an RSA PublicKey
38,309
public void registerDeferredService ( BundleContext bundleContext , Class < ? > providedService , Dictionary dict ) { Object obj = serviceReg . get ( ) ; if ( obj instanceof ServiceRegistration < ? > ) { return ; } if ( obj instanceof CountDownLatch ) { try { ( ( CountDownLatch ) obj ) . await ( ) ; if ( serviceReg . get ( ) instanceof ServiceRegistration < ? > ) { return ; } } catch ( InterruptedException swallowed ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Count down interrrupted" , swallowed ) ; } } } else { CountDownLatch latch = new CountDownLatch ( 1 ) ; if ( serviceReg . compareAndSet ( null , latch ) ) { try { serviceReg . set ( bundleContext . registerService ( providedService . getName ( ) , this , dict ) ) ; return ; } finally { serviceReg . compareAndSet ( latch , null ) ; latch . countDown ( ) ; } } } registerDeferredService ( bundleContext , providedService , dict ) ; }
Register information available after class loader is created for use by RAR bundle
38,310
public void deregisterDeferredService ( ) { Object obj = serviceReg . get ( ) ; if ( obj == null ) { return ; } if ( obj instanceof CountDownLatch ) { return ; } else if ( obj instanceof ServiceRegistration < ? > ) { CountDownLatch latch = new CountDownLatch ( 1 ) ; if ( serviceReg . compareAndSet ( obj , latch ) ) { try { ( ( ServiceRegistration < ? > ) obj ) . unregister ( ) ; return ; } finally { serviceReg . compareAndSet ( latch , obj ) ; latch . countDown ( ) ; } } } }
Unregister information provided after class loader was created
38,311
public SELF withConfigOption ( String key , String value ) { if ( key == null ) { throw new java . lang . NullPointerException ( "key marked @NonNull but is null" ) ; } if ( value == null ) { throw new java . lang . NullPointerException ( "value marked @NonNull but is null" ) ; } options . put ( key , value ) ; return self ( ) ; }
Add additional configuration options that should be used for this container .
38,312
public StateStream getStateStream ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( this , tc , "getStateStream" ) ; SibTr . exit ( tc , "getStateStream" , oststream ) ; } return oststream ; }
Used for debug
38,313
public boolean writeSilence ( SIMPMessage m ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "writeSilence" , new Object [ ] { m } ) ; boolean sendMessage = true ; JsMessage jsMsg = m . getMessage ( ) ; long stamp = jsMsg . getGuaranteedValueValueTick ( ) ; long start = jsMsg . getGuaranteedValueStartTick ( ) ; long end = jsMsg . getGuaranteedValueEndTick ( ) ; if ( end < stamp ) end = stamp ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "writeSilence from: " + start + " to " + end + " on Stream " + stream ) ; } TickRange tr = new TickRange ( TickRange . Completed , start , end ) ; List sendList = null ; synchronized ( this ) { oststream . writeCompletedRange ( tr ) ; sendMessage = msgCanBeSent ( stamp , false ) ; if ( sendMessage ) { if ( stamp > lastMsgSent ) lastMsgSent = stamp ; } TickRange tr1 = null ; if ( ( tr1 = msgRemoved ( stamp , oststream , null ) ) != null ) { sendList = new ArrayList ( ) ; sendList . add ( tr1 ) ; if ( tr1 . valuestamp > lastMsgSent ) lastMsgSent = tr1 . valuestamp ; } if ( blockedStreamAlarm != null ) blockedStreamAlarm . checkState ( false ) ; } if ( sendList != null ) { sendMsgs ( sendList , false ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "writeSilence" ) ; return sendMessage ; }
This method uses a Value message to write Silence into the stream because a message has been rolled back
38,314
public boolean writeSilenceForced ( SIMPMessage m ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "writeSilenceForced" , new Object [ ] { m } ) ; boolean msgRemoved = true ; JsMessage jsMsg = m . getMessage ( ) ; long start = jsMsg . getGuaranteedValueStartTick ( ) ; long end = jsMsg . getGuaranteedValueEndTick ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "writeSilenceForced from: " + start + " to " + end + " on Stream " + stream ) ; } TickRange tr = new TickRange ( TickRange . Completed , start , end ) ; List sendList = null ; synchronized ( this ) { if ( end <= getCompletedPrefix ( ) ) { msgRemoved = false ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Message " + end + " already completed" , m ) ; } else { oststream . writeCompletedRangeForced ( tr ) ; TickRange str = null ; if ( ( str = msgRemoved ( jsMsg . getGuaranteedValueValueTick ( ) , oststream , null ) ) != null ) { sendList = new LinkedList ( ) ; sendList . add ( str ) ; if ( str . valuestamp > lastMsgSent ) lastMsgSent = str . valuestamp ; } } } if ( sendList != null ) { sendMsgs ( sendList , false ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "writeSilenceForced" , Boolean . valueOf ( msgRemoved ) ) ; return msgRemoved ; }
This method uses a Value message to write Silence into the stream because a message which was a Guess is being removed from the stream It forces the stream to be updated to Silence without checking the existing state
38,315
public void writeSilenceForced ( TickRange vtr ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "writeSilenceForced" , new Object [ ] { vtr } ) ; long start = vtr . startstamp ; long end = vtr . endstamp ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "writeSilenceForced from: " + start + " to " + end + " on Stream " + stream ) ; } TickRange tr = new TickRange ( TickRange . Completed , start , end ) ; List sendList = null ; synchronized ( this ) { oststream . writeCompletedRangeForced ( tr ) ; TickRange str = null ; if ( ( str = msgRemoved ( vtr . valuestamp , oststream , null ) ) != null ) { sendList = new LinkedList ( ) ; sendList . add ( str ) ; if ( str . valuestamp > lastMsgSent ) lastMsgSent = str . valuestamp ; } } if ( sendList != null ) { sendMsgs ( sendList , false ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "writeSilenceForced" ) ; }
This method uses a Value TickRange to write Silence into the stream because a message has expired before it was sent and so needs to be removed from the stream It forces the stream to be updated to Silence without checking the existing state
38,316
public void writeSilenceForced ( long tick ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "writeSilenceForced" , Long . valueOf ( tick ) ) ; long startTick = - 1 ; long endTick = - 1 ; long completedPrefix = - 1 ; List sendList = null ; synchronized ( this ) { oststream . setCursor ( tick ) ; TickRange tr = oststream . getNext ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "writeSilenceForced from: " + tr . startstamp + " to " + tr . endstamp + " on Stream " + stream ) ; } TickRange silenceRange = oststream . writeCompletedRangeForced ( tr ) ; if ( silenceRange != null ) { startTick = silenceRange . startstamp ; endTick = silenceRange . endstamp ; completedPrefix = getCompletedPrefix ( ) ; } TickRange str = null ; if ( ( str = msgRemoved ( tick , oststream , null ) ) != null ) { sendList = new LinkedList ( ) ; sendList . add ( str ) ; if ( str . valuestamp > lastMsgSent ) lastMsgSent = str . valuestamp ; } } if ( startTick != - 1 ) { downControl . sendSilenceMessage ( startTick , endTick , completedPrefix , false , priority , reliability , stream ) ; } if ( sendList != null ) { sendMsgs ( sendList , false ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "writeSilenceForced" ) ; }
This replaces the specified tick with Silence without checking the existing state
38,317
public List writeAckPrefix ( long stamp ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "writeAckPrefix" , Long . valueOf ( stamp ) ) ; List < TickRange > indexList = new ArrayList < TickRange > ( ) ; synchronized ( this ) { if ( stamp >= lastAckExpTick ) { getControlAdapter ( ) . getHealthState ( ) . updateHealth ( HealthStateListener . ACK_EXPECTED_STATE , HealthState . GREEN ) ; lastAckExpTick = Long . MAX_VALUE ; } if ( stamp >= lastNackReceivedTick ) { getControlAdapter ( ) . getHealthState ( ) . updateHealth ( HealthStateListener . NACK_RECEIVED_STATE , HealthState . GREEN ) ; lastNackReceivedTick = Long . MAX_VALUE ; } inboundFlow = true ; long completedPrefix = oststream . getCompletedPrefix ( ) ; if ( stamp > completedPrefix ) { oststream . setCursor ( completedPrefix + 1 ) ; TickRange tr = oststream . getNext ( ) ; TickRange tr2 = null ; while ( ( tr . startstamp <= stamp ) && ( tr != tr2 ) ) { if ( tr . type == TickRange . Value ) { indexList . add ( tr ) ; totalMessagesSent ++ ; timeLastMsgSent = System . currentTimeMillis ( ) ; } else if ( tr . type != TickRange . Completed ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "Invalid message found processing ack stamp " + stamp + ": completed prefix " + completedPrefix , tr ) ; } InvalidMessageException invalidMessageException = new InvalidMessageException ( ) ; FFDCFilter . processException ( invalidMessageException , "com.ibm.ws.sib.processor.gd.SourceStream.writeAckPrefix" , "1:981:1.138" , this , new Object [ ] { Long . valueOf ( stamp ) , Long . valueOf ( completedPrefix ) , tr } ) ; long endstamp = tr . endstamp ; if ( endstamp > stamp ) endstamp = stamp ; TickRange completedTr = new TickRange ( TickRange . Completed , tr . startstamp , endstamp ) ; oststream . writeCompletedRangeForced ( completedTr ) ; } tr2 = tr ; tr = oststream . getNext ( ) ; } if ( indexList . size ( ) > sendWindow ) { sendWindow = indexList . size ( ) ; while ( tr . type == TickRange . Completed && tr . endstamp != RangeList . INFINITY ) tr = oststream . getNext ( ) ; firstMsgOutsideWindow = tr . valuestamp ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "firstMsgOutsideWindow: " + firstMsgOutsideWindow + ", sendWindow: " + sendWindow ) ; } oststream . setCompletedPrefix ( stamp ) ; oack = oststream . getCompletedPrefix ( ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "writeAckPrefix" , Boolean . FALSE ) ; return indexList ; }
This method is called when all the messages up to the ackPrefix have been acknowledged . For pointTopoint this is called when an Ack message is recieved from the target . For pubsub this is called when all the InternalOutputStreams associated with this SourceStream have received Ack messages .
38,318
public void restoreUncommitted ( SIMPMessage m ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "restoreUncommitted" , new Object [ ] { m } ) ; TickRange tr = null ; JsMessage jsMsg = m . getMessage ( ) ; long stamp = jsMsg . getGuaranteedValueValueTick ( ) ; long starts = jsMsg . getGuaranteedValueStartTick ( ) ; long ends = jsMsg . getGuaranteedValueEndTick ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "restoreUncommitted at: " + stamp + " on Stream " + stream ) ; } synchronized ( this ) { tr = TickRange . newUncommittedTick ( stamp ) ; tr . startstamp = starts ; tr . endstamp = ends ; tr . value = m ; oststream . writeCombinedRange ( tr ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "restoreUncommitted" ) ; }
This method uses a Value message to write an Uncommitted tick into the stream . It is called at retore time .
38,319
public void restoreValue ( SIMPMessage m ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "restoreValue" , m ) ; TickRange tr = null ; long msgStoreId = AbstractItem . NO_ID ; try { if ( m . isInStore ( ) ) msgStoreId = m . getID ( ) ; } catch ( MessageStoreException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.gd.SourceStream.restoreValue" , "1:1484:1.138" , this ) ; SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "restoreValue" , e ) ; throw new SIResourceException ( e ) ; } JsMessage jsMsg = m . getMessage ( ) ; long stamp = jsMsg . getGuaranteedValueValueTick ( ) ; long starts = jsMsg . getGuaranteedValueStartTick ( ) ; long ends = jsMsg . getGuaranteedValueEndTick ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "restoreValue at: " + stamp + " with Silence from: " + starts + " to " + ends + " on Stream " + stream ) ; } synchronized ( this ) { tr = TickRange . newValueTick ( stamp , null , msgStoreId ) ; tr . startstamp = starts ; tr . endstamp = ends ; oststream . writeCombinedRange ( tr ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "restoreValue" ) ; }
This method uses a Value message to write a Value tick into the stream . It is called at retore time .
38,320
public synchronized void newGuessInStream ( long tick ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "newGuessInStream" , new Object [ ] { Long . valueOf ( tick ) , Boolean . valueOf ( containsGuesses ) , Long . valueOf ( sendWindow ) , Long . valueOf ( totalMessages ) , Long . valueOf ( firstMsgOutsideWindow ) } ) ; if ( ! containsGuesses ) { containsGuesses = true ; if ( sendWindow > totalMessages ) { sendWindow = totalMessages ; persistSendWindow ( sendWindow , null ) ; firstMsgOutsideWindow = tick ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "newGuessInStream" , new Object [ ] { Boolean . valueOf ( containsGuesses ) , Long . valueOf ( sendWindow ) , Long . valueOf ( firstMsgOutsideWindow ) } ) ; }
Also called by writeUncomitted when a guess is written into the stream
38,321
public synchronized void guessesInStream ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "guessesInStream" , Boolean . valueOf ( containsGuesses ) ) ; containsGuesses = true ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "guessesInStream" , Boolean . valueOf ( containsGuesses ) ) ; }
any messages while some are being reallocated
38,322
public synchronized void noGuessesInStream ( ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "noGuessesInStream" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "oldContainesGuesses:" + containsGuesses + "firstMsgOutsideWindow: " + firstMsgOutsideWindow + ", oldSendWindow: " + sendWindow ) ; containsGuesses = false ; if ( definedSendWindow > sendWindow ) { long oldSendWindow = sendWindow ; sendWindow = definedSendWindow ; persistSendWindow ( sendWindow , null ) ; sendMsgsInWindow ( oldSendWindow , sendWindow ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "no processing : definedSendWindow=" + definedSendWindow + ", sendWindow=" + sendWindow ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "noGuessesInStream" ) ; }
ours to send
38,323
public synchronized void initialiseSendWindow ( long sendWindow , long definedSendWindow ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "initialiseSendWindow" , new Object [ ] { Long . valueOf ( sendWindow ) , Long . valueOf ( definedSendWindow ) } ) ; if ( sendWindow == RangeList . INFINITY ) { this . definedSendWindow = definedSendWindow ; this . sendWindow = 1000 ; persistSendWindow ( this . sendWindow , null ) ; } else { this . sendWindow = sendWindow ; this . definedSendWindow = definedSendWindow ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "initialiseSendWindow" ) ; }
this value straight away and also that we don t need to persist it
38,324
public synchronized void setDefinedSendWindow ( long newSendWindow ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setDefinedSendWindow" , Long . valueOf ( newSendWindow ) ) ; definedSendWindow = newSendWindow ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setDefinedSendWindow" , Long . valueOf ( newSendWindow ) ) ; }
This is used to set the sendWindow defined in Admin panels
38,325
public synchronized void updateAndPersistSendWindow ( ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "updateAndPersistSendWindow" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "definedSendWindow is: " + definedSendWindow + " sendWindow is " + sendWindow + " containsGuesses is " + containsGuesses + " totalMessages is " + totalMessages ) ; } if ( definedSendWindow > sendWindow ) { if ( ! containsGuesses ) { long oldSendWindow = sendWindow ; sendWindow = definedSendWindow ; persistSendWindow ( sendWindow , null ) ; sendMsgsInWindow ( oldSendWindow , sendWindow ) ; } } else { if ( definedSendWindow > totalMessages ) { sendWindow = definedSendWindow ; persistSendWindow ( sendWindow , null ) ; } else if ( totalMessages < sendWindow ) { sendWindow = totalMessages ; persistSendWindow ( sendWindow , null ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "updateAndPersistSendWindow" ) ; }
ONLY called from tests
38,326
private synchronized boolean msgCanBeSent ( long stamp , boolean nackMsg ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "msgCanBeSent" , new Object [ ] { Long . valueOf ( stamp ) , Boolean . valueOf ( nackMsg ) , Long . valueOf ( firstMsgOutsideWindow ) , Boolean . valueOf ( containsGuesses ) } ) ; boolean sendMessage = true ; if ( ( stamp >= firstMsgOutsideWindow ) || ( containsGuesses && ! nackMsg ) ) { sendMessage = false ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "firstMsgOutsideWindow is: " + firstMsgOutsideWindow + " sendWindow is " + sendWindow + " containsGuesses is " + containsGuesses ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "msgCanBeSent" , Boolean . valueOf ( sendMessage ) ) ; return sendMessage ; }
Method that determines if the message can be sent .
38,327
private synchronized TickRange msgRemoved ( long tick , StateStream ststream , TransactionCommon tran ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "msgRemoved" , new Object [ ] { Long . valueOf ( tick ) , ststream , tran } ) ; TickRange tr1 = null ; boolean sendMessage = false ; long stamp = tick ; totalMessages -- ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "totalMessages: " + totalMessages + ", sendWindow: " + sendWindow + ", definedSendWindow: " + definedSendWindow + ", firstMsgOutsideSendWindow: " + firstMsgOutsideWindow ) ; if ( ( ( containsGuesses ) || ( sendWindow > definedSendWindow ) ) && ( stamp < firstMsgOutsideWindow ) ) { if ( sendWindow > 0 ) { sendWindow -- ; persistSendWindow ( sendWindow , tran ) ; } } else { if ( stamp <= firstMsgOutsideWindow ) { ststream . setCursor ( firstMsgOutsideWindow ) ; tr1 = ststream . getNext ( ) ; if ( tr1 . type == TickRange . Value ) { sendMessage = true ; } TickRange tr = null ; if ( totalMessages > sendWindow ) { tr = ststream . getNext ( ) ; while ( tr . type == TickRange . Completed && tr . endstamp != RangeList . INFINITY ) { tr = ststream . getNext ( ) ; } firstMsgOutsideWindow = tr . valuestamp ; } else { firstMsgOutsideWindow = RangeList . INFINITY ; containsGuesses = false ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "firstMsgOutsideSendWindow: " + firstMsgOutsideWindow ) ; } } if ( ! sendMessage ) tr1 = null ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "msgRemoved" , tr1 ) ; return tr1 ; }
This method is called when the totalMessages on the stream falls and we have the possibility of sending a message because it is now inside the sendWindow
38,328
public synchronized List getAllMessagesOnStream ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getAllMessagesOnStream" ) ; List < Long > msgs = new LinkedList < Long > ( ) ; oststream . setCursor ( 0 ) ; TickRange tr = oststream . getNext ( ) ; while ( tr . endstamp < RangeList . INFINITY ) { if ( tr . type == TickRange . Value ) { msgs . add ( Long . valueOf ( tr . itemStreamIndex ) ) ; } if ( tr . type == TickRange . Uncommitted ) { tr . reallocateOnCommit ( ) ; } tr = oststream . getNext ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getAllMessagesOnStream" ) ; return Collections . unmodifiableList ( msgs ) ; }
Get an unmodifiable list of all of the messages in the VALUE state on this stream
38,329
public synchronized List < TickRange > getAllMessageItemsOnStream ( boolean includeUncommitted ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getAllMessageItemsOnStream" , Boolean . valueOf ( includeUncommitted ) ) ; List < TickRange > msgs = new LinkedList < TickRange > ( ) ; oststream . setCursor ( 0 ) ; TickRange tr = oststream . getNext ( ) ; while ( tr . endstamp < RangeList . INFINITY ) { if ( tr . type == TickRange . Value ) { msgs . add ( ( TickRange ) tr . clone ( ) ) ; } else if ( tr . type == TickRange . Uncommitted && includeUncommitted ) { if ( tr . value != null ) msgs . add ( ( TickRange ) tr . clone ( ) ) ; } tr = oststream . getNext ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getAllMessageItemsOnStream" , msgs ) ; return Collections . unmodifiableList ( msgs ) ; }
Get an unmodifiable list of all of the message items in the VALUE state on this stream and optionally in the Uncommitted state
38,330
public synchronized TickRange getTickRange ( long tick ) { oststream . setCursor ( tick ) ; return ( TickRange ) oststream . getNext ( ) . clone ( ) ; }
Get a tick range given a tick value
38,331
public OpenAPI read ( Set < Class < ? > > classes ) { Set < Class < ? > > sortedClasses = new TreeSet < > ( new Comparator < Class < ? > > ( ) { public int compare ( Class < ? > class1 , Class < ? > class2 ) { if ( class1 . equals ( class2 ) ) { return 0 ; } else if ( class1 . isAssignableFrom ( class2 ) ) { return - 1 ; } else if ( class2 . isAssignableFrom ( class1 ) ) { return 1 ; } return class1 . getName ( ) . compareTo ( class2 . getName ( ) ) ; } } ) ; sortedClasses . addAll ( classes ) ; for ( Class < ? > cls : sortedClasses ) { read ( cls , this . applicationPath != null ? applicationPath : "" ) ; } return openAPI ; }
Scans a set of classes for both ReaderListeners and OpenAPI annotations . All found listeners will be instantiated before any of the classes are scanned for OpenAPI annotations - so they can be invoked accordingly .
38,332
public static MfpDiagnostics initialize ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "initialize" ) ; if ( singleton == null ) { singleton = new MfpDiagnostics ( ) ; singleton . register ( packageList ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "initialize" ) ; return singleton ; }
Initialise the diagnostic module by creating the singleton instance and registering it with the diagnostic engine in Websphere .
38,333
public void ffdcDumpDefault ( Throwable t , IncidentStream is , Object callerThis , Object [ ] objs , String sourceId ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "ffdcDumpDefault" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "FFDC for " + t ) ; if ( t != null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , " at... " + t . getStackTrace ( ) [ 0 ] ) ; } super . captureDefaultInformation ( is ) ; if ( objs != null && objs . length > 0 ) { if ( objs [ 0 ] instanceof Object [ ] ) { for ( int i = 0 ; i < objs . length ; i ++ ) { if ( objs [ i ] instanceof Object [ ] ) dumpUsefulStuff ( is , ( Object [ ] ) objs [ i ] ) ; } } else { dumpUsefulStuff ( is , objs ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "ffdcDumpDefault" ) ; }
Default ffdc dump routine - always invoked
38,334
private void dumpUsefulStuff ( IncidentStream is , Object [ ] objs ) { if ( objs != null && objs . length > 0 ) { if ( objs [ 0 ] == MfpConstants . DM_BUFFER && objs . length >= 4 ) dumpJmfBuffer ( is , ( byte [ ] ) objs [ 1 ] , ( ( Integer ) objs [ 2 ] ) . intValue ( ) , ( ( Integer ) objs [ 3 ] ) . intValue ( ) ) ; else if ( objs [ 0 ] == MfpConstants . DM_MESSAGE && objs . length >= 2 ) dumpJmfMessage ( is , ( JMFMessage ) objs [ 1 ] , objs [ 2 ] ) ; else if ( objs [ 0 ] == MfpConstants . DM_SLICES && objs . length >= 2 ) dumpJmfSlices ( is , ( List < DataSlice > ) objs [ 1 ] ) ; } }
routine to dump it .
38,335
private void dumpJmfBuffer ( IncidentStream is , byte [ ] frame , int offset , int length ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "dumpJmfBuffer" ) ; if ( frame != null ) { if ( length == 0 ) { is . writeLine ( "Request to dump offset=" + offset + " length=" + length + " implies bad data so dumping buffer from offset 0." , "" ) ; offset = 0 ; length = frame . length ; } else if ( ( offset + length ) > frame . length ) { length = frame . length - offset ; } try { String buffer = SibTr . formatBytes ( frame , offset , length , getDiagnosticDataLimitInt ( ) ) ; is . writeLine ( "JMF data buffer" , buffer ) ; } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "dumpJmfBuffer failed: " + e ) ; } } else is . writeLine ( "No JMF buffer data available" , "" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "dumpJmfBuffer" ) ; }
to contain the Jetstream headers etc .
38,336
private void dumpJmfSlices ( IncidentStream is , List < DataSlice > slices ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "dumpJmfSlices" ) ; if ( slices != null ) { try { is . writeLine ( "JMF data slices" , SibTr . formatSlices ( slices , getDiagnosticDataLimitInt ( ) ) ) ; } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "dumpJmfSlices failed: " + e ) ; } } else { is . writeLine ( "No JMF DataSlices available" , "" ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "dumpJmfSlices" ) ; }
user data - so we only dump at most the first 4K bytes of each slice .
38,337
protected void initializeNonPersistent ( MessageProcessor messageProcessor ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "initializeNonPersistent" , messageProcessor ) ; this . messageProcessor = messageProcessor ; txManager = messageProcessor . getTXManager ( ) ; destinationIndex = new DestinationIndex ( messageProcessor . getMessagingEngineBus ( ) ) ; foreignBusIndex = new ForeignBusIndex ( ) ; linkIndex = new LinkIndex ( ) ; durableSubscriptions = new HashMap ( ) ; nondurableSharedSubscriptions = new ConcurrentHashMap < String , Object > ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "initializeNonPersistent" ) ; }
Initialize non - persistent fields . These fields are common to both MS reconstitution of DestinationManagers and initial creation .
38,338
public void moveAllInDoubtToUnreconciled ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "moveAllInDoubtToUnreconciled" ) ; DestinationTypeFilter filter = new DestinationTypeFilter ( ) ; filter . LOCAL = Boolean . TRUE ; filter . INDOUBT = Boolean . TRUE ; SIMPIterator itr = destinationIndex . iterator ( filter ) ; while ( itr . hasNext ( ) ) { BaseDestinationHandler destHand = ( BaseDestinationHandler ) itr . next ( ) ; destinationIndex . putUnreconciled ( destHand ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "moveAllInDoubtToUnreconciled" ) ; }
Before reconciliation we need to move any inDoubt handlers to the Unreconciled state . If the destination gets reconciled then we have recovered . If not we might get moved back to the inDoubt state arguing that the corrupt WCCM file is stil causing problems or finally WCCM might now tell us to remove the destination
38,339
public void validateUnreconciled ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "validateUnreconciled" ) ; JsMessagingEngine engine = messageProcessor . getMessagingEngine ( ) ; DestinationTypeFilter filter = new DestinationTypeFilter ( ) ; filter . LOCAL = Boolean . TRUE ; filter . UNRECONCILED = Boolean . TRUE ; SIMPIterator itr = destinationIndex . iterator ( filter ) ; while ( itr . hasNext ( ) ) { BaseDestinationHandler bdh = ( BaseDestinationHandler ) itr . next ( ) ; try { BaseDestinationDefinition baseDestDef = engine . getSIBDestination ( engine . getBusName ( ) , bdh . getName ( ) ) ; if ( baseDestDef . getUUID ( ) . equals ( bdh . getUuid ( ) ) ) { Set < String > localitySet = engine . getSIBDestinationLocalitySet ( engine . getBusName ( ) , baseDestDef . getUUID ( ) . toString ( ) ) ; boolean qLocalisation = localitySet . contains ( engine . getUuid ( ) . toString ( ) ) ; DestinationDefinition destDef = ( DestinationDefinition ) baseDestDef ; SIBUuid12 destUUID = destDef . getUUID ( ) ; if ( qLocalisation ) { try { putDestinationIntoIndoubtState ( destUUID ) ; SibTr . error ( tc , "DESTINATION_INDOUBT_ERROR_CWSIP0062" , new Object [ ] { destDef . getName ( ) , destUUID } ) ; throw new SIErrorException ( nls . getFormattedMessage ( "DESTINATION_INDOUBT_ERROR_CWSIP0062" , new Object [ ] { destDef . getName ( ) , destUUID } , null ) ) ; } catch ( SIErrorException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.impl.DestinationManager.validateUnreconciled" , "1:582:1.508.1.7" , this ) ; SibTr . exception ( tc , e ) ; } } else { try { deleteDestinationLocalization ( bdh . getDefinition ( ) . getUUID ( ) . toString ( ) , destDef , localitySet ) ; } catch ( SIException exception ) { FFDCFilter . processException ( exception , "com.ibm.ws.sib.processor.impl.DestinationManager.validateUnreconciled" , "1:607:1.508.1.7" , this ) ; SibTr . exception ( tc , exception ) ; putDestinationIntoIndoubtState ( destUUID ) ; } } } } catch ( SIBExceptionDestinationNotFound e ) { SibTr . exception ( tc , e ) ; } catch ( SIBExceptionBase base ) { FFDCFilter . processException ( base , "com.ibm.ws.sib.processor.impl.DestinationManager.validateUnreconciled" , "1:634:1.508.1.7" , this ) ; SibTr . exception ( tc , base ) ; putDestinationIntoIndoubtState ( bdh . getUuid ( ) ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "validateUnreconciled" ) ; }
At the end of the reconciliation phase of MessageProcessor startup we need to check each unreconciled destination to see if it is safe to delete that destination whether the destination should be altered to a new locality set or whether the destination should be put into a InDoubt state .
38,340
private void startNewReconstituteThread ( Runnable runnable ) throws InterruptedException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "startNewReconstituteThread" ) ; if ( _reconstituteThreadpool == null ) { createReconstituteThreadPool ( ) ; } _reconstituteThreadpool . execute ( runnable ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "startNewReconstituteThread" ) ; }
Starts a new thread for reconstitution
38,341
private void waitUntilReconstitutionIsCompleted ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "waitUntilReconstitutionISCompleted" ) ; _reconstituteThreadpool . shutdown ( ) ; try { _reconstituteThreadpool . awaitTermination ( Long . MAX_VALUE , TimeUnit . MILLISECONDS ) ; } catch ( InterruptedException e ) { SibTr . exception ( tc , e ) ; } _reconstituteThreadpool = null ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "waitUntilReconstitutionISCompleted" ) ; }
Will wait until the reconstitution is completed This will be called for each of BaseDestinationHandler LinkHandler and MQLinkHandler The threadpool will be destroyed
38,342
public final LinkHandler getLink ( String linkName ) { LinkTypeFilter filter = new LinkTypeFilter ( ) ; return ( LinkHandler ) linkIndex . findByName ( linkName , filter ) ; }
Gets the link destination from the set of destinations
38,343
public DestinationHandler getDestination ( JsDestinationAddress destinationAddr , boolean includeInvisible ) throws SITemporaryDestinationNotFoundException , SIResourceException , SINotPossibleInCurrentConfigurationException { return getDestination ( destinationAddr . getDestinationName ( ) , destinationAddr . getBusName ( ) , includeInvisible , false ) ; }
This method provides lookup of a destination by its address . If the destination is not found it throws SIDestinationNotFoundException .
38,344
public final void removePseudoDestination ( SIBUuid12 destinationUuid ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "removePseudoDestination" , destinationUuid ) ; destinationIndex . removePseudoUuid ( destinationUuid ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removePseudoDestination" ) ; }
Remove a link for a pseudo desintation ID .
38,345
public void resetDestination ( String destName ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "resetDestination" , destName ) ; try { DestinationHandler dh = destinationIndex . findByName ( destName , messageProcessor . getMessagingEngineBus ( ) , null ) ; checkDestinationHandlerExists ( dh != null , destName , messageProcessor . getMessagingEngineBus ( ) ) ; if ( dh instanceof BaseDestinationHandler ) { BaseDestinationHandler bdh = ( BaseDestinationHandler ) dh ; LocalTransaction siTran = txManager . createLocalTransaction ( true ) ; bdh . reset ( ) ; destinationIndex . reset ( dh ) ; bdh . requestUpdate ( ( Transaction ) siTran ) ; siTran . commit ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Have reset destination " + bdh . getName ( ) ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Not a BDH, cannot reset destination " + dh . getName ( ) ) ; } } catch ( MessageStoreException e ) { SibTr . exception ( tc , e ) ; } catch ( SIException e ) { SibTr . exception ( tc , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "resetDestination" ) ; }
Reset a destination .
38,346
public void resetLink ( String linkName ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "resetLink" , linkName ) ; try { DestinationHandler link = linkIndex . findByName ( linkName , null ) ; checkDestinationHandlerExists ( link != null , linkName , messageProcessor . getMessagingEngineBus ( ) ) ; if ( link instanceof LinkHandler ) { LinkHandler linkhandler = ( LinkHandler ) link ; LocalTransaction siTran = txManager . createLocalTransaction ( true ) ; linkhandler . reset ( ) ; linkIndex . reset ( link ) ; linkhandler . requestUpdate ( ( Transaction ) siTran ) ; siTran . commit ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Have reset link " + linkhandler . getName ( ) ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Not a LinkHandler, cannot reset handler for " + link . getName ( ) ) ; } } catch ( MessageStoreException e ) { SibTr . exception ( tc , e ) ; } catch ( SIException e ) { SibTr . exception ( tc , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "resetLink" ) ; }
Reset a link .
38,347
public VirtualLinkDefinition getLinkDefinition ( String busName ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getLinkDefinition" , busName ) ; ForeignBusDefinition foreignBus = messageProcessor . getForeignBus ( busName ) ; VirtualLinkDefinition link = null ; if ( foreignBus != null && foreignBus . hasLink ( ) ) { try { link = foreignBus . getLink ( ) ; } catch ( SIBExceptionNoLinkExists e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.impl.DestinationManager.getLinkDefinition" , "1:1951:1.508.1.7" , this ) ; SibTr . exception ( tc , e ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getLinkDefinition" , link ) ; return link ; }
Returns the link definition of the link used to connect to the given busname
38,348
public String getTopicSpaceMapping ( String busName , SIBUuid12 topicSpace ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getTopicSpaceMapping" , new Object [ ] { busName , topicSpace } ) ; VirtualLinkDefinition linkDef = getLinkDefinition ( busName ) ; String topicSpaceName = getDestinationInternal ( topicSpace , true ) . getName ( ) ; String mapping = null ; if ( linkDef != null && linkDef . getTopicSpaceMappings ( ) != null ) mapping = ( String ) linkDef . getTopicSpaceMappings ( ) . get ( topicSpaceName ) ; else mapping = topicSpaceName ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getTopicSpaceMapping" , mapping ) ; return mapping ; }
Returns the topicSpaceName of the foreign topicSpace
38,349
String createNewTemporaryDestinationName ( String destinationPrefix , SIBUuid8 meUuid , Distribution distribution ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "createNewTemporaryDestinationName" , new Object [ ] { destinationPrefix , meUuid , distribution } ) ; if ( destinationPrefix != null ) { if ( destinationPrefix . length ( ) > 12 ) destinationPrefix = destinationPrefix . substring ( 0 , 12 ) ; } else destinationPrefix = "" ; long count = messageProcessor . nextTick ( ) ; StringBuffer sb = new StringBuffer ( "0000000000000000" + Long . toHexString ( count ) . toUpperCase ( ) ) ; String uniqueSuffix = sb . substring ( sb . length ( ) - 16 ) . toString ( ) ; String tempPrefix = null ; if ( distribution == Distribution . ONE ) tempPrefix = SIMPConstants . TEMPORARY_QUEUE_DESTINATION_PREFIX ; else tempPrefix = SIMPConstants . TEMPORARY_PUBSUB_DESTINATION_PREFIX ; String name = tempPrefix + destinationPrefix + SIMPConstants . SYSTEM_DESTINATION_SEPARATOR + meUuid + uniqueSuffix ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createNewTemporaryDestinationName" , name ) ; return name ; }
Creates a new name for a temporary destination . Uses the Message Store Tick count to generate the unique suffix for the temporary destination
38,350
protected void removeDestination ( DestinationHandler dh ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "removeDestination" , dh ) ; if ( dh . isLink ( ) ) { if ( linkIndex . containsKey ( dh ) ) { linkIndex . remove ( dh ) ; } } else { if ( destinationIndex . containsKey ( dh ) ) { destinationIndex . remove ( dh ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeDestination" ) ; }
Remove the given destination from the DestinationManager .
38,351
protected void createTransmissionDestination ( SIBUuid8 remoteMEUuid ) throws SIResourceException , SIMPDestinationAlreadyExistsException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "createTransmissionDestination" , remoteMEUuid ) ; String destinationName = remoteMEUuid . toString ( ) ; DestinationDefinition destinationDefinition ; destinationDefinition = messageProcessor . createDestinationDefinition ( DestinationType . QUEUE , destinationName ) ; destinationDefinition . setMaxReliability ( Reliability . ASSURED_PERSISTENT ) ; destinationDefinition . setDefaultReliability ( Reliability . ASSURED_PERSISTENT ) ; Set < String > destinationLocalizingSet = new HashSet < String > ( ) ; destinationLocalizingSet . add ( messageProcessor . getMessagingEngineUuid ( ) . toString ( ) ) ; createDestinationLocalization ( destinationDefinition , messageProcessor . createLocalizationDefinition ( destinationDefinition . getName ( ) ) , destinationLocalizingSet , false ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createTransmissionDestination" ) ; }
Method createTransmissionDestination .
38,352
public void reconcileRemote ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "reconcileRemote" ) ; DestinationTypeFilter filter = new DestinationTypeFilter ( ) ; filter . UNRECONCILED = Boolean . TRUE ; SIMPIterator itr = destinationIndex . iterator ( filter ) ; while ( itr . hasNext ( ) ) { BaseDestinationHandler dh = ( BaseDestinationHandler ) itr . next ( ) ; if ( ! dh . isToBeDeleted ( ) ) { String destName = dh . getName ( ) ; SIBUuid12 destUuid = dh . getUuid ( ) ; try { BaseDestinationDefinition dDef = messageProcessor . getMessagingEngine ( ) . getSIBDestination ( null , destName ) ; if ( ! ( dDef . getUUID ( ) . equals ( dh . getUuid ( ) ) ) ) { try { LocalTransaction siTran = txManager . createLocalTransaction ( true ) ; dh . setToBeDeleted ( true ) ; destinationIndex . delete ( dh ) ; dh . requestUpdate ( ( Transaction ) siTran ) ; siTran . commit ( ) ; SibTr . info ( tc , "REMOTE_DEST_DELETE_INFO_CWSIP0066" , new Object [ ] { dh . getName ( ) , dh . getUuid ( ) } ) ; } catch ( MessageStoreException me ) { SibTr . exception ( tc , me ) ; } catch ( SIException ce ) { SibTr . exception ( tc , ce ) ; } } else { Set < String > queuePointLocalisationSet = messageProcessor . getMessagingEngine ( ) . getSIBDestinationLocalitySet ( null , destUuid . toString ( ) ) ; dh . updateDefinition ( dDef ) ; dh . updateLocalizationSet ( queuePointLocalisationSet ) ; destinationIndex . setLocalizationFlags ( dh ) ; destinationIndex . create ( dh ) ; if ( dh . getHasReconciledStreamsToBeDeleted ( ) ) { destinationIndex . cleanup ( dh ) ; } } } catch ( SIBExceptionDestinationNotFound e ) { SibTr . exception ( tc , e ) ; try { LocalTransaction siTran = txManager . createLocalTransaction ( true ) ; dh . setToBeDeleted ( true ) ; destinationIndex . delete ( dh ) ; dh . requestUpdate ( ( Transaction ) siTran ) ; siTran . commit ( ) ; SibTr . info ( tc , "REMOTE_DEST_DELETE_INFO_CWSIP0066" , new Object [ ] { dh . getName ( ) , dh . getUuid ( ) } ) ; } catch ( MessageStoreException me ) { SibTr . exception ( tc , e ) ; } catch ( SIException ce ) { SibTr . exception ( tc , e ) ; } } catch ( SIBExceptionBase e ) { SibTr . exception ( tc , e ) ; } catch ( SIException e ) { SibTr . exception ( tc , e ) ; } } else { destinationIndex . delete ( dh ) ; } } itr . finished ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "reconcileRemote" ) ; }
This method is used to perform remote Destination reconciliation tasks
38,353
private void checkDestinationHandlerExists ( boolean condition , String destName , String engineName ) throws SINotPossibleInCurrentConfigurationException , SITemporaryDestinationNotFoundException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "checkDestinationHandlerExists" , new Object [ ] { new Boolean ( condition ) , destName , engineName } ) ; if ( ! condition ) { if ( destName . startsWith ( SIMPConstants . TEMPORARY_QUEUE_DESTINATION_PREFIX ) || destName . startsWith ( SIMPConstants . TEMPORARY_PUBSUB_DESTINATION_PREFIX ) ) { SIMPTemporaryDestinationNotFoundException e = new SIMPTemporaryDestinationNotFoundException ( nls . getFormattedMessage ( "TEMPORARY_DESTINATION_NAME_ERROR_CWSIP0097" , new Object [ ] { destName } , null ) ) ; SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "checkDestinationHandlerExists" , e ) ; throw e ; } SIMPNotPossibleInCurrentConfigurationException e = new SIMPNotPossibleInCurrentConfigurationException ( nls_cwsik . getFormattedMessage ( "DELIVERY_ERROR_SIRC_15" , new Object [ ] { destName , engineName } , null ) ) ; e . setExceptionReason ( SIRCConstants . SIRC0015_DESTINATION_NOT_FOUND_ERROR ) ; e . setExceptionInserts ( new String [ ] { destName , engineName } ) ; SibTr . exception ( tc , e ) ; SibTr . warning ( tc_cwsik , SibTr . Suppressor . ALL_FOR_A_WHILE_SIMILAR_INSERTS , "DELIVERY_ERROR_SIRC_15" , new Object [ ] { destName , engineName } ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "checkDestinationHandlerExists" , e ) ; throw e ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "checkDestinationHandlerExists" ) ; }
Asserts that a DestinationHandler exists . Throws out the appropriate exception if the condition has failed .
38,354
private void checkBusExists ( boolean condition , String foreignBusName , boolean linkError , Throwable cause ) throws SINotPossibleInCurrentConfigurationException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "checkBusExists" , new Object [ ] { new Boolean ( condition ) , foreignBusName , Boolean . valueOf ( linkError ) , cause } ) ; if ( ! condition ) { String errorMsg = "DELIVERY_ERROR_SIRC_38" ; int reason = SIRCConstants . SIRC0038_FOREIGN_BUS_NOT_FOUND_ERROR ; if ( linkError && cause != null ) { reason = SIRCConstants . SIRC0041_FOREIGN_BUS_LINK_NOT_DEFINED_ERROR ; errorMsg = "DELIVERY_ERROR_SIRC_41" ; } else if ( cause != null ) { reason = SIRCConstants . SIRC0039_FOREIGN_BUS_NOT_FOUND_ERROR ; errorMsg = "DELIVERY_ERROR_SIRC_39" ; } SIMPNotPossibleInCurrentConfigurationException e = null ; if ( cause == null ) { e = new SIMPNotPossibleInCurrentConfigurationException ( nls_cwsik . getFormattedMessage ( errorMsg , new Object [ ] { foreignBusName , messageProcessor . getMessagingEngineName ( ) , messageProcessor . getMessagingEngineBus ( ) } , null ) ) ; e . setExceptionInserts ( new String [ ] { foreignBusName , messageProcessor . getMessagingEngineName ( ) , messageProcessor . getMessagingEngineBus ( ) } ) ; e . setExceptionReason ( reason ) ; } else { e = new SIMPNotPossibleInCurrentConfigurationException ( nls_cwsik . getFormattedMessage ( errorMsg , new Object [ ] { foreignBusName , messageProcessor . getMessagingEngineName ( ) , messageProcessor . getMessagingEngineBus ( ) , SIMPUtils . getStackTrace ( cause ) } , null ) ) ; e . setExceptionInserts ( new String [ ] { foreignBusName , messageProcessor . getMessagingEngineName ( ) , messageProcessor . getMessagingEngineBus ( ) , SIMPUtils . getStackTrace ( cause ) } ) ; e . setExceptionReason ( reason ) ; } SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "checkBusExists" , e ) ; throw e ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "checkBusExists" ) ; }
Asserts that a Bus exists . Throws out the appropriate exception if the condition has failed .
38,355
private void checkMQLinkExists ( boolean condition , String mqlinkName ) throws SINotPossibleInCurrentConfigurationException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "checkMQLinkExists" , new Object [ ] { new Boolean ( condition ) , mqlinkName } ) ; if ( ! condition ) { SIMPNotPossibleInCurrentConfigurationException e = new SIMPNotPossibleInCurrentConfigurationException ( nls_cwsik . getFormattedMessage ( "DELIVERY_ERROR_SIRC_42" , new Object [ ] { mqlinkName , messageProcessor . getMessagingEngineName ( ) , messageProcessor . getMessagingEngineBus ( ) } , null ) ) ; e . setExceptionInserts ( new String [ ] { mqlinkName , messageProcessor . getMessagingEngineName ( ) , messageProcessor . getMessagingEngineBus ( ) } ) ; e . setExceptionReason ( SIRCConstants . SIRC0042_MQ_LINK_NOT_FOUND_ERROR ) ; SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "checkMQLinkExists" , e ) ; throw e ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "checkMQLinkExists" ) ; }
Asserts that an MQLink exists . Throws out the appropriate exception if the condition has failed .
38,356
private void checkQueuePointContainsLocalME ( Set < String > queuePointLocalizingMEs , SIBUuid8 messagingEngineUuid , DestinationDefinition destinationDefinition , LocalizationDefinition destinationLocalizationDefinition ) { if ( isQueue ( destinationDefinition . getDestinationType ( ) ) && ( destinationLocalizationDefinition != null ) ) { if ( ( queuePointLocalizingMEs == null ) || ( ! queuePointLocalizingMEs . contains ( messagingEngineUuid . toString ( ) ) ) ) { throw new SIErrorException ( nls . getFormattedMessage ( "INTERNAL_CONFIGURATION_ERROR_CWSIP0006" , new Object [ ] { "DestinationManager" , "1:4845:1.508.1.7" , destinationDefinition . getName ( ) } , null ) ) ; } } }
Checks that the Local ME is in the queue point localizing set
38,357
private void checkQueuePointLocalizingSize ( Set < String > queuePointLocalizingMEs , DestinationDefinition destinationDefinition ) { if ( ( ( destinationDefinition . getDestinationType ( ) != DestinationType . SERVICE ) && ( queuePointLocalizingMEs . size ( ) == 0 ) ) || ( ( destinationDefinition . getDestinationType ( ) == DestinationType . SERVICE ) && ( queuePointLocalizingMEs . size ( ) != 0 ) ) ) { throw new SIErrorException ( nls . getFormattedMessage ( "INTERNAL_CONFIGURATION_ERROR_CWSIP0006" , new Object [ ] { "DestinationManager" , "1:4867:1.508.1.7" , destinationDefinition . getName ( ) } , null ) ) ; } }
Checks that the queuePointLocalising size is valid
38,358
private void setIsAsyncDeletionThreadStartable ( boolean isStartable ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "setIsAsyncDeletionThreadStartable" , new Boolean ( isStartable ) ) ; synchronized ( deletionThreadLock ) { _isAsyncDeletionThreadStartable = isStartable ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setIsAsyncDeletionThreadStartable" ) ; }
Indicates whether the async deletion thread should be startable or not .
38,359
public JsDestinationAddress createSystemDestination ( String prefix , Reliability reliability ) throws SIResourceException , SIMPDestinationAlreadyExistsException , SIIncorrectCallException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "createSystemDestination" , new Object [ ] { prefix , reliability } ) ; if ( prefix == null || prefix . length ( ) > 24 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createSystemDestination" , "SIInvalidDestinationPrefixException" ) ; SibTr . error ( tc , "INTERNAL_MESSAGING_ERROR_CWSIP0005" , new Object [ ] { "com.ibm.ws.sib.processor.impl.DestinationManager" , "1:5324:1.508.1.7" , prefix } ) ; throw new SIInvalidDestinationPrefixException ( nls . getFormattedMessage ( "INTERNAL_MESSAGING_ERROR_CWSIP0005" , new Object [ ] { "com.ibm.ws.sib.processor.impl.DestinationManager" , "1:5329:1.508.1.7" , prefix } , null ) ) ; } JsDestinationAddress destAddr = SIMPUtils . createJsSystemDestinationAddress ( prefix , messageProcessor . getMessagingEngineUuid ( ) ) ; destAddr . setBusName ( messageProcessor . getMessagingEngineBus ( ) ) ; DestinationHandler handler = getDestinationInternal ( destAddr . getDestinationName ( ) , destAddr . getBusName ( ) , false ) ; if ( handler != null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createSystemDestination" , destAddr ) ; return destAddr ; } DestinationDefinition destDef = messageProcessor . createDestinationDefinition ( DestinationType . QUEUE , destAddr . getDestinationName ( ) ) ; destDef . setMaxReliability ( reliability ) ; destDef . setDefaultReliability ( reliability ) ; destDef . setUUID ( new SIBUuid12 ( ) ) ; Set < String > destinationLocalizingSet = new HashSet < String > ( ) ; destinationLocalizingSet . add ( messageProcessor . getMessagingEngineUuid ( ) . toString ( ) ) ; createDestinationLocalization ( destDef , messageProcessor . createLocalizationDefinition ( destDef . getName ( ) ) , destinationLocalizingSet , false ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createSystemDestination" , destAddr ) ; return destAddr ; }
Creates a System destination with the given prefix and reliability
38,360
public void addSubscriptionToDelete ( SubscriptionItemStream stream ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "addSubscriptionToDelete" , stream ) ; synchronized ( deletableSubscriptions ) { deletableSubscriptions . add ( stream ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addSubscriptionToDelete" ) ; }
Add a subscription to the list of subscriptions to be deleted .
38,361
public DestinationHandler getDestination ( SIBUuid12 destinationUuid , boolean includeInvisible ) throws SITemporaryDestinationNotFoundException , SINotPossibleInCurrentConfigurationException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getDestination" , destinationUuid ) ; DestinationHandler destinationHandler = getDestinationInternal ( destinationUuid , includeInvisible ) ; checkDestinationHandlerExists ( destinationHandler != null , destinationUuid . toString ( ) , messageProcessor . getMessagingEngineName ( ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getDestination" , destinationHandler ) ; return destinationHandler ; }
Method getDestination .
38,362
public MQLinkHandler getMQLinkLocalization ( SIBUuid8 mqLinkUuid , boolean includeInvisible ) throws SIMPMQLinkCorruptException , SINotPossibleInCurrentConfigurationException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getMQLinkLocalization" , mqLinkUuid ) ; LinkTypeFilter filter = new LinkTypeFilter ( ) ; filter . MQLINK = Boolean . TRUE ; if ( ! includeInvisible ) filter . VISIBLE = Boolean . TRUE ; MQLinkHandler mqLinkHandler = ( MQLinkHandler ) linkIndex . findByMQLinkUuid ( mqLinkUuid , filter ) ; checkMQLinkExists ( mqLinkHandler != null , mqLinkUuid . toString ( ) ) ; if ( mqLinkHandler . isCorruptOrIndoubt ( ) ) { String message = nls . getFormattedMessage ( "LINK_HANDLER_CORRUPT_ERROR_CWSIP0054" , new Object [ ] { mqLinkHandler . getName ( ) , mqLinkUuid . toString ( ) } , null ) ; SIMPMQLinkCorruptException e = new SIMPMQLinkCorruptException ( message ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getMQLinkLocalization" , e ) ; throw e ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getMQLinkLocalization" , mqLinkHandler ) ; return mqLinkHandler ; }
Lookup a destination by its uuid .
38,363
void announceMPStarted ( int startMode ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "announceMPStarted" ) ; DestinationTypeFilter destFilter = new DestinationTypeFilter ( ) ; SIMPIterator itr = destinationIndex . iterator ( destFilter ) ; while ( itr . hasNext ( ) ) { DestinationHandler dh = ( DestinationHandler ) itr . next ( ) ; dh . announceMPStarted ( ) ; } itr . finished ( ) ; LinkTypeFilter linkFilter = new LinkTypeFilter ( ) ; linkFilter . LOCAL = Boolean . TRUE ; itr = linkIndex . iterator ( linkFilter ) ; while ( itr . hasNext ( ) ) { DestinationHandler dh = ( DestinationHandler ) itr . next ( ) ; dh . announceMPStarted ( ) ; } itr . finished ( ) ; itr = foreignBusIndex . iterator ( ) ; while ( itr . hasNext ( ) ) { DestinationHandler dh = ( DestinationHandler ) itr . next ( ) ; dh . announceMPStarted ( ) ; } itr . finished ( ) ; LinkTypeFilter mqLinkFilter = new LinkTypeFilter ( ) ; mqLinkFilter . MQLINK = Boolean . TRUE ; itr = linkIndex . iterator ( mqLinkFilter ) ; while ( itr . hasNext ( ) ) { MQLinkHandler mqLinkHandler = ( MQLinkHandler ) itr . next ( ) ; try { mqLinkHandler . announceMPStarted ( startMode , messageProcessor . getMessagingEngine ( ) ) ; } catch ( SIResourceException e ) { SibTr . exception ( tc , e ) ; } catch ( SIException e ) { SibTr . exception ( tc , e ) ; } } itr . finished ( ) ; setIsAsyncDeletionThreadStartable ( true ) ; startAsynchDeletion ( ) ; startDeletePubSubMsgsThread ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "announceMPStarted" ) ; }
Find the mediated destinations and tell them that the MP is now ready for mediations to start work . In addition alert the MQLink component that MP has started and set the flag to allow asynch deletion .
38,364
public BusHandler findBus ( String busName ) throws SIResourceException , SINotPossibleInCurrentConfigurationException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "findBus" , new Object [ ] { busName } ) ; ForeignBusTypeFilter filter = new ForeignBusTypeFilter ( ) ; filter . VISIBLE = Boolean . TRUE ; BusHandler busHandler = ( BusHandler ) foreignBusIndex . findByName ( busName , filter ) ; if ( busHandler == null ) { busHandler = findBusInternal ( busName ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "findBus" , busHandler ) ; return busHandler ; }
Method findBus .
38,365
private boolean isLocalizationAvailable ( BaseDestinationHandler baseDestinationHandler , DestinationAvailability destinationAvailability ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "isLocalizationAvailable" , new Object [ ] { baseDestinationHandler , destinationAvailability } ) ; boolean available = false ; if ( baseDestinationHandler . hasLocal ( ) ) { LocalizationPoint localizationPoint = baseDestinationHandler . getQueuePoint ( messageProcessor . getMessagingEngineUuid ( ) ) ; if ( destinationAvailability == DestinationAvailability . SEND ) { available = localizationPoint . isSendAllowed ( ) ; } else { available = true ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "isLocalizationAvailable" , new Object [ ] { new Boolean ( available ) } ) ; return available ; }
This method determines whether a localization for a destination is available .
38,366
public List < JsDestinationAddress > getAllSystemDestinations ( SIBUuid8 meUuid ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getAllSystemDestinations" , meUuid ) ; DestinationTypeFilter filter = new DestinationTypeFilter ( ) ; filter . LOCAL = Boolean . FALSE ; filter . DELETE_PENDING = Boolean . FALSE ; filter . DELETE_DEFERED = Boolean . FALSE ; filter . ACTIVE = Boolean . TRUE ; List < JsDestinationAddress > destAddresses = new ArrayList < JsDestinationAddress > ( ) ; Iterator itr = getDestinationIndex ( ) . iterator ( filter ) ; while ( itr . hasNext ( ) ) { DestinationHandler destinationHandler = ( DestinationHandler ) itr . next ( ) ; String destinationHandlerName = destinationHandler . getName ( ) ; SIBUuid8 found = SIMPUtils . parseME ( destinationHandlerName ) ; if ( found == null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Couldn't parse uuid from " + destinationHandlerName ) ; } if ( found != null && found . equals ( meUuid ) ) { if ( destinationHandler . isSystem ( ) ) { destAddresses . add ( SIMPUtils . createJsDestinationAddress ( destinationHandler . getName ( ) , meUuid ) ) ; } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getAllSystemDestinations" , destAddresses ) ; return destAddresses ; }
Finds all the JsDestinationAddresses that belong to system destinations for the ME that was passed in .
38,367
protected void activateDestination ( DestinationHandler dh ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "activateDestination" , dh ) ; if ( dh . isLink ( ) ) { linkIndex . create ( dh ) ; } else { destinationIndex . create ( dh ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "activateDestination" ) ; }
Move the destination into ACTIVE state
38,368
protected void corruptDestination ( DestinationHandler dh ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "corruptDestination" , dh ) ; if ( ! dh . isLink ( ) && destinationIndex . containsDestination ( dh ) ) { destinationIndex . corrupt ( dh ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "corruptDestination" ) ; }
PK54812 Move the destination into CORRUPT state
38,369
public void stopThread ( StoppableThreadCache cache ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "stopThread" ) ; this . hasToStop = true ; cache . deregisterThread ( this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "stopThread" ) ; }
This get called from MessageProcessor on ME getting stopped .
38,370
public final void setUncheckedLocalException ( Throwable ex ) throws EJBException { ExceptionMappingStrategy exceptionStrategy = getExceptionMappingStrategy ( ) ; Throwable mappedException = exceptionStrategy . setUncheckedException ( this , ex ) ; if ( mappedException != null ) { if ( mappedException instanceof EJBException ) { throw ( EJBException ) mappedException ; } else if ( mappedException instanceof RuntimeException ) { throw ( RuntimeException ) mappedException ; } else if ( mappedException instanceof Error ) { throw ( Error ) mappedException ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "unexpected Throwable returned by exception mapping strategy" , new Object [ ] { mappedException , exceptionStrategy } ) ; } throw ExceptionUtil . EJBException ( mappedException ) ; } } }
d395666 - rewrote entire method .
38,371
protected Boolean getApplicationExceptionRollback ( Throwable t ) { Boolean rollback ; if ( ivIgnoreApplicationExceptions ) { rollback = null ; } else { ComponentMetaData cmd = getComponentMetaData ( ) ; EJBModuleMetaDataImpl mmd = ( EJBModuleMetaDataImpl ) cmd . getModuleMetaData ( ) ; rollback = mmd . getApplicationExceptionRollback ( t ) ; } return rollback ; }
d395666 - added entire method .
38,372
public Map < String , Object > getContextData ( ) { if ( ivContextData == null ) { ivContextData = new HashMap < String , Object > ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "getContextData: created empty" ) ; } return ivContextData ; }
Returns the context data associated with this method invocation .
38,373
public static void addSubStatsToParent ( SPIStats parentStats , SPIStats subStats ) { StatsImpl p = ( StatsImpl ) parentStats ; StatsImpl s = ( StatsImpl ) subStats ; p . add ( s ) ; }
This method adds one Stats object as a subStats of another Stats object
38,374
public static void addStatisticsToParent ( SPIStats parentStats , SPIStatistic statistic ) { StatsImpl p = ( StatsImpl ) parentStats ; StatisticImpl s = ( StatisticImpl ) statistic ; p . add ( s ) ; }
This method adds one Statistic object as the child of a Stats object
38,375
void addLastEntry ( Object entry ) { if ( multiple == null ) { if ( ! single . equals ( entry ) ) { multiple = new LinkedList < Object > ( ) ; multiple . addLast ( single ) ; multiple . addLast ( entry ) ; } } else { if ( ! multiple . contains ( entry ) ) { multiple . addLast ( entry ) ; } } single = entry ; }
This method is used to add an entry to the AutoBindNode Note that the node can contain multiple entries . This method is not thread safe and should be externally synchronized such that other modifications do not happen concurrently on another thread .
38,376
boolean removeEntry ( Object entry ) { if ( multiple == null ) { if ( entry . equals ( single ) ) { single = null ; return true ; } } else { multiple . remove ( entry ) ; if ( single . equals ( entry ) ) { single = multiple . peekLast ( ) ; } if ( multiple . size ( ) == 1 ) { multiple = null ; } } return false ; }
This method is used to remove an entry from the AutoBindNode . This method is not thread safe and should be externally synchronized such that other modifications do not happen concurrently on another thread .
38,377
public void alarm ( final Object context ) { long sleepInterval = 0 ; do { long startWakeUpTime = System . currentTimeMillis ( ) ; try { wakeUp ( startDaemonTime , startWakeUpTime ) ; } catch ( Exception ex ) { com . ibm . ws . ffdc . FFDCFilter . processException ( ex , "com.ibm.ws.cache.RealTimeDaemon.alarm" , "83" , this ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "exception during wakeUp" , ex ) ; } sleepInterval = timeInterval - ( System . currentTimeMillis ( ) - startWakeUpTime ) ; } while ( sleepInterval <= 0 ) ; if ( false == stopDaemon ) { Scheduler . createNonDeferrable ( sleepInterval , context , new Runnable ( ) { public void run ( ) { alarm ( context ) ; } } ) ; } }
It runs in a loop that tries to wake every timeInterval . If it gets behind due to an overload the subclass implementation of the wakeUp method is responsible for resynching itself based on the startDaemonTime and startWakeUpTime .
38,378
public static String encode ( String decoded_string , String crypto_algorithm , String crypto_key ) throws InvalidPasswordEncodingException , UnsupportedCryptoAlgorithmException { HashMap < String , String > props = new HashMap < String , String > ( ) ; if ( crypto_key != null ) { props . put ( PROPERTY_CRYPTO_KEY , crypto_key ) ; } return encode ( decoded_string , crypto_algorithm , props ) ; }
Encode the provided string with the specified algorithm and the crypto key If the decoded_string is already encoded the string will be decoded and then encoded by using the specified crypto algorithm . Use this method for encoding the string by using the AES encryption with the specific crypto key . Note that this method is only avaiable for the Liberty profile .
38,379
public static String encode ( String decoded_string , String crypto_algorithm , Map < String , String > properties ) throws InvalidPasswordEncodingException , UnsupportedCryptoAlgorithmException { if ( ! isValidCryptoAlgorithm ( crypto_algorithm ) ) { throw new UnsupportedCryptoAlgorithmException ( ) ; } if ( decoded_string == null ) { throw new InvalidPasswordEncodingException ( ) ; } String current_crypto_algorithm = getCryptoAlgorithm ( decoded_string ) ; if ( ( current_crypto_algorithm != null && current_crypto_algorithm . startsWith ( crypto_algorithm ) ) || isHashed ( decoded_string ) ) { throw new InvalidPasswordEncodingException ( ) ; } else if ( current_crypto_algorithm != null ) { decoded_string = passwordDecode ( decoded_string ) ; } if ( properties == null || ! properties . containsKey ( PROPERTY_NO_TRIM ) || ! "true" . equalsIgnoreCase ( properties . get ( PROPERTY_NO_TRIM ) ) ) { decoded_string = decoded_string . trim ( ) ; } String encoded_string = encode_password ( decoded_string , crypto_algorithm . trim ( ) , properties ) ; if ( encoded_string == null ) { throw new InvalidPasswordEncodingException ( ) ; } return encoded_string ; }
Encode the provided string with the specified algorithm and the properties If the decoded_string is already encoded the string will be decoded and then encoded by using the specified crypto algorithm . Note that this method is only avaiable for the Liberty profile .
38,380
public static boolean isHashed ( String encoded_string ) { String algorithm = getCryptoAlgorithm ( encoded_string ) ; return isValidAlgorithm ( algorithm , PasswordCipherUtil . getSupportedHashAlgorithms ( ) ) ; }
Determine if the provided string is hashed by examining the algorithm tag . Note that this method is only avaiable for the Liberty profile .
38,381
public static String passwordEncode ( String decoded_string , String crypto_algorithm ) { if ( decoded_string == null ) { return null ; } String current_crypto_algorithm = getCryptoAlgorithm ( decoded_string ) ; if ( current_crypto_algorithm != null && current_crypto_algorithm . equals ( crypto_algorithm ) ) { if ( isValidCryptoAlgorithm ( current_crypto_algorithm ) ) return decoded_string . trim ( ) ; return null ; } else if ( current_crypto_algorithm != null ) { decoded_string = passwordDecode ( decoded_string ) ; } return encode_password ( decoded_string . trim ( ) , crypto_algorithm . trim ( ) , null ) ; }
Encode the provided password with the algorithm . If another algorithm is already applied it will be removed and replaced with the new algorithm .
38,382
public static String removeCryptoAlgorithmTag ( String password ) { if ( null == password ) { return null ; } String rc = null ; String data = password . trim ( ) ; if ( data . length ( ) >= 2 ) { if ( '{' == data . charAt ( 0 ) ) { int end = data . indexOf ( '}' , 1 ) ; if ( end > 0 ) { end ++ ; if ( end == data . length ( ) ) { rc = EMPTY_STRING ; } else { rc = data . substring ( end ) . trim ( ) ; } } } } return rc ; }
Remove the algorithm tag from the input encoded password .
38,383
private static byte [ ] convert_viewable_to_bytes ( String string ) { if ( null == string ) { return null ; } if ( 0 == string . length ( ) ) { return EMPTY_BYTE_ARRAY ; } return Base64Coder . base64Decode ( convert_to_bytes ( string ) ) ; }
Convert the string to bytes using UTF - 8 encoding and then run it through the base64 decoding .
38,384
private static String convert_viewable_to_string ( byte [ ] bytes ) { String string = null ; if ( bytes != null ) { if ( bytes . length == 0 ) { string = EMPTY_STRING ; } else { string = convert_to_string ( Base64Coder . base64Encode ( bytes ) ) ; } } return string ; }
Use base64 encoding on the bytes and then convert them to a string using UTF - 8 encoding .
38,385
private static String decode_password ( String encoded_string , String crypto_algorithm ) { StringBuilder buffer = new StringBuilder ( ) ; if ( crypto_algorithm . length ( ) == 0 ) { buffer . append ( encoded_string ) ; } else { String decoded_string = null ; if ( encoded_string . length ( ) > 0 ) { byte [ ] encrypted_bytes = convert_viewable_to_bytes ( encoded_string ) ; logger . logp ( Level . FINEST , PasswordUtil . class . getName ( ) , "decode_password" , "byte array before decoding\n" + PasswordHashGenerator . hexDump ( encrypted_bytes ) ) ; if ( encrypted_bytes == null ) { logger . logp ( Level . SEVERE , PasswordUtil . class . getName ( ) , "decode_password" , "PASSWORDUTIL_INVALID_BASE64_STRING" ) ; return null ; } if ( encrypted_bytes . length > 0 ) { byte [ ] decrypted_bytes = null ; try { decrypted_bytes = PasswordCipherUtil . decipher ( encrypted_bytes , crypto_algorithm ) ; } catch ( InvalidPasswordCipherException e ) { logger . logp ( Level . SEVERE , PasswordUtil . class . getName ( ) , "decode_password" , "PASSWORDUTIL_CYPHER_EXCEPTION" , e ) ; return null ; } catch ( UnsupportedCryptoAlgorithmException e ) { logger . logp ( Level . SEVERE , PasswordUtil . class . getName ( ) , "decode_password" , "PASSWORDUTIL_UNKNOWN_ALGORITHM_EXCEPTION" , e ) ; return null ; } if ( ( decrypted_bytes != null ) && ( decrypted_bytes . length > 0 ) ) { decoded_string = convert_to_string ( decrypted_bytes ) ; } } } if ( ( decoded_string != null ) && ( decoded_string . length ( ) > 0 ) ) { buffer . append ( decoded_string ) ; } } return buffer . toString ( ) ; }
Decode the provided string with the specified algorithm .
38,386
public static String encode_password ( String decoded_string , String crypto_algorithm , Map < String , String > properties ) { StringBuilder buffer = new StringBuilder ( ) ; buffer . append ( CRYPTO_ALGORITHM_STARTED ) ; if ( crypto_algorithm . length ( ) == 0 ) { buffer . append ( CRYPTO_ALGORITHM_STOPPED ) . append ( decoded_string ) ; } else { String encoded_string = null ; EncryptedInfo info = null ; if ( decoded_string . length ( ) > 0 ) { byte [ ] decrypted_bytes = convert_to_bytes ( decoded_string ) ; if ( decrypted_bytes . length > 0 ) { byte [ ] encrypted_bytes = null ; boolean done = false ; while ( ! done ) { try { info = PasswordCipherUtil . encipher_internal ( decrypted_bytes , crypto_algorithm , properties ) ; if ( info != null ) { encrypted_bytes = info . getEncryptedBytes ( ) ; } done = true ; } catch ( InvalidPasswordCipherException e ) { logger . logp ( Level . SEVERE , PasswordUtil . class . getName ( ) , "encode_password" , "PASSWORDUTIL_CYPHER_EXCEPTION" , e ) ; return null ; } catch ( UnsupportedCryptoAlgorithmException e ) { logger . logp ( Level . SEVERE , PasswordUtil . class . getName ( ) , "encode_password" , "PASSWORDUTIL_UNKNOWN_ALGORITHM_EXCEPTION" , e ) ; return null ; } } if ( ( encrypted_bytes != null ) && ( encrypted_bytes . length > 0 ) ) { encoded_string = convert_viewable_to_string ( encrypted_bytes ) ; if ( encoded_string == null ) { return null ; } } } } buffer . append ( crypto_algorithm ) ; String alias = ( null == info ) ? null : info . getKeyAlias ( ) ; if ( alias != null && 0 < alias . length ( ) ) { buffer . append ( ':' ) . append ( alias ) ; } buffer . append ( CRYPTO_ALGORITHM_STOPPED ) ; if ( ( encoded_string != null ) && ( encoded_string . length ( ) > 0 ) ) { buffer . append ( encoded_string ) ; } } return buffer . toString ( ) ; }
Encode the provided string by using the specified encoding algorithm and properties
38,387
protected Asset getAsset ( final String assetId , final boolean includeAttachments ) throws FileNotFoundException , IOException , BadVersionException { Asset ass = readJson ( assetId ) ; ass . set_id ( assetId ) ; WlpInformation wlpInfo = ass . getWlpInformation ( ) ; if ( wlpInfo == null ) { wlpInfo = new WlpInformation ( ) ; ass . setWlpInformation ( wlpInfo ) ; } if ( wlpInfo . getAppliesToFilterInfo ( ) == null ) { wlpInfo . setAppliesToFilterInfo ( Collections . < AppliesToFilterInfo > emptyList ( ) ) ; } if ( includeAttachments ) { if ( exists ( assetId ) ) { Attachment at = new Attachment ( ) ; at . set_id ( assetId ) ; at . setLinkType ( AttachmentLinkType . DIRECT ) ; at . setType ( AttachmentType . CONTENT ) ; at . setName ( getName ( assetId ) ) ; at . setSize ( getSize ( assetId ) ) ; at . setUrl ( at . get_id ( ) ) ; ass . addAttachement ( at ) ; if ( assetId . toLowerCase ( ) . endsWith ( ".jar" ) || assetId . toLowerCase ( ) . endsWith ( ".esa" ) ) { if ( hasLicenses ( assetId ) ) { Map < String , Long > licensesMap = getLicenses ( assetId ) ; for ( Map . Entry < String , Long > e : licensesMap . entrySet ( ) ) { String lic = e . getKey ( ) ; String name = getName ( lic ) ; String licId = assetId . concat ( String . format ( "#licenses" + File . separator + "%s" , name ) ) ; Attachment licAt = new Attachment ( ) ; licAt . set_id ( licId ) ; licAt . setLinkType ( AttachmentLinkType . DIRECT ) ; licAt . setName ( name ) ; licAt . setSize ( e . getValue ( ) ) ; String locString = name . substring ( 3 ) ; if ( name . startsWith ( "LI" ) ) { licAt . setType ( AttachmentType . LICENSE_INFORMATION ) ; } else if ( name . startsWith ( "LA" ) ) { licAt . setType ( AttachmentType . LICENSE_AGREEMENT ) ; } else if ( name . endsWith ( ".html" ) ) { licAt . setType ( AttachmentType . LICENSE ) ; locString = name . substring ( 0 , name . lastIndexOf ( "." ) ) ; } if ( licAt . getType ( ) != null ) { Locale locale = RepositoryCommonUtils . localeForString ( locString ) ; licAt . setLocale ( locale ) ; ass . addAttachement ( licAt ) ; licAt . setUrl ( licAt . get_id ( ) ) ; } } } } } } return ass ; }
Gets the specified asset
38,388
protected String getName ( final String relative ) { return relative . substring ( relative . lastIndexOf ( File . separator ) + 1 ) ; }
Gets the name from the relative path of the asset
38,389
protected InputStream getInputStreamToLicenseInsideZip ( final ZipInputStream zis , final String assetId , final String attachmentId ) throws IOException { InputStream is = null ; try { ZipEntry ze = zis . getNextEntry ( ) ; while ( ze != null ) { if ( ze . isDirectory ( ) ) { } else { String name = getName ( ze . getName ( ) . replace ( "/" , File . separator ) ) ; String licId = assetId . concat ( String . format ( "#licenses" + File . separator + "%s" , name ) ) ; if ( licId . equals ( attachmentId ) ) { ByteArrayOutputStream baos = new ByteArrayOutputStream ( ) ; byte [ ] buffer = new byte [ 1024 ] ; int read ; int total = 0 ; while ( ( read = zis . read ( buffer ) ) != - 1 ) { baos . write ( buffer , 0 , read ) ; total += read ; } if ( ze . getSize ( ) != - 1 && total != ze . getSize ( ) ) { throw new IOException ( "The size of the retrieved license was wrong. Expected : " + ze . getSize ( ) + " bytes, but actually was " + total + " bytes." ) ; } byte [ ] content = baos . toByteArray ( ) ; is = new ByteArrayInputStream ( content ) ; } } ze = zis . getNextEntry ( ) ; } } finally { zis . closeEntry ( ) ; zis . close ( ) ; } return is ; }
Given a ZipInputStream to an asset within the repo get an input stream to the license attachment within the asset .
38,390
void reset ( Object key ) { _nodeKey [ 0 ] = key ; _nodeKey [ midPoint ( ) ] = key ; _population = 1 ; _rightChild = null ; _leftChild = null ; _balance = 0 ; }
Return the node to its post - construction state .
38,391
boolean hasChild ( ) { boolean has = false ; if ( ( leftChild ( ) != null ) || ( rightChild ( ) != null ) ) has = true ; return has ; }
Return true if the node has either a right child or a left child .
38,392
public short balance ( ) { if ( ( _balance == - 1 ) || ( _balance == 0 ) || ( _balance == 1 ) ) return _balance ; else { String x = "Found invalid balance factor: " + _balance ; throw new RuntimeException ( x ) ; } }
Return the balance factor for the node .
38,393
void setBalance ( int b ) { if ( ( b == - 1 ) || ( b == 0 ) || ( b == 1 ) ) _balance = ( short ) b ; else { String x = "Attempt to set invalid balance factor: " + b ; throw new IllegalArgumentException ( x ) ; } }
Set the node s balance factor to a new value .
38,394
public boolean isLeafNode ( ) { boolean leaf = false ; if ( ( _leftChild == null ) && ( _rightChild == null ) ) leaf = true ; return leaf ; }
Return true if the node is a leaf node .
38,395
void findInsertPointInLeft ( Object new1 , NodeInsertPoint point ) { int endp = endPoint ( ) ; findIndex ( 0 , endp , new1 , point ) ; }
Find the insert point in the left half of the node for a new key .
38,396
public int searchLeft ( SearchComparator comp , Object searchKey ) { int idx = - 1 ; int top = middleIndex ( ) ; if ( comp . type ( ) == SearchComparator . EQ ) idx = findEqual ( comp , 0 , top , searchKey ) ; else idx = findGreater ( comp , 0 , top , searchKey ) ; return idx ; }
Search the left half of the node .
38,397
public int searchRight ( SearchComparator comp , Object searchKey ) { int idx = - 1 ; int bot = middleIndex ( ) ; int right = rightMostIndex ( ) ; if ( bot > right ) { String x = "bot = " + bot + ", right = " + right ; throw new OptimisticDepthException ( x ) ; } if ( comp . type ( ) == SearchComparator . EQ ) idx = findEqual ( comp , bot , right , searchKey ) ; else idx = findGreater ( comp , bot , right , searchKey ) ; return idx ; }
Search the right half of the node .
38,398
int searchAll ( SearchComparator comp , Object searchKey ) { int idx = - 1 ; if ( comp . type ( ) == SearchComparator . EQ ) idx = findEqual ( comp , 0 , rightMostIndex ( ) , searchKey ) ; else idx = findGreater ( comp , 0 , rightMostIndex ( ) , searchKey ) ; return idx ; }
Search the whole node .
38,399
private int findEqual ( SearchComparator comp , int lower , int upper , Object searchKey ) { int nkeys = numKeys ( lower , upper ) ; int idx = - 1 ; if ( nkeys < 4 ) idx = sequentialSearchEqual ( comp , lower , upper , searchKey ) ; else idx = binarySearchEqual ( comp , lower , upper , searchKey ) ; return idx ; }
Find an index entry that is equal to the supplied key .