idx
int64 0
165k
| question
stringlengths 73
5.81k
| target
stringlengths 5
918
|
---|---|---|
162,700 | public static void log ( Logger logger , Level level , String message , Throwable throwable , Object parameter ) { if ( logger . isLoggable ( level ) ) { final String formattedMessage = MessageFormat . format ( localize ( logger , message ) , parameter ) ; doLog ( logger , level , formattedMessage , throwable ) ; } } | Allows both parameter substitution and a typed Throwable to be logged . |
162,701 | private static String localize ( Logger logger , String message ) { ResourceBundle bundle = logger . getResourceBundle ( ) ; try { return bundle != null ? bundle . getString ( message ) : message ; } catch ( MissingResourceException ex ) { return message ; } } | Retrieve localized message retrieved from a logger s resource bundle . |
162,702 | public synchronized int add ( Object value ) throws IdTableFullException { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "add" , value ) ; if ( value == null ) throw new SIErrorException ( nls . getFormattedMessage ( "IDTABLE_INTERNAL_SICJ0050" , null , "IDTABLE_INTERNAL_SICJ0050" ) ) ; int id = 0 ; if ( highWaterMark < table . length ) { id = highWaterMark ; if ( table [ id ] != null ) throw new SIErrorException ( nls . getFormattedMessage ( "IDTABLE_INTERNAL_SICJ0050" , null , "IDTABLE_INTERNAL_SICJ0050" ) ) ; table [ id ] = value ; if ( lowestPossibleFree == highWaterMark ) ++ lowestPossibleFree ; ++ highWaterMark ; } else if ( table . length < maxSize ) { growTable ( ) ; id = highWaterMark ; if ( table [ id ] != null ) throw new SIErrorException ( nls . getFormattedMessage ( "IDTABLE_INTERNAL_SICJ0050" , null , "IDTABLE_INTERNAL_SICJ0050" ) ) ; table [ id ] = value ; if ( lowestPossibleFree == highWaterMark ) ++ lowestPossibleFree ; ++ highWaterMark ; } else { id = findFreeSlot ( ) ; if ( id == 0 ) throw new IdTableFullException ( ) ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "add" , "" + id ) ; return id ; } | Adds an object to the table and returns the ID associated with the object in the table . The object will never be assigned an ID which clashes with another object . |
162,703 | public synchronized Object remove ( int id ) throws IllegalArgumentException { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "remove" , "" + id ) ; Object returnValue = get ( id ) ; if ( returnValue != null ) table [ id ] = null ; if ( id < lowestPossibleFree ) lowestPossibleFree = id ; if ( ( id + 1 ) == highWaterMark ) { int index = id ; while ( index >= lowestPossibleFree ) { if ( table [ index ] == null ) highWaterMark = index ; -- index ; } } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "remove" , returnValue ) ; return returnValue ; } | Removes an object from the table . |
162,704 | public synchronized Object get ( int id ) throws IllegalArgumentException { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "get" , "" + id ) ; if ( ( id < 1 ) || ( id > maxSize ) ) throw new SIErrorException ( nls . getFormattedMessage ( "IDTABLE_INTERNAL_SICJ0050" , null , "IDTABLE_INTERNAL_SICJ0050" ) ) ; Object returnValue = null ; if ( id < table . length ) returnValue = table [ id ] ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "get" , "" + returnValue ) ; return returnValue ; } | Gets an object from the table by ID . Returns the object associated with the specified ID . It is valid to specify an ID which does not have an object associated with it . In this case a value of null is returned . |
162,705 | private void growTable ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "growTable" ) ; int newSize = Math . min ( table . length + TABLE_GROWTH_INCREMENT , maxSize ) ; if ( tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "existing size=" + table . length + " new size=" + newSize ) ; Object [ ] newTable = new Object [ newSize + 1 ] ; System . arraycopy ( table , 0 , newTable , 0 , table . length ) ; table = newTable ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "growTable" ) ; } | Helper method which increases the size of the table by a factor of TABLE_GROWTH_INCREMENT until the maximum size for the table is achieved . |
162,706 | private int findFreeSlot ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "findFreeSlot" ) ; boolean foundFreeSlot = false ; int index = lowestPossibleFree ; int largestIndex = Math . min ( highWaterMark , table . length - 1 ) ; while ( ( ! foundFreeSlot ) && ( index <= largestIndex ) ) { foundFreeSlot = ( table [ index ] == null ) ; ++ index ; } int freeSlot = 0 ; if ( foundFreeSlot ) { freeSlot = index - 1 ; if ( ( index * 2 ) > largestIndex ) { boolean quit = false ; int lowest = index ; index = largestIndex ; while ( ! quit && ( index >= lowest ) ) { if ( table [ index ] == null ) highWaterMark = index ; else quit = true ; -- index ; } } } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "findFreeSlot" , "" + freeSlot ) ; return freeSlot ; } | Helper method which attempts to locate a free slot in the table . The algorithm used is to scan from the lowest possible free value looking for an entry with a null value . If more than half the table is scanned before a free slot is found then the code also attempts to move the high watermark back towards the beginning of the table by scanning backwards looking for the last empty slot . |
162,707 | public void init ( HttpInboundConnection conn , SessionManager sessMgr ) { this . connection = conn ; this . request = conn . getRequest ( ) ; this . sessionData = new SessionInfo ( this , sessMgr ) ; } | Initialize this request with the input link . |
162,708 | public void clear ( ) { this . attributes . clear ( ) ; this . queryParameters = null ; this . inReader = null ; this . streamActive = false ; this . inStream = null ; this . encoding = null ; this . sessionData = null ; this . strippedURI = null ; this . srvContext = null ; this . srvPath = null ; this . pathInfo = null ; this . pathInfoComputed = false ; this . filters = null ; } | Clear all the temporary variables of this request . |
162,709 | private void parseQueryFormData ( ) throws IOException { int size = getContentLength ( ) ; if ( 0 == size ) { this . queryParameters = new HashMap < String , String [ ] > ( ) ; return ; } else if ( - 1 == size ) { size = 1024 ; } StringBuilder sb = new StringBuilder ( size ) ; char [ ] data = new char [ size ] ; BufferedReader reader = getReader ( ) ; int len = reader . read ( data ) ; while ( - 1 != len ) { sb . append ( data , 0 , len ) ; len = reader . read ( data ) ; } this . queryParameters = parseQueryString ( sb . toString ( ) ) ; } | Read and parse the POST body data that represents query data . |
162,710 | private Map < String , String [ ] > parseQueryString ( String data ) { Map < String , String [ ] > map = new Hashtable < String , String [ ] > ( ) ; if ( null == data ) { return map ; } String valArray [ ] = null ; char [ ] chars = data . toCharArray ( ) ; int key_start = 0 ; for ( int i = 0 ; i < chars . length ; i ++ ) { if ( '=' == chars [ i ] ) { if ( i == key_start ) { throw new IllegalArgumentException ( "Missing key name: " + i ) ; } String key = parseName ( chars , key_start , i ) ; int value_start = ++ i ; for ( ; i < chars . length && '&' != chars [ i ] ; i ++ ) { } if ( i > value_start ) { String value = parseName ( chars , value_start , i ) ; if ( map . containsKey ( key ) ) { String oldVals [ ] = map . get ( key ) ; valArray = new String [ oldVals . length + 1 ] ; System . arraycopy ( oldVals , 0 , valArray , 0 , oldVals . length ) ; valArray [ oldVals . length ] = value ; } else { valArray = new String [ ] { value } ; } map . put ( key , valArray ) ; } key_start = i + 1 ; } } return map ; } | Parse a string of query parameters into a Map representing the values stored using the name as the key . |
162,711 | private void mergeQueryParams ( Map < String , String [ ] > urlParams ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "mergeQueryParams: " + urlParams ) ; } for ( Entry < String , String [ ] > entry : urlParams . entrySet ( ) ) { String key = entry . getKey ( ) ; String [ ] post = this . queryParameters . get ( key ) ; String [ ] url = entry . getValue ( ) ; if ( null != post ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "map already contains key " + key ) ; } String [ ] newVals = new String [ post . length + url . length ] ; System . arraycopy ( url , 0 , newVals , 0 , url . length ) ; System . arraycopy ( post , 0 , newVals , url . length , post . length ) ; this . queryParameters . put ( key , newVals ) ; } else { this . queryParameters . put ( key , url ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "put key " + key + " into map." ) ; } } } | In certain cases the URL will contain query string information and the POST body will as well . This method merges the two maps together . |
162,712 | private String getCipherSuite ( ) { String suite = null ; SSLContext ssl = this . connection . getSSLContext ( ) ; if ( null != ssl ) { suite = ssl . getSession ( ) . getCipherSuite ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "getCipherSuite [" + suite + "]" ) ; } return suite ; } | Access the SSL cipher suite used in this connection . |
162,713 | private X509Certificate [ ] getPeerCertificates ( ) { X509Certificate [ ] rc = null ; SSLContext ssl = this . connection . getSSLContext ( ) ; if ( null != ssl && ( ssl . getNeedClientAuth ( ) || ssl . getWantClientAuth ( ) ) ) { try { Object [ ] objs = ssl . getSession ( ) . getPeerCertificates ( ) ; if ( null != objs ) { rc = ( X509Certificate [ ] ) objs ; } } catch ( Throwable t ) { FFDCFilter . processException ( t , getClass ( ) . getName ( ) , "peercerts" , new Object [ ] { this , ssl } ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "Error getting peer certs; " + t ) ; } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { if ( null == rc ) { Tr . debug ( tc , "getPeerCertificates: none" ) ; } else { Tr . debug ( tc , "getPeerCertificates: " + rc . length ) ; } } return rc ; } | Access any client SSL certificates for this connection . |
162,714 | public void removeTarget ( Object key ) throws MatchingException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "removeTarget" , new Object [ ] { key } ) ; synchronized ( _targets ) { Target targ = ( Target ) _targets . get ( key ) ; if ( targ == null ) throw new MatchingException ( ) ; for ( int i = 0 ; i < targ . targets . length ; i ++ ) _matchSpace . removeTarget ( targ . expr [ i ] , targ . targets [ i ] ) ; _targets . remove ( key ) ; if ( targ . targets . length > 0 ) { if ( targ . targets [ 0 ] instanceof MonitoredConsumer ) _consumerMonitoring . removeConsumer ( ( MonitoredConsumer ) targ . targets [ 0 ] ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeTarget" ) ; } | Remove a target from the MatchSpace |
162,715 | public void removeConsumerPointMatchTarget ( DispatchableKey consumerPointData ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "removeConsumerPointMatchTarget" , consumerPointData ) ; try { removeTarget ( consumerPointData ) ; } catch ( MatchingException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.matching.MessageProcessorMatching.removeConsumerPointMatchTarget" , "1:840:1.117.1.11" , this ) ; SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeConsumerPointMatchTarget" , "SICoreException" ) ; SibTr . error ( tc , "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:851:1.117.1.11" , e } ) ; throw new SIErrorException ( nls . getFormattedMessage ( "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:859:1.117.1.11" , e } , null ) , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeConsumerPointMatchTarget" ) ; } | Method removeConsumerPointMatchTarget Used to remove a ConsumerPoint from the MatchSpace . |
162,716 | public ControllableProxySubscription addPubSubOutputHandlerMatchTarget ( PubSubOutputHandler handler , SIBUuid12 topicSpace , String discriminator , boolean foreignSecuredProxy , String MESubUserId ) throws SIDiscriminatorSyntaxException , SISelectorSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "addPubSubOutputHandlerMatchTarget" , new Object [ ] { handler , topicSpace , discriminator , Boolean . valueOf ( foreignSecuredProxy ) , MESubUserId } ) ; String topicSpaceStr = topicSpace . toString ( ) ; String theTopic = buildAddTopicExpression ( topicSpaceStr , discriminator ) ; ControllableProxySubscription key = new ControllableProxySubscription ( handler , theTopic , foreignSecuredProxy , MESubUserId ) ; try { addTarget ( key , theTopic , null , null , null , key , null , null ) ; } catch ( QuerySyntaxException e ) { SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addPubSubOutputHandlerMatchTarget" , e ) ; throw new SISelectorSyntaxException ( nls . getFormattedMessage ( "INVALID_SELECTOR_ERROR_CWSIP0371" , new Object [ ] { null } , null ) ) ; } catch ( InvalidTopicSyntaxException e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addPubSubOutputHandlerMatchTarget" , e ) ; throw new SIDiscriminatorSyntaxException ( nls . getFormattedMessage ( "INVALID_TOPIC_ERROR_CWSIP0372" , new Object [ ] { discriminator } , null ) ) ; } catch ( MatchingException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.matching.MessageProcessorMatching.addPubSubOutputHandlerMatchTarget" , "1:1111:1.117.1.11" , this ) ; SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addPubSubOutputHandlerMatchTarget" , e ) ; SibTr . error ( tc , "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:1122:1.117.1.11" , e } ) ; throw new SIErrorException ( nls . getFormattedMessage ( "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:1130:1.117.1.11" , e } , null ) , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addPubSubOutputHandlerMatchTarget" , key ) ; return key ; } | Used to add a PubSubOutputHandler for ME - ME comms to the MatchSpace . |
162,717 | public void removeConsumerDispatcherMatchTarget ( ConsumerDispatcher consumerDispatcher , SelectionCriteria selectionCriteria ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "removeConsumerDispatcherMatchTarget" , new Object [ ] { consumerDispatcher , selectionCriteria } ) ; MatchingConsumerDispatcherWithCriteira key = new MatchingConsumerDispatcherWithCriteira ( consumerDispatcher , selectionCriteria ) ; consumerDispatcher . setIsInMatchSpace ( false ) ; try { removeTarget ( key ) ; } catch ( MatchingException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.matching.MessageProcessorMatching.removeConsumerDispatcherMatchTarget" , "1:1312:1.117.1.11" , this ) ; SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeConsumerDispatcherMatchTarget" , "SICoreException" ) ; SibTr . error ( tc , "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:1323:1.117.1.11" , e } ) ; throw new SIErrorException ( nls . getFormattedMessage ( "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:1331:1.117.1.11" , e } , null ) , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeConsumerDispatcherMatchTarget" ) ; } | Method removeConsumerDispatcherMatchTarget Used to remove a ConsumerDispatcher from the MatchSpace . |
162,718 | public void removePubSubOutputHandlerMatchTarget ( ControllableProxySubscription sub ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "removePubSubOutputHandlerMatchTarget" , sub ) ; try { removeTarget ( sub ) ; } catch ( MatchingException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.matching.MessageProcessorMatching.removePubSubOutputHandlerMatchTarget" , "1:1363:1.117.1.11" , this ) ; SibTr . exception ( tc , e ) ; SibTr . error ( tc , "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:1370:1.117.1.11" , e } ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removePubSubOutputHandlerMatchTarget" , "SICoreException" ) ; throw new SIErrorException ( nls . getFormattedMessage ( "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:1381:1.117.1.11" , e } , null ) , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removePubSubOutputHandlerMatchTarget" ) ; } | Method removePubSubOutputHandlerMatchTarget Used to remove a PubSubOutputHandler from the MatchSpace . |
162,719 | private String buildSendTopicExpression ( String destName , String discriminator ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "buildSendTopicExpression" , new Object [ ] { destName , discriminator } ) ; String combo = null ; if ( discriminator == null || discriminator . trim ( ) . length ( ) == 0 ) combo = destName ; else combo = destName + MatchSpace . SUBTOPIC_SEPARATOR_CHAR + discriminator ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "buildSendTopicExpression" , combo ) ; return combo ; } | Concatenates topicspace and a topic expression with a level separator between |
162,720 | public String buildAddTopicExpression ( String destName , String discriminator ) throws SIDiscriminatorSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "buildAddTopicExpression" , new Object [ ] { destName , discriminator } ) ; String combo = null ; if ( discriminator == null ) combo = destName + MatchSpace . SUBTOPIC_DOUBLE_SEPARATOR_STOP_STRING ; else if ( discriminator . trim ( ) . length ( ) == 0 ) combo = destName ; else if ( discriminator . startsWith ( MatchSpace . SUBTOPIC_DOUBLE_SEPARATOR_STRING ) ) combo = destName + discriminator ; else if ( discriminator . startsWith ( "" + MatchSpace . SUBTOPIC_SEPARATOR_CHAR ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "buildAddTopicExpression" , "SISelectorSyntaxException" ) ; throw new SIDiscriminatorSyntaxException ( nls . getFormattedMessage ( "INVALID_TOPIC_ERROR_CWSIP0372" , new Object [ ] { discriminator } , null ) ) ; } else combo = destName + MatchSpace . SUBTOPIC_SEPARATOR_CHAR + discriminator ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "buildAddTopicExpression" , combo ) ; return combo ; } | Concatenates topicspace and a topic expression with a level separator between . |
162,721 | public ArrayList getAllCDMatchTargets ( ) { ArrayList consumerDispatcherList ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getAllCDMatchTargets" ) ; synchronized ( _targets ) { consumerDispatcherList = new ArrayList ( _targets . size ( ) ) ; Iterator itr = _targets . keySet ( ) . iterator ( ) ; while ( itr . hasNext ( ) ) { Object key = itr . next ( ) ; if ( key instanceof MatchingConsumerDispatcherWithCriteira ) { consumerDispatcherList . add ( ( ( MatchingConsumerDispatcherWithCriteira ) key ) . getConsumerDispatcher ( ) ) ; } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getAllCDMatchTargets" ) ; return consumerDispatcherList ; } | Method getAllCDMatchTargets Used to return a list of all ConsumerDispatchers stored in the matchspace |
162,722 | public ArrayList getAllCDMatchTargetsForTopicSpace ( String tSpace ) { ArrayList consumerDispatcherList ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getAllCDMatchTargetsForTopicSpace" ) ; synchronized ( _targets ) { consumerDispatcherList = new ArrayList ( _targets . size ( ) ) ; Iterator itr = _targets . keySet ( ) . iterator ( ) ; while ( itr . hasNext ( ) ) { Object key = itr . next ( ) ; if ( key instanceof MatchingConsumerDispatcherWithCriteira ) { ConsumerDispatcher cd = ( ( ( MatchingConsumerDispatcherWithCriteira ) key ) . getConsumerDispatcher ( ) ) ; String storedDest = cd . getDestination ( ) . getName ( ) ; if ( storedDest . equals ( tSpace ) ) { consumerDispatcherList . add ( cd ) ; } } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getAllCDMatchTargetsForTopicSpace" ) ; return consumerDispatcherList ; } | Method getAllCDMatchTargetsForTopicSpace Used to return a list of all ConsumerDispatchers stored in the matchspace for a specific topicspace . |
162,723 | public ArrayList getAllPubSubOutputHandlerMatchTargets ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getAllPubSubOutputHandlerMatchTargets" ) ; ArrayList outputHandlerList ; synchronized ( _targets ) { outputHandlerList = new ArrayList ( _targets . size ( ) ) ; Iterator itr = _targets . keySet ( ) . iterator ( ) ; while ( itr . hasNext ( ) ) { Object key = itr . next ( ) ; if ( key instanceof ControllableProxySubscription ) outputHandlerList . add ( ( ( ControllableProxySubscription ) key ) . getOutputHandler ( ) ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getAllPubSubOutputHandlerMatchTargets" , outputHandlerList ) ; return outputHandlerList ; } | Method getAllPubSubOutputHandlerMatchTargets Used to return a list of all PubSubOutputHandlers stored in the matchspace |
162,724 | public void addTopicAcl ( SIBUuid12 destName , TopicAcl acl ) throws SIDiscriminatorSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "addTopicAcl" , new Object [ ] { destName , acl } ) ; String discriminator = null ; String theTopic = "" ; if ( destName != null ) { String destNameStr = destName . toString ( ) ; theTopic = buildAddTopicExpression ( destNameStr , acl . getTopic ( ) ) ; } if ( acl . getTopic ( ) != null ) { discriminator = theTopic + "//." ; } else { discriminator = theTopic ; } try { addTarget ( acl , discriminator , null , null , null , acl , null , null ) ; } catch ( QuerySyntaxException e ) { } catch ( InvalidTopicSyntaxException e ) { SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addTopicAcl" , "SIDiscriminatorSyntaxException" ) ; throw new SIDiscriminatorSyntaxException ( nls . getFormattedMessage ( "INVALID_TOPIC_ERROR_CWSIP0372" , new Object [ ] { theTopic } , null ) ) ; } catch ( MatchingException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.matching.MessageProcessorMatching.addTopicAcl" , "1:1954:1.117.1.11" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addTopicAcl" , "SIErrorException" ) ; SibTr . error ( tc , "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:1962:1.117.1.11" , e } ) ; throw new SIErrorException ( nls . getFormattedMessage ( "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:1970:1.117.1.11" , e } , null ) , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addTopicAcl" ) ; } | Method addTopicAcl Used to add a TopicAcl to the MatchSpace . |
162,725 | public void removeAllTopicAcls ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "removeAllTopicAcls" ) ; ArrayList topicAclList = null ; try { synchronized ( _targets ) { topicAclList = new ArrayList ( _targets . size ( ) ) ; Iterator itr = _targets . keySet ( ) . iterator ( ) ; while ( itr . hasNext ( ) ) { Object key = itr . next ( ) ; if ( key instanceof TopicAcl ) { topicAclList . add ( key ) ; } } Iterator aclIter = topicAclList . iterator ( ) ; while ( aclIter . hasNext ( ) ) { Object key = aclIter . next ( ) ; removeTarget ( key ) ; } } } catch ( MatchingException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.matching.MessageProcessorMatching.removeAllTopicAcls" , "1:2188:1.117.1.11" , this ) ; SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeAllTopicAcls" , "SICoreException" ) ; SibTr . error ( tc , "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:2199:1.117.1.11" , e } ) ; throw new SIErrorException ( nls . getFormattedMessage ( "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:2207:1.117.1.11" , e } , null ) , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeAllTopicAcls" ) ; } | Method removeAllTopicAcls Used to remove all TopicAcls stored in the matchspace |
162,726 | public void removeApplicationSignatureMatchTarget ( ApplicationSignature appSignature ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "removeApplicationSignatureMatchTarget" , appSignature ) ; try { removeTarget ( appSignature ) ; } catch ( MatchingException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.matching.MessageProcessorMatching.removeApplicationSignatureMatchTarget" , "1:3045:1.117.1.11" , this ) ; SibTr . exception ( tc , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeApplicationSignatureMatchTarget" , "SICoreException" ) ; SibTr . error ( tc , "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:3056:1.117.1.11" , e } ) ; throw new SIErrorException ( nls . getFormattedMessage ( "INTERNAL_MESSAGING_ERROR_CWSIP0002" , new Object [ ] { "com.ibm.ws.sib.processor.matching.MessageProcessorMatching" , "1:3064:1.117.1.11" , e } , null ) , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeApplicationSignatureMatchTarget" ) ; } | Method removeApplicationSignatureMatchTarget Used to remove a ApplicationSignature from the MatchSpace . |
162,727 | @ Reference ( policy = DYNAMIC , policyOption = GREEDY , cardinality = MANDATORY ) protected void setProvider ( MetricRecorderProvider provider ) { metricProvider = provider ; } | Require a provider update dynamically if a new one becomes available |
162,728 | synchronized public void recover ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "recover" , this ) ; final int state = _status . getState ( ) ; if ( _subordinate ) { switch ( state ) { case TransactionState . STATE_HEURISTIC_ON_COMMIT : case TransactionState . STATE_COMMITTED : case TransactionState . STATE_COMMITTING : recoverCommit ( true ) ; break ; case TransactionState . STATE_HEURISTIC_ON_ROLLBACK : case TransactionState . STATE_ROLLED_BACK : case TransactionState . STATE_ROLLING_BACK : recoverRollback ( true ) ; break ; default : if ( _JCARecoveryData != null ) { final String id = _JCARecoveryData . getWrapper ( ) . getProviderId ( ) ; if ( TMHelper . isProviderInstalled ( id ) ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "recover" , "Do nothing. Expect provider " + id + " will complete." ) ; } else { switch ( _configProvider . getHeuristicCompletionDirection ( ) ) { case ConfigurationProvider . HEURISTIC_COMPLETION_DIRECTION_COMMIT : Tr . error ( tc , "WTRN0098_COMMIT_RA_UNINSTALLED" , new Object [ ] { getTranName ( ) , id } ) ; recoverCommit ( false ) ; break ; case ConfigurationProvider . HEURISTIC_COMPLETION_DIRECTION_MANUAL : _needsManualCompletion = true ; Tr . info ( tc , "WTRN0101_MANUAL_RA_UNINSTALLED" , new Object [ ] { getTranName ( ) , id } ) ; break ; default : Tr . error ( tc , "WTRN0099_ROLLBACK_RA_UNINSTALLED" , new Object [ ] { getTranName ( ) , id } ) ; recoverRollback ( false ) ; } } } else { retryCompletion ( ) ; } break ; } } else { if ( state == TransactionState . STATE_LAST_PARTICIPANT ) { switch ( ConfigurationProviderManager . getConfigurationProvider ( ) . getHeuristicCompletionDirection ( ) ) { case ConfigurationProvider . HEURISTIC_COMPLETION_DIRECTION_COMMIT : Tr . error ( tc , "WTRN0096_HEURISTIC_MAY_HAVE_OCCURED" , getTranName ( ) ) ; recoverCommit ( false ) ; break ; case ConfigurationProvider . HEURISTIC_COMPLETION_DIRECTION_MANUAL : _needsManualCompletion = true ; Tr . info ( tc , "WTRN0097_HEURISTIC_MANUAL_COMPLETION" , getTranName ( ) ) ; break ; default : Tr . error ( tc , "WTRN0102_HEURISTIC_MAY_HAVE_OCCURED" , getTranName ( ) ) ; recoverRollback ( false ) ; } } else if ( state == TransactionState . STATE_COMMITTING ) recoverCommit ( false ) ; else recoverRollback ( false ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "recover" ) ; } | Directs the TransactionImpl to perform recovery actions based on its reconstructed state after a failure or after an in - doubt timeout has occurred . This method is called by the RecoveryManager during recovery in which case there is no terminator object or during normal operation if the transaction commit retry interval has been exceeded for the transaction . If this method is called more times than the retry limit specified in COMMITRETRY then the global outcome of the transaction is taken from the value of HEURISTICDIRECTION . |
162,729 | public void commit ( ) throws RollbackException , HeuristicMixedException , HeuristicRollbackException , SecurityException , IllegalStateException , SystemException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "commit (SPI)" ) ; try { processCommit ( ) ; } catch ( HeuristicHazardException hhe ) { final HeuristicMixedException hme = new HeuristicMixedException ( hhe . getLocalizedMessage ( ) ) ; hme . initCause ( hhe . getCause ( ) ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commit" , hme ) ; throw hme ; } finally { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commit (SPI)" ) ; } } | Commit the transation associated with the target Transaction object |
162,730 | public void commit_one_phase ( ) throws RollbackException , HeuristicMixedException , HeuristicHazardException , HeuristicRollbackException , SecurityException , IllegalStateException , SystemException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "commit_one_phase" ) ; _subordinate = false ; try { processCommit ( ) ; } finally { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commit_one_phase" ) ; } } | Commit the transation associated with a subordinate which received a commit_one_phase request from the superior . Any other subordinate requests should call the internal methods directly . |
162,731 | public void rollback ( ) throws IllegalStateException , SystemException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "rollback (SPI)" ) ; final int state = _status . getState ( ) ; if ( state == TransactionState . STATE_ACTIVE ) { cancelAlarms ( ) ; try { _status . setState ( TransactionState . STATE_ROLLING_BACK ) ; } catch ( SystemException se ) { FFDCFilter . processException ( se , "com.ibm.tx.jta.TransactionImpl.rollback" , "1587" , this ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Exception caught setting state to ROLLING_BACK!" , se ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback (SPI)" ) ; throw se ; } try { internalRollback ( ) ; } catch ( HeuristicMixedException hme ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "HeuristicMixedException caught rollback processing" , hme ) ; addHeuristic ( ) ; } catch ( HeuristicHazardException hhe ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "HeuristicHazardException caught rollback processing" , hhe ) ; addHeuristic ( ) ; } catch ( HeuristicCommitException hce ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "HeuristicHazardException caught rollback processing" , hce ) ; addHeuristic ( ) ; } catch ( SystemException se ) { FFDCFilter . processException ( se , "com.ibm.tx.jta.TransactionImpl.rollback" , "1626" , this ) ; if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "SystemException caught during rollback" , se ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback (SPI)" ) ; throw se ; } catch ( Throwable ex ) { FFDCFilter . processException ( ex , "com.ibm.tx.jta.TransactionImpl.rollback" , "1633" , this ) ; if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "Exception caught during rollback" , ex ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback (SPI)" ) ; throw new SystemException ( ex . getLocalizedMessage ( ) ) ; } finally { notifyCompletion ( ) ; } } else if ( state == TransactionState . STATE_NONE ) { if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "No transaction available!" ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback (SPI)" ) ; throw new IllegalStateException ( ) ; } else { if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "Invalid transaction state:" + state ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback (SPI)" ) ; throw new SystemException ( ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback (SPI)" ) ; } | Rollback the transaction associated with the target Transaction Object |
162,732 | protected void setPrepareXAFailed ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "setPrepareXAFailed" ) ; setRBO ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "setPrepareXAFailed" ) ; } | Indicate that the prepare XA phase failed . |
162,733 | protected boolean prePrepare ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "prePrepare" ) ; cancelAlarms ( ) ; if ( ! _rollbackOnly ) { if ( _syncs != null ) { _syncs . distributeBefore ( ) ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "prePrepare" , ! _rollbackOnly ) ; return ! _rollbackOnly ; } | Drive beforeCompletion against sync objects registered with this transaction . |
162,734 | protected boolean distributeEnd ( ) throws SystemException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "distributeEnd" ) ; if ( ! getResources ( ) . distributeEnd ( XAResource . TMSUCCESS ) ) { setRBO ( ) ; } if ( _rollbackOnly ) { try { _status . setState ( TransactionState . STATE_ROLLING_BACK ) ; } catch ( SystemException se ) { FFDCFilter . processException ( se , "com.ibm.tx.jta.TransactionImpl.distributeEnd" , "1731" , this ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "distributeEnd" , se ) ; throw se ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "distributeEnd" , ! _rollbackOnly ) ; return ! _rollbackOnly ; } | Distribute end to all XA resources |
162,735 | public Throwable getOriginalException ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getOriginalException" ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getOriginalException" , _originalException ) ; return _originalException ; } | returns the exception stored by RegisteredSyncs |
162,736 | public void setRollbackOnly ( ) throws IllegalStateException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "setRollbackOnly (SPI)" ) ; final int state = _status . getState ( ) ; if ( state == TransactionState . STATE_NONE || state == TransactionState . STATE_COMMITTED || state == TransactionState . STATE_ROLLED_BACK ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "setRollbackOnly (SPI)" ) ; throw new IllegalStateException ( "No transaction available" ) ; } setRBO ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "setRollbackOnly (SPI)" ) ; } | Modify the transaction such that the only possible outcome of the transaction is to rollback . |
162,737 | public void enlistResource ( JTAResource remoteRes ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "enlistResource (SPI): args: " , remoteRes ) ; getResources ( ) . addRes ( remoteRes ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "enlistResource (SPI)" ) ; } | Enlist a remote resouce with the transaction associated with the target TransactionImpl object . Typically this remote resource represents a downstream suborindate server . |
162,738 | protected void logHeuristic ( boolean commit ) throws SystemException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "logHeuristic" , commit ) ; if ( _subordinate && _status . getState ( ) != TransactionState . STATE_PREPARING ) { getResources ( ) . logHeuristic ( commit ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "logHeuristic" ) ; } | Log the fact that we have encountered a heuristic outcome . |
162,739 | public int getStatus ( ) { int state = Status . STATUS_UNKNOWN ; switch ( _status . getState ( ) ) { case TransactionState . STATE_NONE : state = Status . STATUS_NO_TRANSACTION ; break ; case TransactionState . STATE_ACTIVE : if ( _rollbackOnly ) state = Status . STATUS_MARKED_ROLLBACK ; else state = Status . STATUS_ACTIVE ; break ; case TransactionState . STATE_PREPARING : case TransactionState . STATE_LAST_PARTICIPANT : state = Status . STATUS_PREPARING ; break ; case TransactionState . STATE_PREPARED : state = Status . STATUS_PREPARED ; break ; case TransactionState . STATE_COMMITTING : case TransactionState . STATE_COMMITTING_ONE_PHASE : state = Status . STATUS_COMMITTING ; break ; case TransactionState . STATE_HEURISTIC_ON_COMMIT : case TransactionState . STATE_COMMITTED : state = Status . STATUS_COMMITTED ; break ; case TransactionState . STATE_ROLLING_BACK : state = Status . STATUS_ROLLING_BACK ; break ; case TransactionState . STATE_HEURISTIC_ON_ROLLBACK : case TransactionState . STATE_ROLLED_BACK : state = Status . STATUS_ROLLEDBACK ; break ; } if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "getStatus (SPI)" , Util . printStatus ( state ) ) ; return state ; } | Obtain the status of the transaction associated with the target object |
162,740 | public XidImpl getXidImpl ( boolean createIfAbsent ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getXidImpl" , new Object [ ] { this , createIfAbsent } ) ; if ( createIfAbsent && ( _xid == null ) ) { _xid = new XidImpl ( new TxPrimaryKey ( _localTID , Configuration . getCurrentEpoch ( ) ) ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getXidImpl" , _xid ) ; return ( XidImpl ) _xid ; } | Returns a global identifier that represents the TransactionImpl s transaction . |
162,741 | public void setXidImpl ( XidImpl xid ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "setXidImpl" , new Object [ ] { xid , this } ) ; _xid = xid ; } | For recovery only |
162,742 | public boolean isJCAImportedAndPrepared ( String providerId ) { return _JCARecoveryData != null && _status . getState ( ) == TransactionState . STATE_PREPARED && _JCARecoveryData . getWrapper ( ) . getProviderId ( ) . equals ( providerId ) ; } | Returns true if this tx was imported by the given RA and is prepared |
162,743 | public void loadKeyStores ( Map < String , WSKeyStore > config ) { for ( Entry < String , WSKeyStore > current : config . entrySet ( ) ) { try { String name = current . getKey ( ) ; WSKeyStore keystore = current . getValue ( ) ; addKeyStoreToMap ( name , keystore ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , getClass ( ) . getName ( ) , "loadKeyStores" , new Object [ ] { this , config } ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "Error loading keystore; " + current . getKey ( ) + " " + e ) ; } } } } | Load the provided list of keystores from the configuration . |
162,744 | public InputStream getInputStream ( String fileName , boolean create ) throws MalformedURLException , IOException { try { GetKeyStoreInputStreamAction action = new GetKeyStoreInputStreamAction ( fileName , create ) ; return AccessController . doPrivileged ( action ) ; } catch ( PrivilegedActionException e ) { Exception ex = e . getException ( ) ; FFDCFilter . processException ( e , getClass ( ) . getName ( ) , "getInputStream" , new Object [ ] { fileName , Boolean . valueOf ( create ) , this } ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Exception opening keystore; " + ex ) ; if ( ex instanceof MalformedURLException ) throw ( MalformedURLException ) ex ; else if ( ex instanceof IOException ) throw ( IOException ) ex ; throw new IOException ( ex . getMessage ( ) ) ; } } | Open the provided filename as a keystore creating if it doesn t exist and the input create flag is true . |
162,745 | public OutputStream getOutputStream ( String fileName ) throws MalformedURLException , IOException { try { GetKeyStoreOutputStreamAction action = new GetKeyStoreOutputStreamAction ( fileName ) ; return AccessController . doPrivileged ( action ) ; } catch ( PrivilegedActionException e ) { Exception ex = e . getException ( ) ; FFDCFilter . processException ( e , getClass ( ) . getName ( ) , "getOutputStream" , new Object [ ] { fileName , this } ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Exception opening keystore; " + ex ) ; if ( ex instanceof MalformedURLException ) throw ( MalformedURLException ) ex ; else if ( ex instanceof IOException ) throw ( IOException ) ex ; throw new IOException ( ex . getMessage ( ) ) ; } } | Open the provided filename as an outputstream . |
162,746 | public static String stripLastSlash ( String inputString ) { if ( null == inputString ) { return null ; } String rc = inputString . trim ( ) ; int len = rc . length ( ) ; if ( 0 < len ) { char lastChar = rc . charAt ( len - 1 ) ; if ( '/' == lastChar || '\\' == lastChar ) { rc = rc . substring ( 0 , len - 1 ) ; } } return rc ; } | Remove the last slash if present from the input string and return the result . |
162,747 | public KeyStore getJavaKeyStore ( String keyStoreName ) throws Exception { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getJavaKeyStore: " + keyStoreName ) ; if ( keyStoreName == null || keyStoreName . trim ( ) . isEmpty ( ) ) { throw new SSLException ( "No keystore name provided." ) ; } KeyStore javaKeyStore = null ; WSKeyStore ks = keyStoreMap . get ( keyStoreName ) ; if ( ks != null ) { javaKeyStore = ks . getKeyStore ( false , false ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getJavaKeyStore: " + javaKeyStore ) ; return javaKeyStore ; } | Returns the java keystore object based on the keystore name passed in . |
162,748 | public WSKeyStore getWSKeyStore ( String keyStoreName ) throws SSLException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getWSKeyStore: " + keyStoreName ) ; if ( keyStoreName == null ) { throw new SSLException ( "No keystore name provided." ) ; } WSKeyStore ks = keyStoreMap . get ( keyStoreName ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getWSKeyStore: " + ks ) ; return ks ; } | Returns the java keystore object based on the keystore name passed in . A null value is returned if no existing store matchs the provided name . |
162,749 | public Set < String > getDependentApplications ( ) { Set < String > appsToStop = new HashSet < String > ( applications ) ; applications . clear ( ) ; return appsToStop ; } | Returns the list of applications that have used this resource so that the applications can be stopped by the application recycle code in response to a configuration change . |
162,750 | private < T extends Object > void set ( Class < ? > clazz , Object clientBuilder , String name , Class < T > type , T value ) throws Exception { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , name + '(' + ( name . endsWith ( "ssword" ) ? "***" : value ) + ')' ) ; Method m ; if ( ( type == long . class ) && ( ( READ_TIMEOUT . equals ( name ) || CONNECT_TIMEOUT . equals ( name ) ) ) ) { m = clazz . getMethod ( name , type , TimeUnit . class ) ; m . invoke ( clientBuilder , value , TimeUnit . MILLISECONDS ) ; } else { m = clazz . getMethod ( name , type ) ; m . invoke ( clientBuilder , value ) ; } } | Method to reflectively invoke setters on the cloudant client builder |
162,751 | public void libraryNotification ( ) { if ( ! applications . isEmpty ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "recycle applications" , applications ) ; ApplicationRecycleCoordinator appRecycleCoord = ( ApplicationRecycleCoordinator ) componentContext . locateService ( "appRecycleCoordinator" ) ; Set < String > members = new HashSet < String > ( applications ) ; applications . removeAll ( members ) ; appRecycleCoord . recycleApplications ( members ) ; } } | Received when library is changed for example by altering the files in the library . |
162,752 | public Object getCloudantClient ( int resAuth , List < ? extends ResourceInfo . Property > loginPropertyList ) throws Exception { AuthData containerAuthData = null ; if ( resAuth == ResourceInfo . AUTH_CONTAINER ) { containerAuthData = getContainerAuthData ( loginPropertyList ) ; } String userName = containerAuthData == null ? ( String ) props . get ( USERNAME ) : containerAuthData . getUserName ( ) ; String password = null ; if ( containerAuthData == null ) { SerializableProtectedString protectedPwd = ( SerializableProtectedString ) props . get ( PASSWORD ) ; if ( protectedPwd != null ) { password = String . valueOf ( protectedPwd . getChars ( ) ) ; password = PasswordUtil . getCryptoAlgorithm ( password ) == null ? password : PasswordUtil . decode ( password ) ; } } else password = String . valueOf ( containerAuthData . getPassword ( ) ) ; final ClientKey key = new ClientKey ( null , userName , password ) ; return clients . get ( key ) ; } | Return the cloudant client object used for a particular username and password |
162,753 | public synchronized void waitOn ( ) throws InterruptedException { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "waitOn" , "" + count ) ; ++ count ; if ( count > 0 ) { try { wait ( ) ; } catch ( InterruptedException e ) { -- count ; throw e ; } } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "waitOn" ) ; } | Wait for the semaphore to be posted |
162,754 | public synchronized void post ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "post" , "" + count ) ; -- count ; if ( count >= 0 ) notify ( ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "post" ) ; } | Post the semaphore waking up at most one waiter . If there are no waiters then the next thread issuing a waitOn call will not be suspended . In fact if post is invoked n times then the next n waitOn calls will not block . |
162,755 | public synchronized void waitOnIgnoringInterruptions ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "waitOnIgnoringInterruptions" ) ; boolean interrupted ; do { interrupted = false ; try { waitOn ( ) ; } catch ( InterruptedException e ) { interrupted = true ; } } while ( interrupted ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "waitOnIgnoringInterruptions" ) ; } | Wait on the semaphore ignoring any attempt to interrupt the thread . |
162,756 | protected void setMemberFactories ( FaceletCache . MemberFactory < V > faceletFactory , FaceletCache . MemberFactory < V > viewMetadataFaceletFactory , FaceletCache . MemberFactory < V > compositeComponentMetadataFaceletFactory ) { if ( compositeComponentMetadataFaceletFactory == null ) { throw new NullPointerException ( "viewMetadataFaceletFactory is null" ) ; } _compositeComponentMetadataFaceletFactory = compositeComponentMetadataFaceletFactory ; setMemberFactories ( faceletFactory , viewMetadataFaceletFactory ) ; } | Set the factories used for create Facelet instances . |
162,757 | public void close ( ) throws IOException { if ( this . in != null && this . inStream != null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "close" , "close called->" + this ) ; } this . in . close ( ) ; } else { super . close ( ) ; } } | Following needed to support MultiRead |
162,758 | public ArtifactContainer createContainer ( File cacheDir , Object containerData ) { if ( ! ( containerData instanceof File ) ) { return null ; } File fileContainerData = ( File ) containerData ; if ( ! FileUtils . fileIsFile ( fileContainerData ) ) { return null ; } if ( ! isZip ( fileContainerData ) ) { return null ; } return new ZipFileContainer ( cacheDir , fileContainerData , this ) ; } | Attempt to create a root - of - roots zip file type container . |
162,759 | public ArtifactContainer createContainer ( File cacheDir , ArtifactContainer enclosingContainer , ArtifactEntry entryInEnclosingContainer , Object containerData ) { if ( ( containerData instanceof File ) && FileUtils . fileIsFile ( ( File ) containerData ) ) { File fileContainerData = ( File ) containerData ; if ( isZip ( fileContainerData ) ) { return new ZipFileContainer ( cacheDir , enclosingContainer , entryInEnclosingContainer , fileContainerData , this ) ; } else { return null ; } } else { if ( isZip ( entryInEnclosingContainer ) ) { return new ZipFileContainer ( cacheDir , enclosingContainer , entryInEnclosingContainer , null , this ) ; } else { return null ; } } } | Attempt to create an enclosed root zip file type container . |
162,760 | private static boolean hasZipExtension ( String name ) { int nameLen = name . length ( ) ; if ( nameLen < 4 ) { return false ; } if ( nameLen >= 7 ) { if ( ( name . charAt ( nameLen - 7 ) == '.' ) && name . regionMatches ( IGNORE_CASE , nameLen - 6 , ZIP_EXTENSION_SPRING , 0 , 6 ) ) { return true ; } } if ( name . charAt ( nameLen - 4 ) != '.' ) { return false ; } else { for ( String ext : ZIP_EXTENSIONS ) { if ( name . regionMatches ( IGNORE_CASE , nameLen - 3 , ext , 0 , 3 ) ) { return true ; } } return false ; } } | Tell if a file name has a zip file type extension . |
162,761 | private static boolean isZip ( ArtifactEntry artifactEntry ) { if ( ! hasZipExtension ( artifactEntry . getName ( ) ) ) { return false ; } boolean validZip = false ; InputStream entryInputStream = null ; try { entryInputStream = artifactEntry . getInputStream ( ) ; if ( entryInputStream == null ) { return false ; } ZipInputStream zipInputStream = new ZipInputStream ( entryInputStream ) ; try { ZipEntry entry = zipInputStream . getNextEntry ( ) ; if ( entry == null ) { Tr . error ( tc , "bad.zip.data" , getPhysicalPath ( artifactEntry ) ) ; } else { validZip = true ; } } catch ( IOException e ) { String entryPath = getPhysicalPath ( artifactEntry ) ; Tr . error ( tc , "bad.zip.data" , entryPath ) ; } try { zipInputStream . close ( ) ; } catch ( IOException ioe ) { } } catch ( IOException e1 ) { return false ; } return validZip ; } | Tell if an artifact entry is valid to be interpreted as a zip file container . |
162,762 | @ SuppressWarnings ( "deprecation" ) private static String getPhysicalPath ( ArtifactEntry artifactEntry ) { String physicalPath = artifactEntry . getPhysicalPath ( ) ; if ( physicalPath != null ) { return physicalPath ; } String entryPath = artifactEntry . getPath ( ) ; String rootPath = artifactEntry . getRoot ( ) . getPhysicalPath ( ) ; if ( rootPath != null ) { return rootPath + "!" + entryPath ; } while ( ( artifactEntry = artifactEntry . getRoot ( ) . getEntryInEnclosingContainer ( ) ) != null ) { String nextPhysicalPath = artifactEntry . getPhysicalPath ( ) ; if ( nextPhysicalPath != null ) { return nextPhysicalPath + "!" + entryPath ; } entryPath = artifactEntry . getPath ( ) + "!" + entryPath ; } return entryPath ; } | Answer they physical path of an artifact entry . |
162,763 | @ FFDCIgnore ( { IOException . class , FileNotFoundException . class } ) private static boolean isZip ( File file ) { if ( ! hasZipExtension ( file . getName ( ) ) ) { return false ; } InputStream inputStream = null ; try { inputStream = new FileInputStream ( file ) ; ZipInputStream zipInputStream = new ZipInputStream ( inputStream ) ; try { ZipEntry entry = zipInputStream . getNextEntry ( ) ; if ( entry == null ) { Tr . error ( tc , "bad.zip.data" , file . getAbsolutePath ( ) ) ; return false ; } return true ; } catch ( IOException e ) { Tr . error ( tc , "bad.zip.data" , file . getAbsolutePath ( ) ) ; return false ; } } catch ( FileNotFoundException e ) { Tr . error ( tc , "Missing zip file " + file . getAbsolutePath ( ) ) ; return false ; } finally { if ( inputStream != null ) { try { inputStream . close ( ) ; } catch ( IOException e ) { } } } } | Tell if a file is valid to used to create a zip file container . |
162,764 | public static UpdatedFile fromNode ( Node n ) { String id = n . getAttributes ( ) . getNamedItem ( "id" ) == null ? null : n . getAttributes ( ) . getNamedItem ( "id" ) . getNodeValue ( ) ; long size = n . getAttributes ( ) . getNamedItem ( "size" ) == null ? null : Long . parseLong ( n . getAttributes ( ) . getNamedItem ( "size" ) . getNodeValue ( ) ) ; String date = n . getAttributes ( ) . getNamedItem ( "date" ) == null ? null : n . getAttributes ( ) . getNamedItem ( "date" ) . getNodeValue ( ) ; String hash = n . getAttributes ( ) . getNamedItem ( "hash" ) == null ? n . getAttributes ( ) . getNamedItem ( "MD5hash" ) == null ? null : n . getAttributes ( ) . getNamedItem ( "MD5hash" ) . getNodeValue ( ) : n . getAttributes ( ) . getNamedItem ( "hash" ) . getNodeValue ( ) ; return new UpdatedFile ( id , size , date , hash ) ; } | needs to support both hash and MD5hash as attributes |
162,765 | public void serverStopping ( ) { BundleContext bundleContext = componentContext . getBundleContext ( ) ; Collection < ServiceReference < EndpointActivationService > > refs ; try { refs = bundleContext . getServiceReferences ( EndpointActivationService . class , null ) ; } catch ( InvalidSyntaxException x ) { FFDCFilter . processException ( x , getClass ( ) . getName ( ) , "61" , this ) ; throw new RuntimeException ( x ) ; } for ( ServiceReference < EndpointActivationService > ref : refs ) { EndpointActivationService eas = bundleContext . getService ( ref ) ; try { for ( ActivationParams a ; null != ( a = eas . endpointActivationParams . poll ( ) ) ; ) try { eas . endpointDeactivation ( ( ActivationSpec ) a . activationSpec , a . messageEndpointFactory ) ; } catch ( Throwable x ) { FFDCFilter . processException ( x , getClass ( ) . getName ( ) , "71" , this ) ; } } finally { bundleContext . ungetService ( ref ) ; } } } | Invoked when server is quiescing . Deactivate all endpoints . |
162,766 | public boolean filterMatches ( AbstractItem item ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "filterMatches" , item ) ; SIMPReferenceStream rstream ; if ( item instanceof SIMPReferenceStream ) { rstream = ( SIMPReferenceStream ) item ; if ( rstream == consumerDispatcher . getReferenceStream ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "filterMatches" , Boolean . TRUE ) ; return true ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "filterMatches" , Boolean . FALSE ) ; return false ; } | Filter method . Checks whether the given item is a consumerDispatcher and matches the one associated with this filter |
162,767 | private ValidatorFactory createValidatorFactory ( FacesContext context ) { Map < String , Object > applicationMap = context . getExternalContext ( ) . getApplicationMap ( ) ; Object attr = applicationMap . get ( VALIDATOR_FACTORY_KEY ) ; if ( attr instanceof ValidatorFactory ) { return ( ValidatorFactory ) attr ; } else { synchronized ( this ) { if ( _ExternalSpecifications . isBeanValidationAvailable ( ) ) { ValidatorFactory factory = Validation . buildDefaultValidatorFactory ( ) ; applicationMap . put ( VALIDATOR_FACTORY_KEY , factory ) ; return factory ; } else { throw new FacesException ( "Bean Validation is not present" ) ; } } } } | This method creates ValidatorFactory instances or retrieves them from the container . |
162,768 | private void postSetValidationGroups ( ) { if ( this . validationGroups == null || this . validationGroups . matches ( EMPTY_VALIDATION_GROUPS_PATTERN ) ) { this . validationGroupsArray = DEFAULT_VALIDATION_GROUPS_ARRAY ; } else { String [ ] classes = this . validationGroups . split ( VALIDATION_GROUPS_DELIMITER ) ; List < Class < ? > > validationGroupsList = new ArrayList < Class < ? > > ( classes . length ) ; for ( String clazz : classes ) { clazz = clazz . trim ( ) ; if ( ! clazz . isEmpty ( ) ) { Class < ? > theClass = null ; ClassLoader cl = null ; if ( System . getSecurityManager ( ) != null ) { try { cl = AccessController . doPrivileged ( new PrivilegedExceptionAction < ClassLoader > ( ) { public ClassLoader run ( ) throws PrivilegedActionException { return Thread . currentThread ( ) . getContextClassLoader ( ) ; } } ) ; } catch ( PrivilegedActionException pae ) { throw new FacesException ( pae ) ; } } else { cl = Thread . currentThread ( ) . getContextClassLoader ( ) ; } try { theClass = Class . forName ( clazz , false , cl ) ; } catch ( ClassNotFoundException ignore ) { try { theClass = Class . forName ( clazz , false , BeanValidator . class . getClassLoader ( ) ) ; } catch ( ClassNotFoundException e ) { throw new RuntimeException ( "Could not load validation group" , e ) ; } } validationGroupsList . add ( theClass ) ; } } this . validationGroupsArray = validationGroupsList . toArray ( new Class [ validationGroupsList . size ( ) ] ) ; } } | Fully initialize the validation groups if needed . If no validation groups are specified the Default validation group is used . |
162,769 | public void setEnumerators ( String [ ] val ) { enumerators = val ; enumeratorCount = ( enumerators != null ) ? enumerators . length : 0 ; } | Set the enumerators in the order of their assigned codes |
162,770 | public void encodeType ( byte [ ] frame , int [ ] limits ) { setByte ( frame , limits , ( byte ) ENUM ) ; setCount ( frame , limits , enumeratorCount ) ; } | propagate the enumeratorCount . |
162,771 | public void format ( StringBuffer fmt , Set done , Set todo , int indent ) { formatName ( fmt , indent ) ; fmt . append ( "Enum" ) ; if ( enumerators != null ) { fmt . append ( "{{" ) ; String delim = "" ; for ( int i = 0 ; i < enumerators . length ; i ++ ) { fmt . append ( delim ) . append ( enumerators [ i ] ) ; delim = "," ; } fmt . append ( "}}" ) ; } } | Format for printing . |
162,772 | public static _ValueReferenceWrapper resolve ( ValueExpression valueExpression , final ELContext elCtx ) { _ValueReferenceResolver resolver = new _ValueReferenceResolver ( elCtx . getELResolver ( ) ) ; ELContext elCtxDecorator = new _ELContextDecorator ( elCtx , resolver ) ; valueExpression . getValue ( elCtxDecorator ) ; while ( resolver . lastObject . getBase ( ) instanceof CompositeComponentExpressionHolder ) { valueExpression = ( ( CompositeComponentExpressionHolder ) resolver . lastObject . getBase ( ) ) . getExpression ( ( String ) resolver . lastObject . getProperty ( ) ) ; valueExpression . getValue ( elCtxDecorator ) ; } return resolver . lastObject ; } | This method can be used to extract the ValueReferenceWrapper from the given ValueExpression . |
162,773 | public Object getValue ( final ELContext context , final Object base , final Object property ) { lastObject = new _ValueReferenceWrapper ( base , property ) ; return resolver . getValue ( context , base , property ) ; } | This method is the only one that matters . It keeps track of the objects in the EL expression . |
162,774 | private boolean isApplicationException ( Throwable ex , EJBMethodInfoImpl methodInfo ) { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "isApplicationException : " + ex . getClass ( ) . getName ( ) + ", " + methodInfo ) ; if ( ex instanceof Exception && ( ! ContainerProperties . DeclaredUncheckedAreSystemExceptions || ! ( ex instanceof RuntimeException ) ) ) { Class < ? > [ ] declaredExceptions = null ; if ( ivInterface == WrapperInterface . LOCAL || ivInterface == WrapperInterface . REMOTE ) { declaredExceptions = methodInfo . ivDeclaredExceptionsComp ; } else { if ( ivBusinessInterfaceIndex == AGGREGATE_LOCAL_INDEX ) { for ( Class < ? > [ ] declaredEx : methodInfo . ivDeclaredExceptions ) { if ( declaredEx != null ) { declaredExceptions = declaredEx ; break ; } } } else { if ( isTraceOn && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "ivBusinessInterfaceIndex=" + ivBusinessInterfaceIndex ) ; declaredExceptions = methodInfo . ivDeclaredExceptions [ ivBusinessInterfaceIndex ] ; } } if ( declaredExceptions != null ) { for ( Class < ? > declaredException : declaredExceptions ) { if ( declaredException . isAssignableFrom ( ex . getClass ( ) ) ) { if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "isApplicationException : true" ) ; return true ; } } } } if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "isApplicationException : false" ) ; return false ; } | F743 - 761 |
162,775 | synchronized protected void addMessagingEngine ( final JsMessagingEngine messagingEngine ) { final String methodName = "addMessagingEngine" ; if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , methodName , messagingEngine ) ; } SibRaMessagingEngineConnection connection = null ; try { connection = getConnection ( messagingEngine ) ; final SICoreConnection coreConnection = connection . getConnection ( ) ; if ( coreConnection instanceof SICoreConnection ) { final DestinationListener destinationListener = new SibRaDestinationListener ( connection , _messageEndpointFactory ) ; final DestinationType destinationType = _endpointConfiguration . getDestinationType ( ) ; final SIDestinationAddress [ ] destinations = coreConnection . addDestinationListener ( null , destinationListener , destinationType , DestinationAvailability . RECEIVE ) ; for ( int j = 0 ; j < destinations . length ; j ++ ) { try { connection . createListener ( destinations [ j ] , _messageEndpointFactory ) ; } catch ( final ResourceException exception ) { FFDCFilter . processException ( exception , CLASS_NAME + "." + methodName , FFDC_PROBE_1 , this ) ; SibTr . error ( TRACE , "CREATE_LISTENER_FAILED_CWSIV0803" , new Object [ ] { exception , destinations [ j ] . getDestinationName ( ) , messagingEngine . getName ( ) , messagingEngine . getBusName ( ) } ) ; } } } } catch ( final SIException exception ) { FFDCFilter . processException ( exception , CLASS_NAME + "." + methodName , FFDC_PROBE_2 , this ) ; SibTr . error ( TRACE , "ADD_DESTINATION_LISTENER_FAILED_CWSIV0804" , new Object [ ] { exception , messagingEngine . getName ( ) , messagingEngine . getBusName ( ) } ) ; closeConnection ( messagingEngine ) ; } catch ( final ResourceException exception ) { FFDCFilter . processException ( exception , CLASS_NAME + "." + methodName , FFDC_PROBE_3 , this ) ; SibTr . error ( TRACE , "CREATE_CONNECTION_FAILED_CWSIV0801" , new Object [ ] { exception , messagingEngine . getName ( ) , messagingEngine . getBusName ( ) } ) ; closeConnection ( messagingEngine ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , methodName ) ; } } | Connects to the given messaging engine . Registers a destination listener and creates listeners for each of the current destinations . |
162,776 | public void addNotfication ( Notification notification ) { Object source = notification . getSource ( ) ; NotificationRecord nr ; if ( source instanceof ObjectName ) { nr = new NotificationRecord ( notification , ( ObjectName ) source ) ; } else { nr = new NotificationRecord ( notification , ( source != null ) ? source . toString ( ) : null ) ; } addNotficationRecord ( nr ) ; } | This method will be called by the NotificationListener once the MBeanServer pushes a notification . |
162,777 | public void addClientNotificationListener ( RESTRequest request , NotificationRegistration notificationRegistration , JSONConverter converter ) { String objectNameStr = notificationRegistration . objectName . getCanonicalName ( ) ; NotificationTargetInformation nti = toNotificationTargetInformation ( request , objectNameStr ) ; ClientNotificationListener listener = listeners . get ( nti ) ; if ( listener == null ) { listener = new ClientNotificationListener ( this ) ; ClientNotificationListener mapListener = listeners . putIfAbsent ( nti , listener ) ; if ( mapListener != null ) { listener = mapListener ; } } NotificationFilter filter = listener . getClientWrapperFilter ( ) ; if ( nti . getRoutingInformation ( ) == null ) { MBeanServerHelper . addClientNotification ( notificationRegistration . objectName , listener , filter , null , converter ) ; } else { MBeanRoutedNotificationHelper helper = MBeanRoutedNotificationHelper . getMBeanRoutedNotificationHelper ( ) ; helper . addRoutedNotificationListener ( nti , listener , converter ) ; } listener . addClientNotification ( notificationRegistration . filters ) ; } | Fetch or create a new listener for the given object name |
162,778 | public void updateClientNotificationListener ( RESTRequest request , String objectNameStr , NotificationFilter [ ] filters , JSONConverter converter ) { NotificationTargetInformation nti = toNotificationTargetInformation ( request , objectNameStr ) ; ClientNotificationListener listener = listeners . get ( nti ) ; if ( listener == null ) { throw ErrorHelper . createRESTHandlerJsonException ( new RuntimeException ( "There are no listeners registered for " + nti ) , converter , APIConstants . STATUS_BAD_REQUEST ) ; } listener . addClientNotification ( filters ) ; } | Update the listener for the given object name with the provided filters |
162,779 | private Object removeObject ( Integer key ) { if ( key == null ) { return null ; } return objectLibrary . remove ( key ) ; } | Only to be used by removal coming from direct - http calls because calls from the jmx client can still reference this key for other notifications . |
162,780 | public void removeClientNotificationListener ( RESTRequest request , ObjectName name ) { NotificationTargetInformation nti = toNotificationTargetInformation ( request , name . getCanonicalName ( ) ) ; ClientNotificationListener listener = listeners . remove ( nti ) ; if ( nti . getRoutingInformation ( ) == null ) { MBeanServerHelper . removeClientNotification ( name , listener ) ; } else { MBeanRoutedNotificationHelper helper = MBeanRoutedNotificationHelper . getMBeanRoutedNotificationHelper ( ) ; helper . removeRoutedNotificationListener ( nti , listener ) ; } } | Remove the given NotificationListener |
162,781 | public void addServerNotificationListener ( RESTRequest request , ServerNotificationRegistration serverNotificationRegistration , JSONConverter converter ) { NotificationTargetInformation nti = toNotificationTargetInformation ( request , serverNotificationRegistration . objectName . getCanonicalName ( ) ) ; NotificationFilter filter = ( NotificationFilter ) getObject ( serverNotificationRegistration . filterID , serverNotificationRegistration . filter , converter ) ; Object handback = getObject ( serverNotificationRegistration . handbackID , serverNotificationRegistration . handback , converter ) ; if ( nti . getRoutingInformation ( ) == null ) { MBeanServerHelper . addServerNotification ( serverNotificationRegistration . objectName , serverNotificationRegistration . listener , filter , handback , converter ) ; } else { MBeanRoutedNotificationHelper helper = MBeanRoutedNotificationHelper . getMBeanRoutedNotificationHelper ( ) ; helper . addRoutedServerNotificationListener ( nti , serverNotificationRegistration . listener , filter , handback , converter ) ; } ServerNotification serverNotification = new ServerNotification ( ) ; serverNotification . listener = serverNotificationRegistration . listener ; serverNotification . filter = serverNotificationRegistration . filterID ; serverNotification . handback = serverNotificationRegistration . handbackID ; List < ServerNotification > list = serverNotifications . get ( nti ) ; if ( list == null ) { list = Collections . synchronizedList ( new ArrayList < ServerNotification > ( ) ) ; List < ServerNotification > mapList = serverNotifications . putIfAbsent ( nti , list ) ; if ( mapList != null ) { list = mapList ; } } list . add ( serverNotification ) ; } | Add the server notification to our internal list so we can cleanup afterwards |
162,782 | public synchronized void remoteClientRegistrations ( RESTRequest request ) { Iterator < Entry < NotificationTargetInformation , ClientNotificationListener > > clientListeners = listeners . entrySet ( ) . iterator ( ) ; try { while ( clientListeners . hasNext ( ) ) { Entry < NotificationTargetInformation , ClientNotificationListener > clientListener = clientListeners . next ( ) ; NotificationTargetInformation nti = clientListener . getKey ( ) ; ClientNotificationListener listener = clientListener . getValue ( ) ; if ( nti . getRoutingInformation ( ) == null ) { ObjectName objName = RESTHelper . objectNameConverter ( nti . getNameAsString ( ) , false , null ) ; if ( MBeanServerHelper . isRegistered ( objName ) ) { try { MBeanServerHelper . removeClientNotification ( objName , listener ) ; } catch ( RESTHandlerJsonException exception ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Received exception while cleaning up: " + exception ) ; } } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "The MBean " + objName + " is not registered with the MBean server." ) ; } } } else { MBeanRoutedNotificationHelper helper = MBeanRoutedNotificationHelper . getMBeanRoutedNotificationHelper ( ) ; helper . removeRoutedNotificationListener ( nti , listener ) ; } } } finally { listeners . clear ( ) ; } } | Remove all the client notifications |
162,783 | public synchronized void remoteServerRegistrations ( RESTRequest request ) { Iterator < Entry < NotificationTargetInformation , List < ServerNotification > > > serverNotificationsIter = serverNotifications . entrySet ( ) . iterator ( ) ; while ( serverNotificationsIter . hasNext ( ) ) { Entry < NotificationTargetInformation , List < ServerNotification > > entry = serverNotificationsIter . next ( ) ; NotificationTargetInformation nti = entry . getKey ( ) ; if ( nti . getRoutingInformation ( ) == null ) { ObjectName objName = RESTHelper . objectNameConverter ( nti . getNameAsString ( ) , false , null ) ; if ( MBeanServerHelper . isRegistered ( objName ) ) { for ( ServerNotification notification : entry . getValue ( ) ) { MBeanServerHelper . removeServerNotification ( objName , notification . listener , ( NotificationFilter ) getObject ( notification . filter , null , null ) , getObject ( notification . handback , null , null ) , null ) ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "The MBean is not registered with the MBean server." ) ; } } } else { MBeanRoutedNotificationHelper helper = MBeanRoutedNotificationHelper . getMBeanRoutedNotificationHelper ( ) ; for ( ServerNotification notification : entry . getValue ( ) ) { helper . removeRoutedServerNotificationListener ( nti , notification . listener , ( NotificationFilter ) getObject ( notification . filter , null , null ) , getObject ( notification . handback , null , null ) , null ) ; } } } serverNotifications . clear ( ) ; clearObjectLibrary ( ) ; } | Remove all the server notifications |
162,784 | public void copyHeader ( LogRepositoryWriter writer ) throws IllegalArgumentException { if ( writer == null ) { throw new IllegalArgumentException ( "Parameter writer can't be null" ) ; } writer . setHeader ( headerBytes ) ; } | Copy header into provided writer |
162,785 | final Integer getCcsid ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getCcsid" ) ; Integer value = ( Integer ) jmo . getPayloadPart ( ) . getField ( JsPayloadAccess . CCSID_DATA ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getCcsid" , value ) ; return value ; } | Get the contents of the ccsid field from the payload part . d395685 |
162,786 | final Integer getEncoding ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getEncoding" ) ; Integer value = ( Integer ) jmo . getPayloadPart ( ) . getField ( JsPayloadAccess . ENCODING_DATA ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getEncoding" , value ) ; return value ; } | Get the contents of the encoding field from the payload part . d395685 |
162,787 | final void setCcsid ( Object value ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setCcsid" , value ) ; if ( value == null ) { jmo . getPayloadPart ( ) . setField ( JsPayloadAccess . CCSID , JsPayloadAccess . IS_CCSID_EMPTY ) ; } else if ( value instanceof Integer ) { jmo . getPayloadPart ( ) . setField ( JsPayloadAccess . CCSID_DATA , value ) ; } else { jmo . getPayloadPart ( ) . setField ( JsPayloadAccess . CCSID , JsPayloadAccess . IS_CCSID_EMPTY ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setCcsid" ) ; } | Set the contents of the ccsid field in the message payload part . d395685 |
162,788 | final void setEncoding ( Object value ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setEncoding" , value ) ; if ( ( value == null ) || ! ( value instanceof Integer ) ) { jmo . getPayloadPart ( ) . setField ( JsPayloadAccess . ENCODING , JsPayloadAccess . IS_ENCODING_EMPTY ) ; } else { jmo . getPayloadPart ( ) . setField ( JsPayloadAccess . ENCODING_DATA , value ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setEncoding" ) ; } | Set the contents of the encoding field in the message payload part . d395685 |
162,789 | public void preShutdown ( boolean transactionsLeft ) throws Exception { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "preShutdown" , transactionsLeft ) ; try { getPartnerLogTable ( ) . terminate ( ) ; if ( _tranLog != null ) { if ( ! transactionsLeft ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "There is no transaction data requiring future recovery" ) ; if ( _tranlogServiceData != null ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Erasing service data from transaction log" ) ; try { _tranLog . removeRecoverableUnit ( _tranlogServiceData . identity ( ) ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.tx.jta.impl.RecoveryManager.preShutdown" , "359" , this ) ; Tr . error ( tc , "WTRN0029_ERROR_CLOSE_LOG_IN_SHUTDOWN" ) ; throw e ; } } else { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "No service data to erase from transaction log" ) ; } } else if ( _tranlogServiceData != null ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "There is transaction data requiring future recovery. Updating epoch" ) ; if ( _failureScopeController . localFailureScope ( ) || ( _tranlogServiceData != null && _tranlogEpochSection != null ) ) { try { _tranlogEpochSection . addData ( Util . intToBytes ( _ourEpoch ) ) ; _tranlogServiceData . forceSections ( ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.tx.jta.impl.RecoveryManager.preShutdown" , "608" , this ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Exception raised forcing tranlog at shutdown" , e ) ; throw e ; } } else { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "No service data to update in transaction log" ) ; } } } } finally { if ( _tranLog != null && ( ( ! _failureScopeController . localFailureScope ( ) ) || ( ! transactionsLeft ) ) ) { try { _tranLog . closeLog ( ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.tx.jta.impl.RecoveryManager.preShutdown" , "360" , this ) ; Tr . error ( tc , "WTRN0029_ERROR_CLOSE_LOG_IN_SHUTDOWN" ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "preShutdown" ) ; throw e ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "preShutdown" ) ; } } | Informs the RecoveryManager that the transaction service is being shut down . |
162,790 | protected void updateTranLogServiceData ( ) throws Exception { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "updateTranLogServiceData" ) ; try { if ( _tranlogServiceData == null ) { _tranlogServiceData = _tranLog . createRecoverableUnit ( ) ; _tranlogServerSection = _tranlogServiceData . createSection ( TransactionImpl . SERVER_DATA_SECTION , true ) ; _tranlogApplIdSection = _tranlogServiceData . createSection ( TransactionImpl . APPLID_DATA_SECTION , true ) ; _tranlogEpochSection = _tranlogServiceData . createSection ( TransactionImpl . EPOCH_DATA_SECTION , true ) ; _tranlogServerSection . addData ( Utils . byteArray ( _failureScopeController . serverName ( ) ) ) ; _tranlogApplIdSection . addData ( _ourApplId ) ; } _tranlogEpochSection . addData ( Util . intToBytes ( _ourEpoch ) ) ; _tranlogServiceData . forceSections ( ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.tx.jta.impl.RecoveryManager.updateTranLogSeviceData" , "1130" , this ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "updateTranLogServiceData" , e ) ; throw e ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "updateTranLogServiceData" ) ; } | Update service data in the tran log files |
162,791 | protected void updatePartnerServiceData ( ) throws Exception { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "updatePartnerServiceData" ) ; try { if ( _partnerServiceData == null ) { if ( _recoverXaLog != null ) _partnerServiceData = _recoverXaLog . createRecoverableUnit ( ) ; else _partnerServiceData = _xaLog . createRecoverableUnit ( ) ; _partnerServerSection = _partnerServiceData . createSection ( TransactionImpl . SERVER_DATA_SECTION , true ) ; _partnerApplIdSection = _partnerServiceData . createSection ( TransactionImpl . APPLID_DATA_SECTION , true ) ; _partnerEpochSection = _partnerServiceData . createSection ( TransactionImpl . EPOCH_DATA_SECTION , true ) ; _partnerLowWatermarkSection = _partnerServiceData . createSection ( TransactionImpl . LOW_WATERMARK_SECTION , true ) ; _partnerNextIdSection = _partnerServiceData . createSection ( TransactionImpl . NEXT_ID_SECTION , true ) ; _partnerServerSection . addData ( Utils . byteArray ( _failureScopeController . serverName ( ) ) ) ; _partnerApplIdSection . addData ( _ourApplId ) ; _partnerEntryLowWatermark = 1 ; _partnerLowWatermarkSection . addData ( Util . intToBytes ( _partnerEntryLowWatermark ) ) ; _partnerEntryNextId = 2 ; _partnerNextIdSection . addData ( Util . intToBytes ( _partnerEntryNextId ) ) ; } _partnerEpochSection . addData ( Util . intToBytes ( _ourEpoch ) ) ; updateServerState ( STARTING ) ; _partnerServiceData . forceSections ( ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.tx.jta.impl.RecoveryManager.updatePartnerSeviceData" , "1224" , this ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "updatePartnerServiceData" , e ) ; throw e ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "updatePartnerServiceData" ) ; } | Update service data in the partner log files |
162,792 | public void waitForRecoveryCompletion ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "waitForRecoveryCompletion" ) ; if ( ! _recoveryCompleted ) { try { if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "starting to wait for recovery completion" ) ; _recoveryInProgress . waitEvent ( ) ; if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "completed wait for recovery completion" ) ; } catch ( InterruptedException exc ) { FFDCFilter . processException ( exc , "com.ibm.tx.jta.impl.RecoveryManager.waitForRecoveryCompletion" , "1242" , this ) ; if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "Wait for recovery complete interrupted." ) ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "waitForRecoveryCompletion" ) ; } | Blocks the current thread until initial recovery has completed . |
162,793 | public void recoveryComplete ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "recoveryComplete" ) ; if ( ! _recoveryCompleted ) { _recoveryCompleted = true ; _recoveryInProgress . post ( ) ; } if ( _agent != null ) { try { RecoveryDirectorFactory . recoveryDirector ( ) . initialRecoveryComplete ( _agent , _failureScopeController . failureScope ( ) ) ; } catch ( Exception exc ) { FFDCFilter . processException ( exc , "com.ibm.tx.jta.impl.RecoveryManager.recoveryComplete" , "1546" , this ) ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "recoveryComplete" ) ; } | Marks recovery as completed and signals the recovery director to this effect . |
162,794 | public boolean shutdownInProgress ( ) { synchronized ( _recoveryMonitor ) { if ( _shutdownInProgress ) { if ( ! _recoveryCompleted ) { if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "Shutdown is in progress, stopping recovery processing" ) ; recoveryComplete ( ) ; if ( _failureScopeController . localFailureScope ( ) ) { TMHelper . asynchRecoveryProcessingComplete ( null ) ; } } } } return _shutdownInProgress ; } | examine the boolean return value and not proceed with recovery if its true . |
162,795 | protected TransactionImpl [ ] getRecoveringTransactions ( ) { TransactionImpl [ ] recoveredTransactions = new TransactionImpl [ _recoveringTransactions . size ( ) ] ; _recoveringTransactions . toArray ( recoveredTransactions ) ; return recoveredTransactions ; } | This method should only be called from the recover thread else ConcurretModificationException may arise |
162,796 | protected void closeLogs ( boolean closeLeaseLog ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "closeLogs" , new Object [ ] { this , closeLeaseLog } ) ; if ( ( _tranLog != null ) && ( _tranLog instanceof DistributedRecoveryLog ) ) { try { ( ( DistributedRecoveryLog ) _tranLog ) . closeLogImmediate ( ) ; } catch ( Exception e ) { } _tranLog = null ; } if ( ( _xaLog != null ) && ( _xaLog instanceof DistributedRecoveryLog ) ) { try { ( ( DistributedRecoveryLog ) _xaLog ) . closeLogImmediate ( ) ; } catch ( Exception e ) { } _xaLog = null ; } try { if ( _leaseLog != null && closeLeaseLog ) { _leaseLog . deleteServerLease ( _failureScopeController . serverName ( ) ) ; } } catch ( Exception e ) { e . printStackTrace ( ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "closeLogs" ) ; } | Close the loggs without any keypoint - to be called on a failure to leave the logs alone and ensure distributed shutdown code does not update them . |
162,797 | public void registerTransaction ( TransactionImpl tran ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "registerTransaction" , new Object [ ] { this , tran } ) ; _recoveringTransactions . add ( tran ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "registerTransaction" , _recoveringTransactions . size ( ) ) ; } | Registers a recovered transactions existance . This method is triggered from the FailureScopeController . registerTransaction for all transactions that have been created during a recovery process . |
162,798 | public void deregisterTransaction ( TransactionImpl tran ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "deregisterTransaction" , new Object [ ] { this , tran } ) ; _recoveringTransactions . remove ( tran ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "deregisterTransaction" , _recoveringTransactions . size ( ) ) ; } | Deregisters a recovered transactions existance . This method is triggered from the FailureScopeController . deregisterTransaction for recovered transactions . |
162,799 | protected boolean recoveryModeTxnsComplete ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "recoveryModeTxnsComplete" ) ; if ( _recoveringTransactions != null ) { for ( TransactionImpl tx : _recoveringTransactions ) { if ( tx != null && ! tx . isRAImport ( ) ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "recoveryModeTxnsComplete" , Boolean . FALSE ) ; return false ; } } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "recoveryModeTxnsComplete" , Boolean . TRUE ) ; return true ; } | This does not include JCA inbound txns |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.