idx
int64 0
165k
| question
stringlengths 73
5.81k
| target
stringlengths 5
918
|
---|---|---|
162,500 | protected int getAllowCachedTimerData ( J2EEName j2eeName ) { Integer allowCachedTimerData = null ; Map < String , Integer > localAllowCachedTimerDataMap = allowCachedTimerDataMap ; if ( localAllowCachedTimerDataMap != null ) { allowCachedTimerData = localAllowCachedTimerDataMap . get ( j2eeName . toString ( ) ) ; if ( allowCachedTimerData == null ) { allowCachedTimerData = localAllowCachedTimerDataMap . get ( "*" ) ; } } return allowCachedTimerData != null ? allowCachedTimerData : 0 ; } | Return the allowed cached timer data setting for the specified bean . |
162,501 | public void batchUpdate ( HashMap invalidateIdEvents , HashMap invalidateTemplateEvents , ArrayList pushEntryEvents , ArrayList aliasEntryEvents , CacheUnit cacheUnit ) { } | This applies a set of invalidations and new entries to this CacheUnit including the local internal cache and external caches registered with this CacheUnit . |
162,502 | public static JCATranWrapper getTxWrapper ( Xid xid , boolean addAssociation ) throws XAException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getTxWrapper" , new Object [ ] { xid , addAssociation } ) ; final ByteArray key = new ByteArray ( xid . getGlobalTransactionId ( ) ) ; final JCATranWrapper txWrapper ; synchronized ( txnTable ) { txWrapper = txnTable . get ( key ) ; if ( txWrapper != null ) { if ( addAssociation ) { if ( ! txWrapper . hasAssociation ( ) ) { txWrapper . addAssociation ( ) ; } else { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getTxWrapper" , "throwing XAER_PROTO" ) ; throw new XAException ( XAException . XAER_PROTO ) ; } } } else { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getTxWrapper" , "throwing XAER_NOTA" ) ; throw new XAException ( XAException . XAER_NOTA ) ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getTxWrapper" , txWrapper ) ; return txWrapper ; } | Given an Xid returns the corresponding JCATranWrapper from the table of imported transactions or null if no entry exists . |
162,503 | protected JCATranWrapper findTxWrapper ( int timeout , Xid xid , String providerId ) throws WorkCompletedException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "findTxWrapper" , new Object [ ] { timeout , xid , providerId } ) ; final JCATranWrapper txWrapper ; final ByteArray key = new ByteArray ( xid . getGlobalTransactionId ( ) ) ; synchronized ( txnTable ) { if ( ! txnTable . containsKey ( key ) ) { if ( ! ( ( TranManagerSet ) TransactionManagerFactory . getTransactionManager ( ) ) . isQuiesced ( ) ) { final JCARecoveryData jcard = ( JCARecoveryData ) ( ( TranManagerSet ) TransactionManagerFactory . getTransactionManager ( ) ) . registerJCAProvider ( providerId ) ; try { jcard . logRecoveryEntry ( ) ; } catch ( Exception e ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "findTxWrapper" , e ) ; throw new WorkCompletedException ( e . getLocalizedMessage ( ) , WorkException . TX_RECREATE_FAILED ) ; } txWrapper = createWrapper ( timeout , xid , jcard ) ; txnTable . put ( key , txWrapper ) ; } else { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "findTxWrapper" , "quiescing" ) ; throw new WorkCompletedException ( "In quiesce period" , WorkException . TX_RECREATE_FAILED ) ; } } else { if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "Already encountered" , key ) ; txWrapper = txnTable . get ( key ) ; if ( ! txWrapper . hasAssociation ( ) ) { if ( ! txWrapper . isPrepared ( ) ) { txWrapper . addAssociation ( ) ; } else { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "findTxWrapper" , "already prepared" ) ; return null ; } } else { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "findTxWrapper" , "already associated" ) ; return null ; } txWrapper . suspend ( ) ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "findTxWrapper" , txWrapper ) ; return txWrapper ; } | Retrieve a JCATranWrapper from the table . Insert it first if it wasn t already there . Returns null if association already existed or if transaction has been prepared . |
162,504 | protected JCATranWrapper createWrapper ( int timeout , Xid xid , JCARecoveryData jcard ) throws WorkCompletedException { return new JCATranWrapperImpl ( timeout , xid , jcard ) ; } | Overridden in WAS |
162,505 | public static void addTxn ( TransactionImpl txn ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "addTxn" , txn ) ; final ByteArray key = new ByteArray ( txn . getXid ( ) . getGlobalTransactionId ( ) ) ; synchronized ( txnTable ) { if ( ! txnTable . containsKey ( key ) ) { txnTable . put ( key , new JCATranWrapperImpl ( txn , true , false ) ) ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "addTxn" ) ; } | To be called by recovery manager |
162,506 | @ SuppressWarnings ( "unchecked" ) public K getKey ( int index ) { if ( ( index < 0 ) || ( index >= size ( ) ) ) { throw new IndexOutOfBoundsException ( ) ; } return ( K ) _array [ index * 2 ] ; } | Returns the key at a specific index in the map . |
162,507 | @ SuppressWarnings ( "unchecked" ) public V getValue ( int index ) { if ( ( index < 0 ) || ( index >= size ( ) ) ) { throw new IndexOutOfBoundsException ( ) ; } return ( V ) _array [ index * 2 + 1 ] ; } | Returns the value at a specific index in the map . |
162,508 | static public Object get ( Object [ ] array , Object key ) { Object o = getByIdentity ( array , key ) ; if ( o != null ) { return o ; } return getByEquality ( array , key ) ; } | Gets the object stored with the given key . Scans first by object identity then by object equality . |
162,509 | static public Object getByIdentity ( Object [ ] array , Object key ) { if ( array != null ) { int length = array . length ; for ( int i = 0 ; i < length ; i += 2 ) { if ( array [ i ] == key ) { return array [ i + 1 ] ; } } } return null ; } | Gets the object stored with the given key using only object identity . |
162,510 | static public Object getByEquality ( Object [ ] array , Object key ) { if ( array != null ) { int length = array . length ; for ( int i = 0 ; i < length ; i += 2 ) { Object targetKey = array [ i ] ; if ( targetKey == null ) { return null ; } else if ( targetKey . equals ( key ) ) { return array [ i + 1 ] ; } } } return null ; } | Gets the object stored with the given key using only object equality . |
162,511 | @ SuppressWarnings ( "unchecked" ) public Iterator < K > keys ( ) { int size = _size ; if ( size == 0 ) { return null ; } ArrayList < K > keyList = new ArrayList < K > ( ) ; int i = ( size - 1 ) * 2 ; while ( i >= 0 ) { keyList . add ( ( K ) _array [ i ] ) ; i = i - 2 ; } return keyList . iterator ( ) ; } | Returns an enumeration of the keys in this map . the Iterator methods on the returned object to fetch the elements sequentially . |
162,512 | public static Iterator < Object > getKeys ( Object [ ] array ) { if ( array == null ) { return null ; } ArrayList < Object > keyList = new ArrayList < Object > ( ) ; int i = array . length - 2 ; while ( i >= 0 ) { keyList . add ( array [ i ] ) ; i = i - 2 ; } return keyList . iterator ( ) ; } | Returns an Iterator of keys in the array . |
162,513 | public static Iterator < Object > getValues ( Object [ ] array ) { if ( array == null ) { return null ; } ArrayList < Object > valueList = new ArrayList < Object > ( ) ; int i = array . length - 1 ; while ( i >= 0 ) { valueList . add ( array [ i ] ) ; i = i - 2 ; } return valueList . iterator ( ) ; } | Returns an Iterator of values in the array . |
162,514 | public void clear ( ) { int size = _size ; if ( size > 0 ) { size = size * 2 ; for ( int i = 0 ; i < size ; i ++ ) { _array [ i ] = null ; } _size = 0 ; } } | Removes all elements from the ArrayMap . |
162,515 | private void sendErrorJSON ( HttpServletResponse response , int statusCode , String errorCode , String errorDescription ) { final String error = "error" ; final String error_description = "error_description" ; try { if ( errorCode != null ) { response . setStatus ( statusCode ) ; response . setHeader ( ClientConstants . REQ_CONTENT_TYPE_NAME , "application/json;charset=UTF-8" ) ; JSONObject responseJSON = new JSONObject ( ) ; responseJSON . put ( error , errorCode ) ; if ( errorDescription != null ) { responseJSON . put ( error_description , errorDescription ) ; } PrintWriter pw ; pw = response . getWriter ( ) ; pw . write ( responseJSON . toString ( ) ) ; pw . flush ( ) ; } else { response . sendError ( statusCode ) ; } } catch ( IOException e ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Internal error sending error message" , e ) ; try { response . sendError ( HttpServletResponse . SC_INTERNAL_SERVER_ERROR ) ; } catch ( IOException ioe ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "yet another internal error, give up" , ioe ) ; } } } | refactored from Oauth SendErrorJson . Only usable for sending an http400 . |
162,516 | public boolean first ( ) throws SQLException { try { if ( dsConfig . get ( ) . beginTranForResultSetScrollingAPIs ) getConnectionWrapper ( ) . beginTransactionIfNecessary ( ) ; return rsetImpl . first ( ) ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.first" , "411" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Moves the cursor to the first row in the result set . |
162,517 | public Array getArray ( int arg0 ) throws SQLException { try { Array ra = rsetImpl . getArray ( arg0 ) ; if ( ra != null && freeResourcesOnClose ) arrays . add ( ra ) ; return ra ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.getArray" , "438" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Gets an SQL ARRAY value from the current row of this ResultSet object . |
162,518 | public Blob getBlob ( int arg0 ) throws SQLException { try { Blob blob = rsetImpl . getBlob ( arg0 ) ; if ( blob != null && freeResourcesOnClose ) blobs . add ( blob ) ; return blob ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.getBlob" , "754" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Gets a BLOB value in the current row of this ResultSet object . |
162,519 | public Reader getCharacterStream ( int arg0 ) throws SQLException { try { Reader reader = rsetImpl . getCharacterStream ( arg0 ) ; if ( reader != null && freeResourcesOnClose ) resources . add ( reader ) ; return reader ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.getCharacterStream" , "983" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Gets the value of a column in the current row as a java . io . Reader . |
162,520 | public Clob getClob ( int arg0 ) throws SQLException { try { Clob clob = rsetImpl . getClob ( arg0 ) ; if ( clob != null && freeResourcesOnClose ) clobs . add ( clob ) ; return clob ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.getClob" , "1037" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Gets a CLOB value in the current row of this ResultSet object . |
162,521 | public String getCursorName ( ) throws SQLException { try { return rsetImpl . getCursorName ( ) ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.getCursorName" , "1129" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Gets the name of the SQL cursor used by this ResultSet . |
162,522 | public int getFetchDirection ( ) throws SQLException { try { return rsetImpl . getFetchDirection ( ) ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.getFetchDirection" , "1336" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Returns the fetch direction for this result set . |
162,523 | public ResultSetMetaData getMetaData ( ) throws SQLException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( this , tc , "getMetaData" ) ; ResultSetMetaData rsetMData = null ; try { rsetMData = rsetImpl . getMetaData ( ) ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.getMetaData" , "1579" , this ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , "getMetaData" , "Exception" ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , "getMetaData" , "Exception" ) ; throw runtimeXIfNotClosed ( nullX ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , "getMetaData" , rsetMData ) ; return rsetMData ; } | Retrieves the number types and properties of a ResultSet s columns . |
162,524 | public Object getObject ( String arg0 ) throws SQLException { try { Object result = rsetImpl . getObject ( arg0 ) ; addFreedResources ( result ) ; return result ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.getObject" , "1684" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Gets the value of a column in the current row as a Java object . |
162,525 | public Statement getStatement ( ) throws SQLException { if ( state == State . CLOSED || parentWrapper == null ) throw createClosedException ( "ResultSet" ) ; if ( parentWrapper instanceof WSJdbcDatabaseMetaData ) return null ; return ( Statement ) parentWrapper ; } | Returns the Statement that produced this ResultSet object . If the result set was generated some other way such as by a DatabaseMetaData method this method returns null . |
162,526 | public SQLWarning getWarnings ( ) throws SQLException { try { return rsetImpl . getWarnings ( ) ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.getWarnings" , "2345" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | The first warning reported by calls on this ResultSet is returned . Subsequent ResultSet warnings will be chained to this SQLWarning . |
162,527 | public void setFetchDirection ( int direction ) throws SQLException { if ( tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "setFetchDirection" , AdapterUtil . getFetchDirectionString ( direction ) ) ; try { rsetImpl . setFetchDirection ( direction ) ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.setFetchDirection" , "2860" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Gives a hint as to the direction in which the rows in this result set will be processed . The initial value is determined by the statement that produced the result set . The fetch direction may be changed at any time . |
162,528 | public void setFetchSize ( int rows ) throws SQLException { if ( tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "setFetchSize" , rows ) ; try { rsetImpl . setFetchSize ( rows ) ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.setFetchSize" , "2891" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Gives the JDBC driver a hint as to the number of rows that should be fetched from the database when more rows are needed for this result set . If the fetch size specified is zero the JDBC driver ignores the value and is free to make its own best guess as to what the fetch size should be . The default value is set by the statement that created the result set . The fetch size may be changed at any time . |
162,529 | public void updateBinaryStream ( String arg0 , InputStream arg1 , int arg2 ) throws SQLException { try { rsetImpl . updateBinaryStream ( arg0 , arg1 , arg2 ) ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.updateBinaryStream" , "3075" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Updates a column with a binary stream value . The updateXXX methods are used to update column values in the current row or the insert row . The updateXXX methods do not update the underlying database ; instead the updateRow or insertRow methods are called to update the database . |
162,530 | public void updateCharacterStream ( String arg0 , Reader arg1 , int arg2 ) throws SQLException { try { rsetImpl . updateCharacterStream ( arg0 , arg1 , arg2 ) ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.updateCharacterStream" , "3317" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Updates a column with a character stream value . The updateXXX methods are used to update column values in the current row or the insert row . The updateXXX methods do not update the underlying database ; instead the updateRow or insertRow methods are called to update the database . |
162,531 | public void updateObject ( int arg0 , Object arg1 , int arg2 ) throws SQLException { try { rsetImpl . updateObject ( arg0 , arg1 , arg2 ) ; } catch ( SQLException ex ) { FFDCFilter . processException ( ex , "com.ibm.ws.rsadapter.jdbc.WSJdbcResultSet.updateObject" , "3737" , this ) ; throw WSJdbcUtil . mapException ( this , ex ) ; } catch ( NullPointerException nullX ) { throw runtimeXIfNotClosed ( nullX ) ; } } | Updates a column with an Object value . The updateXXX methods are used to update column values in the current row or the insert row . The updateXXX methods do not update the underlying database ; instead the updateRow or insertRow methods are called to update the database . |
162,532 | public void afterCompletion ( int status ) { logger . log ( Level . FINE , "The status of the transaction commit is: " + status ) ; if ( status == Status . STATUS_COMMITTED ) { runtimeStepExecution . setCommittedMetrics ( ) ; } else { runtimeStepExecution . rollBackMetrics ( ) ; } } | Upon successful transaction commit status store the value of the committed metrics . Upon any other status value roll back the metrics to the last committed value . |
162,533 | public final Object invokeInterceptor ( Object bean , InvocationContext inv , Object [ ] interceptors ) throws Exception { Object interceptorInstance = ( ivBeanInterceptor ) ? bean : interceptors [ ivInterceptorIndex ] ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "invoking " + this ) ; Tr . debug ( tc , "interceptor instance = " + interceptorInstance ) ; } if ( ivRequiresInvocationContext ) { try { Object [ ] args = new Object [ ] { inv } ; return ivInterceptorMethod . invoke ( interceptorInstance , args ) ; } catch ( IllegalArgumentException ie ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "ivInterceptorMethod: " + ivInterceptorMethod . toString ( ) + " class: " + ivInterceptorMethod . getClass ( ) + " declaring class: " + ivInterceptorMethod . getDeclaringClass ( ) ) ; Tr . debug ( tc , "interceptorInstance: " + interceptorInstance . toString ( ) + " class: " + interceptorInstance . getClass ( ) ) ; } throw ie ; } } else { return ivInterceptorMethod . invoke ( interceptorInstance , NO_ARGS ) ; } } | Invoke the interceptor method associated with the interceptor index that was passed as the interceptorIndex parameter of the constructor method of this class . |
162,534 | public Object invoke ( Object proxy , Method method , Object [ ] args ) throws Throwable { String methodName = method . getName ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( this , tc , methodName , args ) ; Object r = null ; try { if ( args == null || args . length == 0 ) { if ( "canRegisterSynchronization" . equals ( methodName ) ) r = canRegisterSynchronization ( ) ; else if ( "getCurrentStatus" . equals ( methodName ) ) r = getCurrentStatus ( ) ; else if ( "hashCode" . equals ( methodName ) ) r = System . identityHashCode ( this ) ; else if ( "retrieveTransactionManager" . equals ( methodName ) ) r = retrieveTransactionManager ( ) ; else if ( "retrieveUserTransaction" . equals ( methodName ) ) r = retrieveUserTransaction ( ) ; else if ( "toString" . equals ( methodName ) ) r = new StringBuilder ( getClass ( ) . getName ( ) ) . append ( '@' ) . append ( Integer . toHexString ( System . identityHashCode ( this ) ) ) . toString ( ) ; } else { if ( "equals" . equals ( methodName ) ) r = proxy == args [ 0 ] ; else if ( "getTransactionIdentifier" . equals ( methodName ) ) r = getTransactionIdentifier ( ( Transaction ) args [ 0 ] ) ; else if ( "registerSynchronization" . equals ( methodName ) ) registerSynchronization ( ( Synchronization ) args [ 0 ] ) ; } } catch ( Throwable x ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , methodName , x ) ; throw x ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , methodName , r ) ; return r ; } | Invokes our implementation for methods of org . hibernate . engine . transaction . jta . platform . spi . JtaPlatform |
162,535 | protected String getMFMainClass ( Container appEntryContainer , String entryPath , boolean required ) { String mfMainClass = null ; try { String entry = "/META-INF/MANIFEST.MF" ; Entry manifestEntry = appEntryContainer . getEntry ( entry ) ; if ( manifestEntry != null ) { InputStream is = null ; try { is = manifestEntry . adapt ( InputStream . class ) ; if ( is == null ) { throw new FileNotFoundException ( entry ) ; } Manifest manifest = new Manifest ( is ) ; mfMainClass = manifest . getMainAttributes ( ) . getValue ( Attributes . Name . MAIN_CLASS ) ; if ( "" . equals ( mfMainClass ) ) { mfMainClass = null ; } } finally { if ( is != null ) { try { is . close ( ) ; } catch ( IOException io ) { } } } } if ( mfMainClass == null && required ) { Tr . error ( _tc , "error.module.manifest.read.no.mainclass" , getName ( ) , entryPath ) ; } } catch ( IOException ioe ) { Tr . error ( _tc , "error.module.manifest.read.failed" , getName ( ) , entryPath , ioe ) ; } catch ( UnableToAdaptException uae ) { Tr . error ( _tc , "error.module.manifest.read.failed" , getName ( ) , entryPath , uae ) ; } return mfMainClass ; } | Return the Main - Class from the MANIFEST . MF . |
162,536 | protected int insert ( SpdData elt ) { if ( members . isEmpty ( ) ) { members . add ( elt ) ; return 0 ; } int first = 0 ; SpdData firstElt = ( SpdData ) members . get ( first ) ; int last = members . size ( ) - 1 ; SpdData lastElt = ( SpdData ) members . get ( last ) ; if ( elt . compareTo ( firstElt ) < 0 ) { members . add ( first , elt ) ; return first ; } else if ( elt . compareTo ( lastElt ) > 0 ) { members . add ( last + 1 , elt ) ; return last + 1 ; } while ( last > ( first + 1 ) ) { int middle = ( first + last ) / 2 ; SpdData midElt = ( SpdData ) members . get ( middle ) ; if ( midElt . compareTo ( elt ) > 0 ) { last = middle ; lastElt = midElt ; } else { first = middle ; firstElt = midElt ; } } if ( ( elt . compareTo ( firstElt ) == 0 ) || ( elt . compareTo ( lastElt ) == 0 ) ) { return - 1 ; } else { members . add ( last , elt ) ; return last ; } } | Insert the element into the members vector in sorted lexicographical order |
162,537 | public synchronized boolean addSorted ( SpdData data ) { if ( data == null ) { return false ; } else if ( members . contains ( data ) ) { return false ; } else { return ( insert ( data ) != - 1 ) ; } } | add a data in a sorted order |
162,538 | public synchronized boolean add ( SpdData data ) { if ( data == null ) { return false ; } else if ( members . contains ( data ) ) { return false ; } else { return members . add ( data ) ; } } | append a data to the members list - not sorted |
162,539 | private void collectFeatureInfos ( Map < String , ProductInfo > productInfos , Map < String , FeatureInfo > featuresBySymbolicName ) { ManifestFileProcessor manifestFileProcessor = new ManifestFileProcessor ( ) ; for ( Map . Entry < String , Map < String , ProvisioningFeatureDefinition > > productEntry : manifestFileProcessor . getFeatureDefinitionsByProduct ( ) . entrySet ( ) ) { String productName = productEntry . getKey ( ) ; Map < String , ProvisioningFeatureDefinition > features = productEntry . getValue ( ) ; ContentBasedLocalBundleRepository repository ; if ( productName . equals ( ManifestFileProcessor . CORE_PRODUCT_NAME ) ) { repository = BundleRepositoryRegistry . getInstallBundleRepository ( ) ; } else if ( productName . equals ( ManifestFileProcessor . USR_PRODUCT_EXT_NAME ) ) { repository = BundleRepositoryRegistry . getUsrInstallBundleRepository ( ) ; } else { repository = manifestFileProcessor . getBundleRepository ( productName , null ) ; } ProductInfo productInfo = new ProductInfo ( repository ) ; productInfos . put ( productName , productInfo ) ; for ( Map . Entry < String , ProvisioningFeatureDefinition > featureEntry : features . entrySet ( ) ) { String featureSymbolicName = featureEntry . getKey ( ) ; ProvisioningFeatureDefinition feature = featureEntry . getValue ( ) ; FeatureInfo featureInfo = new FeatureInfo ( productInfo , feature ) ; featuresBySymbolicName . put ( featureSymbolicName , featureInfo ) ; String shortName = feature . getIbmShortName ( ) ; if ( shortName != null ) { productInfo . featuresByShortName . put ( shortName , featureInfo ) ; } } } } | Collect information about all installed products and their features . |
162,540 | private FeatureInfo getFeatureInfo ( String name , Map < String , ProductInfo > productInfos , Map < String , FeatureInfo > featuresBySymbolicName ) { String productName , featureName ; int index = name . indexOf ( ':' ) ; if ( index == - 1 ) { FeatureInfo featureInfo = featuresBySymbolicName . get ( name ) ; if ( featureInfo != null ) { return featureInfo ; } productName = ManifestFileProcessor . CORE_PRODUCT_NAME ; featureName = name ; } else { productName = name . substring ( 0 , index ) ; featureName = name . substring ( index + 1 ) ; } ProductInfo product = productInfos . get ( productName ) ; return product == null ? null : product . featuresByShortName . get ( featureName ) ; } | Gets a feature by its name using the server . xml featureManager algorithm . |
162,541 | private void collectAPIJars ( FeatureInfo featureInfo , Map < String , FeatureInfo > allowedFeatures , Set < File > apiJars ) { for ( SubsystemContentType contentType : JAR_CONTENT_TYPES ) { for ( FeatureResource resource : featureInfo . feature . getConstituents ( contentType ) ) { if ( APIType . getAPIType ( resource ) == APIType . API ) { File file = featureInfo . productInfo . repository . selectBundle ( resource . getLocation ( ) , resource . getSymbolicName ( ) , resource . getVersionRange ( ) ) ; if ( file != null ) { apiJars . add ( file ) ; } } } } for ( FeatureResource resource : featureInfo . feature . getConstituents ( SubsystemContentType . FEATURE_TYPE ) ) { String name = resource . getSymbolicName ( ) ; FeatureInfo childFeatureInfo = allowedFeatures . get ( name ) ; if ( childFeatureInfo != null && APIType . API . matches ( resource ) ) { allowedFeatures . remove ( name ) ; collectAPIJars ( childFeatureInfo , allowedFeatures , apiJars ) ; } } } | Collect API JARs from a feature and its recursive dependencies . |
162,542 | private void createClasspathJar ( File outputFile , String classpath ) throws IOException { FileOutputStream out = new FileOutputStream ( outputFile ) ; try { Manifest manifest = new Manifest ( ) ; Attributes attrs = manifest . getMainAttributes ( ) ; attrs . put ( Attributes . Name . MANIFEST_VERSION , "1.0" ) ; attrs . put ( Attributes . Name . CLASS_PATH , classpath ) ; new JarOutputStream ( out , manifest ) . close ( ) ; } finally { out . close ( ) ; } } | Writes a JAR with a MANIFEST . MF containing the Class - Path string . |
162,543 | public void setupDiscProcess ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "setupDiscProcess" ) ; } ChannelData list [ ] = chainData . getChannelList ( ) ; Class < ? > discriminatoryType = null ; DiscriminationProcessImpl dp = null ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Get the channels started" ) ; } for ( int i = 0 ; i < list . length ; i ++ ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Set up disc process for channel, " + list [ i ] . getName ( ) ) ; } if ( list . length != i + 1 ) { dp = ( DiscriminationProcessImpl ) ( ( InboundChannel ) channels [ i ] ) . getDiscriminationProcess ( ) ; if ( dp == null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Create a discrimination process for channel, " + channels [ i ] . getName ( ) ) ; } discriminatoryType = ( ( InboundChannel ) channels [ i ] ) . getDiscriminatoryType ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Discriminatory type: " + discriminatoryType ) ; } dp = new DiscriminationProcessImpl ( discriminatoryType , list [ i ] . getName ( ) ) ; ( ( InboundChannel ) channels [ i ] ) . setDiscriminationProcess ( dp ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Found DP: " + dp ) ; } } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Last channel in chain, " + list [ i ] . getName ( ) ) ; } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "setupDiscProcess" ) ; } } | This method is called from the channel framework right before the start method is called . In between it starts up the channels in the chain . |
162,544 | public void startDiscProcessBetweenChannels ( InboundChannel appChannel , InboundChannel devChannel , int discWeight ) throws ChainException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "startDiscProcessBetweenChannels" ) ; } Discriminator d = null ; Exception discException = null ; try { d = appChannel . getDiscriminator ( ) ; if ( d == null ) { discException = new Exception ( "Null discriminator extracted from channel " + appChannel . getName ( ) ) ; } } catch ( Exception e ) { discException = e ; } if ( null != discException ) { FFDCFilter . processException ( discException , getClass ( ) . getName ( ) + ".startDiscProcessBetweenChannels" , "234" , this , new Object [ ] { appChannel , devChannel , Integer . valueOf ( discWeight ) } ) ; throw new ChainException ( "Unable to get discriminator from " + appChannel . getName ( ) , discException ) ; } DiscriminationGroup prevDg = ( DiscriminationGroup ) devChannel . getDiscriminationProcess ( ) ; if ( ! ( ( DiscriminationProcessImpl ) prevDg ) . containsDiscriminator ( d ) ) { if ( ! ( prevDg . getDiscriminators ( ) . isEmpty ( ) ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Create new dp for channel, " + devChannel . getName ( ) ) ; } DiscriminationGroup newDg = new DiscriminationProcessImpl ( devChannel . getDiscriminatoryType ( ) , prevDg ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Add in discriminator from channel, " + appChannel . getName ( ) ) ; } newDg . addDiscriminator ( d , discWeight ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Set dp into channel, " + devChannel . getName ( ) ) ; } newDg . start ( ) ; devChannel . setDiscriminationProcess ( newDg ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Add in disc from channel, " + appChannel . getName ( ) + " into dp of channel, " + devChannel . getName ( ) ) ; } prevDg . addDiscriminator ( d , discWeight ) ; prevDg . start ( ) ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Found discriminator in dp, " + appChannel . getName ( ) ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "startDiscProcessBetweenChannels" ) ; } } | This method is called from ChannelFrameworkImpl during chain startup to start up the discrimination process between each set of adjacent channels in the chain . |
162,545 | public void disableChannel ( Channel inputChannel ) throws InvalidChannelNameException , DiscriminationProcessException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "disableChannel: " + inputChannel . getName ( ) ) ; } synchronized ( state ) { if ( RuntimeState . STARTED . equals ( state ) || RuntimeState . QUIESCED . equals ( state ) ) { String targetName = inputChannel . getName ( ) ; int index = 0 ; InboundChannel prevChannel = null ; for ( ; index < channels . length ; index ++ ) { if ( channels [ index ] . getName ( ) . equals ( targetName ) ) { break ; } prevChannel = ( InboundChannel ) channels [ index ] ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Index of channel, " + index ) ; } if ( channels . length == index ) { InvalidChannelNameException e = new InvalidChannelNameException ( "ERROR: can't unlink unknown channel, " + targetName ) ; FFDCFilter . processException ( e , getClass ( ) . getName ( ) + ".disableChannel" , "319" , this , new Object [ ] { inputChannel } ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "disableChannel" ) ; } throw e ; } else if ( null != prevChannel ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Previous channel, " + prevChannel . getName ( ) ) ; } Class < ? > discriminatoryType = prevChannel . getDiscriminatoryType ( ) ; DiscriminationProcessImpl newDp = new DiscriminationProcessImpl ( discriminatoryType , ( DiscriminationGroup ) prevChannel . getDiscriminationProcess ( ) ) ; newDp . removeDiscriminator ( ( ( InboundChannel ) inputChannel ) . getDiscriminator ( ) ) ; prevChannel . setDiscriminationProcess ( newDp ) ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "RuntimeState invalid to disable channel: " + inputChannel . getName ( ) + ", chain state: " + state . ordinal ) ; } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "disableChannel" ) ; } } | Disable the input channel . |
162,546 | public void writeSilence ( MessageItem m ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "writeSilence" , new Object [ ] { m } ) ; JsMessage jsMsg = m . getMessage ( ) ; long stamp = jsMsg . getGuaranteedValueValueTick ( ) ; long ends = jsMsg . getGuaranteedValueEndTick ( ) ; if ( ends < stamp ) ends = stamp ; TickRange tr = new TickRange ( TickRange . Completed , jsMsg . getGuaranteedValueStartTick ( ) , ends ) ; writeSilenceInternal ( tr , false ) ; long gapFromPreviousAck = ends - this . _lastAckedTick ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "gap from the previous ack: " + gapFromPreviousAck + " lastAckedTick: " + this . _lastAckedTick ) ; if ( gapFromPreviousAck >= this . ACK_GAP_FOR_SILENCE_TICKS ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "sending the ACK message for the batch of silence message " , new Object [ ] { m } ) ; sendAck ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "writeSilence" ) ; } | This method uses a Value message to write Silence into the stream because a message has been filtered out |
162,547 | private void handleNewGap ( long startstamp , long endstamp ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "handleNewGap" , new Object [ ] { Long . valueOf ( startstamp ) , Long . valueOf ( endstamp ) } ) ; TickRange tr = new TickRange ( TickRange . Requested , startstamp , endstamp ) ; oststream . writeRange ( tr ) ; getControlAdapter ( ) . getHealthState ( ) . updateHealth ( HealthStateListener . GAP_DETECTED_STATE , HealthState . AMBER ) ; NRTExpiryHandle nexphandle = new NRTExpiryHandle ( tr , this ) ; nexphandle . timer = am . create ( mp . getCustomProperties ( ) . getGapCuriosityThreshold ( ) , nexphandle ) ; addAlarm ( this , nexphandle ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "handleNewGap" ) ; } | all methods calling this are already synchronized |
162,548 | protected static void addAlarm ( Object key , Object alarmObject ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "addAlarm" , new Object [ ] { key , alarmObject } ) ; synchronized ( pendingAlarms ) { Set alarms = null ; if ( pendingAlarms . containsKey ( key ) ) alarms = ( Set ) pendingAlarms . get ( key ) ; else { alarms = new HashSet ( ) ; pendingAlarms . put ( key , alarms ) ; } alarms . add ( alarmObject ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addAlarm" ) ; } | Utility method for adding an alarm which needs to be expired if a flush occurs . |
162,549 | protected static void removeAlarm ( Object key , Object alarmObject ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "removeAlarm" , new Object [ ] { key , alarmObject } ) ; synchronized ( pendingAlarms ) { if ( pendingAlarms . containsKey ( key ) ) ( ( Set ) pendingAlarms . get ( key ) ) . remove ( alarmObject ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeAlarm" ) ; } | Utility method for removing an alarm from the alarm set . Has no effect if either no alarms are associated with the given key or the given alarm object does not exist . |
162,550 | protected static Iterator getAlarms ( Object key ) { synchronized ( pendingAlarms ) { if ( pendingAlarms . containsKey ( key ) ) return ( ( Set ) pendingAlarms . get ( key ) ) . iterator ( ) ; return new GTSIterator ( ) ; } } | Utility method for getting the list of all alarms associated with a particular key . Returns an empty Iterator if the given key has no alarms . |
162,551 | private boolean isStreamBlocked ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( this , tc , "isStreamBlocked" ) ; SibTr . exit ( tc , "isStreamBlocked" , new Object [ ] { Boolean . valueOf ( isStreamBlocked ) , Long . valueOf ( linkBlockingTick ) } ) ; } return this . isStreamBlocked ; } | Is the stream marked as blocked . |
162,552 | private boolean isStreamBlockedUnexpectedly ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( this , tc , "isStreamBlockedUnexpectedly" ) ; SibTr . exit ( tc , "isStreamBlockedUnexpectedly" , Boolean . valueOf ( unexpectedBlock ) ) ; } return unexpectedBlock ; } | Is the stream marked as blocked unexpectedly |
162,553 | private boolean streamCanAcceptNewMessage ( MessageItem msgItem , long valueTick ) throws SIException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "streamCanAcceptNewMessage" , new Object [ ] { msgItem , Long . valueOf ( valueTick ) } ) ; boolean allowSend = false ; if ( isStreamBlocked ( ) ) { if ( valueTick <= valueHorizon ) { allowSend = true ; } } else { JsMessage msg = msgItem . getMessage ( ) ; int blockingReason = deliverer . checkAbleToAcceptMessage ( msg . getRoutingDestination ( ) ) ; if ( blockingReason != DestinationHandler . OUTPUT_HANDLER_FOUND ) { if ( valueTick <= valueHorizon ) { allowSend = true ; } else { setStreamIsBlocked ( true , blockingReason , null , msg . getRoutingDestination ( ) ) ; linkBlockingTick = valueTick ; } } else { allowSend = true ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "streamCanAcceptNewMessage" , Boolean . valueOf ( allowSend ) ) ; return allowSend ; } | Check to see if the stream is able to accept a new message . If it cannot then the message is only allowed through if it has the possibility of filling in a gap . See defects 244425 and 464463 . |
162,554 | public static UOWManager getUOWManager ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getUOWManager" ) ; final UOWManager uowm = com . ibm . ws . uow . embeddable . UOWManagerFactory . getUOWManager ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getUOWManager" , uowm ) ; return uowm ; } | Returns a stateless thread - safe UOWManager instance . |
162,555 | String getProcErrorOutput ( Process proc ) throws IOException { StringBuffer output = new StringBuffer ( ) ; InputStream procIn = proc . getInputStream ( ) ; int read ; do { byte [ ] buffer = new byte [ BUFFER_SIZE ] ; read = procIn . read ( buffer ) ; String s = new String ( buffer ) ; output . append ( s ) ; } while ( read == BUFFER_SIZE ) ; return output . toString ( ) ; } | Grabs the error message generated by executing the process . |
162,556 | public void init ( boolean useDirect , int outSize , int inSize , int cacheSize ) { super . init ( useDirect , outSize , inSize , cacheSize ) ; } | Initialize this trailer header storage object with certain configuration information . |
162,557 | public void setDeferredTrailer ( HeaderKeys hdr , HttpTrailerGenerator htg ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "setDeferredTrailer(HeaderKeys): " + hdr ) ; } if ( null == hdr ) { throw new IllegalArgumentException ( "Null header name" ) ; } if ( null == htg ) { throw new IllegalArgumentException ( "Null value generator" ) ; } this . knownTGs . put ( hdr , htg ) ; } | Set a trailer based upon a not - yet established value . |
162,558 | public void computeRemainingTrailers ( ) { if ( tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "computeRemainingTrailers" ) ; } Iterator < HeaderKeys > knowns = this . knownTGs . keySet ( ) . iterator ( ) ; while ( knowns . hasNext ( ) ) { HeaderKeys key = knowns . next ( ) ; setHeader ( key , this . knownTGs . get ( key ) . generateTrailerValue ( key , this ) ) ; } if ( tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "computeRemainingTrailers" ) ; } } | Compute all deferred headers . |
162,559 | public void destroy ( ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Destroy trailers: " + this ) ; } super . destroy ( ) ; if ( null != this . myFactory ) { this . myFactory . releaseTrailers ( this ) ; this . myFactory = null ; } } | Destroy this object . |
162,560 | public HttpTrailersImpl duplicate ( ) { if ( null == this . myFactory ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Null factory, unable to duplicate: " + this ) ; } return null ; } if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Duplicating the trailer headers: " + this ) ; } computeRemainingTrailers ( ) ; HttpTrailersImpl msg = this . myFactory . getTrailers ( ) ; super . duplicate ( msg ) ; return msg ; } | Create a duplicate version of these trailer headers . |
162,561 | public static boolean isPathContained ( List < String > allowedPaths , String targetPath ) { if ( allowedPaths == null || allowedPaths . isEmpty ( ) || targetPath == null ) { return false ; } if ( ! targetPath . isEmpty ( ) && targetPath . charAt ( targetPath . length ( ) - 1 ) == '/' && targetPath . length ( ) > 1 && ! isWindowsRootDirectory ( targetPath ) ) { targetPath = targetPath . substring ( 0 , targetPath . length ( ) - 1 ) ; } while ( targetPath != null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Target path: " + targetPath ) ; } for ( int i = 0 ; i < allowedPaths . size ( ) ; i ++ ) { String allowedPath = allowedPaths . get ( i ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Checking path: " + allowedPath ) ; } if ( "" . equals ( allowedPath ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Skipping an empty path" ) ; } continue ; } if ( allowedPath . equalsIgnoreCase ( targetPath ) ) { return true ; } } targetPath = getNormalizedParent ( targetPath ) ; } return false ; } | Returns true if the targetPath is contained within one of the allowedPaths . |
162,562 | public StatisticImpl getStatistic ( ) { if ( enabled ) { long curTime = stat . updateIntegral ( ) ; stat . setLastSampleTime ( curTime ) ; return stat ; } else { return stat ; } } | to time . |
162,563 | public void combine ( SpdLoad other ) { if ( other == null ) return ; if ( stat . isEnabled ( ) && other . isEnabled ( ) ) stat . combine ( other . getStatistic ( ) ) ; } | Combine this data and other SpdLoad data |
162,564 | private String getProperty ( String variable , EvaluationContext context , boolean ignoreWarnings , boolean useEnvironment ) throws ConfigEvaluatorException { return stringUtils . convertToString ( getPropertyObject ( variable , context , ignoreWarnings , useEnvironment ) ) ; } | Returns the value of the variable as a string or null if the property does not exist . |
162,565 | Object processVariableLists ( Object rawValue , ExtendedAttributeDefinition attributeDef , EvaluationContext context , boolean ignoreWarnings ) throws ConfigEvaluatorException { if ( attributeDef != null && ! attributeDef . resolveVariables ( ) ) return rawValue ; if ( rawValue instanceof List ) { List < Object > returnList = new ArrayList < Object > ( ) ; List < Object > values = ( List < Object > ) rawValue ; for ( Object o : values ) { Object processed = processVariableLists ( o , attributeDef , context , ignoreWarnings ) ; if ( processed instanceof List ) returnList . addAll ( ( List < Object > ) processed ) ; else returnList . add ( processed ) ; } return returnList ; } else if ( rawValue instanceof String ) { Matcher matcher = XMLConfigConstants . VAR_LIST_PATTERN . matcher ( ( String ) rawValue ) ; if ( matcher . find ( ) ) { String var = matcher . group ( 1 ) ; String rep = getProperty ( var , context , ignoreWarnings , true ) ; return rep == null ? rawValue : MetaTypeHelper . parseValue ( rep ) ; } else { return rawValue ; } } else { return rawValue ; } } | Replaces list variable expressions in raw string values |
162,566 | ContentMatcher nextMatcher ( Conjunction selector , ContentMatcher oldMatcher ) { return Factory . createMatcher ( ordinalPosition , selector , oldMatcher ) ; } | Determine the next matcher to which a put operation should be delegated . Except when cacheing is active this method delegates to Factory . createMatcher . It is overridden in EqualityMatcher to wrap newly created Matchers in a CacheingMatcher when appropriate |
162,567 | private void syncToOSThread ( WebSecurityContext webSecurityContext ) throws SecurityViolationException { try { Object token = ThreadIdentityManager . setAppThreadIdentity ( subjectManager . getInvocationSubject ( ) ) ; webSecurityContext . setSyncToOSThreadToken ( token ) ; } catch ( ThreadIdentityException tie ) { SecurityViolationException secVE = convertWebSecurityException ( new WebSecurityCollaboratorException ( tie . getMessage ( ) , DENY_AUTHZ_FAILED , webSecurityContext ) ) ; throw secVE ; } } | Sync the invocation Subject s identity to the thread if request by the application . |
162,568 | private void resetSyncToOSThread ( WebSecurityContext webSecurityContext ) throws ThreadIdentityException { Object token = webSecurityContext . getSyncToOSThreadToken ( ) ; if ( token != null ) { ThreadIdentityManager . resetChecked ( token ) ; } } | Remove the invocation Subject s identity from the thread if it was previously sync ed . |
162,569 | public AuthenticationResult authenticateRequest ( WebRequest webRequest ) { WebAuthenticator authenticator = getWebAuthenticatorProxy ( ) ; return authenticator . authenticate ( webRequest ) ; } | The main method called by the preInvoke . The return value of this method tells us if access to the requested resource is allowed or not . Delegates to the authenticator proxy to handle the authentication . |
162,570 | public boolean authorize ( AuthenticationResult authResult , String appName , String uriName , Subject previousCaller , List < String > requiredRoles ) { subjectManager . setCallerSubject ( authResult . getSubject ( ) ) ; boolean isAuthorized = authorize ( authResult , appName , uriName , requiredRoles ) ; if ( isAuthorized ) { subjectManager . setInvocationSubject ( authResult . getSubject ( ) ) ; } else { subjectManager . setCallerSubject ( previousCaller ) ; } return isAuthorized ; } | Call the authorization service to determine if the subject is authorized to the given roles |
162,571 | public WebReply performInitialChecks ( WebRequest webRequest , String uriName ) { WebReply webReply = null ; HttpServletRequest req = webRequest . getHttpServletRequest ( ) ; String methodName = req . getMethod ( ) ; if ( uriName == null || uriName . length ( ) == 0 ) { return new DenyReply ( "Invalid URI passed to Security Collaborator." ) ; } if ( unsupportedAuthMech ( ) == true ) { return new DenyReply ( "Authentication Failed : DIGEST not supported" ) ; } if ( wasch . isSSLRequired ( webRequest , uriName ) ) { return httpsRedirectHandler . getHTTPSRedirectWebReply ( req ) ; } webReply = unprotectedSpecialURI ( webRequest , uriName , methodName ) ; if ( webReply != null ) { return webReply ; } webReply = unprotectedResource ( webRequest ) ; if ( webReply == PERMIT_REPLY ) { if ( shouldWePerformTAIForUnProtectedURI ( webRequest ) ) return null ; else return webReply ; } return null ; } | Perform the preliminary checks to see if we should proceed to authentication and authorization . |
162,572 | private WebReply unprotectedSpecialURI ( WebRequest webRequest , String uriName , String methodName ) { LoginConfiguration loginConfig = webRequest . getLoginConfig ( ) ; if ( loginConfig == null ) return null ; String authenticationMethod = loginConfig . getAuthenticationMethod ( ) ; FormLoginConfiguration formLoginConfig = loginConfig . getFormLoginConfiguration ( ) ; if ( formLoginConfig == null || authenticationMethod == null ) return null ; String loginPage = formLoginConfig . getLoginPage ( ) ; String errorPage = formLoginConfig . getErrorPage ( ) ; if ( isValidAuthMethodForFormLogin ( authenticationMethod ) && loginPage != null && errorPage != null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , " We have a custom login or error page request, web app login URL:[" + loginPage + "], errorPage URL:[" + errorPage + "], and the requested URI:[" + uriName + "]" ) ; } if ( loginPage . equals ( uriName ) || errorPage . equals ( uriName ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "authorize, login or error page[" + uriName + "] requested, permit: " , PERMIT_REPLY ) ; return PERMIT_REPLY ; } else if ( ( uriName != null && uriName . equals ( "/j_security_check" ) ) && ( methodName != null && methodName . equals ( "POST" ) ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "authorize, login or error page[" + uriName + "] requested, permit: " , PERMIT_REPLY ) ; return PERMIT_REPLY ; } } else { if ( webRequest . getHttpServletRequest ( ) . getDispatcherType ( ) . equals ( DispatcherType . ERROR ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "authorize, error page[" + uriName + "] requested, permit: " , PERMIT_REPLY ) ; return PERMIT_REPLY ; } } return null ; } | Determines if the URI requested is special and should always be treated as unprotected such as the form login page . |
162,573 | private boolean isServletSpec31 ( ) { if ( com . ibm . ws . webcontainer . osgi . WebContainer . getServletContainerSpecLevel ( ) >= 31 ) return true ; return false ; } | Check to see if running under servlet spec 3 . 1 |
162,574 | private void notifyWebAppSecurityConfigChangeListeners ( List < String > delta ) { WebAppSecurityConfigChangeEvent event = new WebAppSecurityConfigChangeEventImpl ( delta ) ; for ( WebAppSecurityConfigChangeListener listener : webAppSecurityConfigchangeListenerRef . services ( ) ) { listener . notifyWebAppSecurityConfigChanged ( event ) ; } } | Notify the registered listeners of the change to the UserRegistry configuration . |
162,575 | private String toStringFormChangedPropertiesMap ( Map < String , String > delta ) { if ( delta == null || delta . isEmpty ( ) ) { return "" ; } StringBuffer sb = new StringBuffer ( ) ; for ( Map . Entry < String , String > entry : delta . entrySet ( ) ) { if ( sb . length ( ) > 0 ) { sb . append ( "," ) ; } sb . append ( entry . getKey ( ) ) . append ( "=" ) . append ( entry . getValue ( ) ) ; } return sb . toString ( ) ; } | Format the map of config change attributes for the audit function . The output format would be the same as original WebAppSecurityConfig . getChangedProperties method . |
162,576 | private void logAuditEntriesBeforeAuthn ( WebReply webReply , Subject receivedSubject , String uriName , WebRequest webRequest ) { AuthenticationResult authResult ; if ( webReply instanceof PermitReply ) { authResult = new AuthenticationResult ( AuthResult . SUCCESS , receivedSubject , null , null , AuditEvent . OUTCOME_SUCCESS ) ; } else { authResult = new AuthenticationResult ( AuthResult . FAILURE , receivedSubject , null , null , AuditEvent . OUTCOME_FAILURE ) ; } int statusCode = Integer . valueOf ( webReply . getStatusCode ( ) ) ; Audit . audit ( Audit . EventID . SECURITY_AUTHN_01 , webRequest , authResult , statusCode ) ; Audit . audit ( Audit . EventID . SECURITY_AUTHZ_01 , webRequest , authResult , uriName , statusCode ) ; } | no null check for webReply object so make sure it is not null upon calling this method . |
162,577 | private void postRoutedNotificationListenerRegistrationEvent ( String operation , NotificationTargetInformation nti ) { Map < String , Object > props = createListenerRegistrationEvent ( operation , nti ) ; safePostEvent ( new Event ( REGISTER_JMX_NOTIFICATION_LISTENER_TOPIC , props ) ) ; } | Post an event to EventAdmin instructing the Target - Client Manager to register or unregister a listener for a given target . |
162,578 | private void postRoutedServerNotificationListenerRegistrationEvent ( String operation , NotificationTargetInformation nti , ObjectName listener , NotificationFilter filter , Object handback ) { Map < String , Object > props = createServerListenerRegistrationEvent ( operation , nti , listener , filter , handback ) ; safePostEvent ( new Event ( REGISTER_JMX_NOTIFICATION_LISTENER_TOPIC , props ) ) ; } | Post an event to EventAdmin instructing the Target - Client Manager to register or unregister a listener MBean on a given target . |
162,579 | private void safePostEvent ( Event event ) { EventAdmin ea = eventAdminRef . getService ( ) ; if ( ea != null ) { ea . postEvent ( event ) ; } else if ( tc . isEventEnabled ( ) ) { Tr . event ( tc , "The EventAdmin service is unavailable. Unable to post the Event: " + event ) ; } } | Null - safe event posting to eventAdminRef . |
162,580 | public void enableDestinationCreation ( SICoreConnectionFactory siccf ) { if ( tcInt . isEntryEnabled ( ) ) SibTr . entry ( tcInt , "enableDestinationCreation" ) ; try { if ( admin == null ) { if ( tcInt . isDebugEnabled ( ) ) SibTr . debug ( tcInt , "Setting up destination definition objects." ) ; admin = ( ( SIMPAdmin ) siccf ) . getAdministrator ( ) ; if ( tcInt . isDebugEnabled ( ) ) SibTr . debug ( tcInt , "DestinationDefinition objects complete" ) ; } } catch ( Exception e ) { if ( tcInt . isDebugEnabled ( ) ) SibTr . debug ( tcInt , "Exception enabling destination creation" , e ) ; } if ( tcInt . isEntryEnabled ( ) ) SibTr . exit ( tcInt , "enableDestinationCreation" ) ; } | This method sets up the destination definitions . It is called |
162,581 | private void createDestination ( String name , com . ibm . wsspi . sib . core . DestinationType destType , Reliability defaultReliability ) throws JMSException { if ( tcInt . isEntryEnabled ( ) ) SibTr . entry ( tcInt , "createDestination(String, DestinationType)" ) ; if ( tcInt . isDebugEnabled ( ) ) { SibTr . debug ( tcInt , "name: " + name ) ; SibTr . debug ( tcInt , "type: " + destType ) ; } try { try { SIDestinationAddress sida = JmsServiceFacade . getSIDestinationAddressFactory ( ) . createSIDestinationAddress ( name , null ) ; DestinationConfiguration dc = coreConnection . getDestinationConfiguration ( sida ) ; if ( dc != null ) { String uuid = dc . getUUID ( ) ; if ( tcInt . isDebugEnabled ( ) ) SibTr . debug ( tcInt , "delete UUID: " + uuid ) ; admin . deleteDestinationLocalization ( uuid , null ) ; } else { if ( tcInt . isDebugEnabled ( ) ) SibTr . debug ( tcInt , "No object was returned from getDestinationConfiguration" ) ; } } catch ( SINotPossibleInCurrentConfigurationException f ) { } com . ibm . ws . sib . admin . DestinationDefinition adminDDF = null ; adminDDF . setMaxReliability ( Reliability . ASSURED_PERSISTENT ) ; adminDDF . setDefaultReliability ( defaultReliability ) ; String excDestinationName = SIMPConstants . SYSTEM_DEFAULT_EXCEPTION_DESTINATION + getMEName ( ) ; adminDDF . setExceptionDestination ( excDestinationName ) ; LocalizationDefinition dloc = null ; dloc . setDestinationHighMsgs ( 30000 ) ; admin . createDestinationLocalization ( adminDDF , dloc ) ; } catch ( Exception se ) { if ( tcInt . isDebugEnabled ( ) ) SibTr . debug ( tcInt , "Exception creating" , se ) ; JMSException jmse = new JMSException ( "Exception received creating destination" ) ; jmse . setLinkedException ( se ) ; jmse . initCause ( se ) ; if ( tcInt . isEntryEnabled ( ) ) SibTr . exit ( tcInt , "createDestination(String, DestinationDefinition)" ) ; throw jmse ; } if ( tcInt . isEntryEnabled ( ) ) SibTr . exit ( tcInt , "createDestination(String, DestinationDefinition)" ) ; } | Internal method to do the creation given a name a ddf . |
162,582 | private DirContext bind ( String bindDn , ProtectedString bindPw ) throws NamingException { Hashtable < Object , Object > env = new Hashtable < Object , Object > ( ) ; String url = this . idStoreDefinition . getUrl ( ) ; if ( url == null || url . isEmpty ( ) ) { throw new IllegalArgumentException ( "No URL was provided to the LdapIdentityStore." ) ; } env . put ( Context . INITIAL_CONTEXT_FACTORY , "com.sun.jndi.ldap.LdapCtxFactory" ) ; env . put ( Context . PROVIDER_URL , url ) ; boolean sslEnabled = url != null && url . startsWith ( "ldaps" ) ; if ( sslEnabled ) { env . put ( "java.naming.ldap.factory.socket" , "com.ibm.ws.ssl.protocol.LibertySSLSocketFactory" ) ; env . put ( Context . SECURITY_PROTOCOL , "ssl" ) ; } if ( bindDn != null && ! bindDn . isEmpty ( ) && bindPw != null ) { String decodedBindPw = PasswordUtil . passwordDecode ( new String ( bindPw . getChars ( ) ) . trim ( ) ) ; if ( decodedBindPw == null || decodedBindPw . isEmpty ( ) ) { throw new IllegalArgumentException ( "An empty password is invalid." ) ; } env . put ( Context . SECURITY_PRINCIPAL , bindDn ) ; env . put ( Context . SECURITY_CREDENTIALS , decodedBindPw ) ; } if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "JNDI_CALL bind" , new Object [ ] { bindDn , url } ) ; } return getDirContext ( env ) ; } | Bind to the LDAP server . |
162,583 | private Set < String > getGroups ( DirContext context , String callerDn ) { Set < String > groups = null ; String groupSearchBase = idStoreDefinition . getGroupSearchBase ( ) ; String groupSearchFilter = idStoreDefinition . getGroupSearchFilter ( ) ; if ( groupSearchBase . isEmpty ( ) || groupSearchFilter . isEmpty ( ) ) { groups = getGroupsByMembership ( context , callerDn ) ; } else { groups = getGroupsByMember ( context , callerDn , groupSearchBase , groupSearchFilter ) ; } return groups ; } | Get the groups for the caller |
162,584 | private Set < String > getGroupsByMember ( DirContext context , String callerDn , String groupSearchBase , String groupSearchFilter ) { String groupNameAttribute = idStoreDefinition . getGroupNameAttribute ( ) ; String [ ] attrIds = { groupNameAttribute } ; long limit = Long . valueOf ( idStoreDefinition . getMaxResults ( ) ) ; int timeOut = idStoreDefinition . getReadTimeout ( ) ; int scope = getSearchScope ( idStoreDefinition . getGroupSearchScope ( ) ) ; SearchControls controls = new SearchControls ( scope , limit , timeOut , attrIds , false , false ) ; String filter = getFormattedFilter ( groupSearchFilter , callerDn , idStoreDefinition . getGroupMemberAttribute ( ) ) ; Set < String > groupNames = new HashSet < String > ( ) ; try { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "JNDI_CALL search" , new Object [ ] { groupSearchBase , filter , printControls ( controls ) } ) ; } NamingEnumeration < SearchResult > ne = context . search ( new LdapName ( groupSearchBase ) , filter , controls ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Iterate through the search results" ) ; } while ( ne . hasMoreElements ( ) ) { SearchResult sr = ne . nextElement ( ) ; String groupDn = sr . getNameInNamespace ( ) ; if ( groupNameAttribute . equalsIgnoreCase ( "dn" ) ) { groupNames . add ( groupDn ) ; } else { Attribute groupNameAttr = sr . getAttributes ( ) . get ( groupNameAttribute ) ; if ( groupNameAttr == null ) { Tr . warning ( tc , "JAVAEESEC_WARNING_MISSING_GROUP_ATTR" , new Object [ ] { groupDn , groupNameAttribute } ) ; continue ; } NamingEnumeration < ? > ne2 = groupNameAttr . getAll ( ) ; if ( ne2 . hasMoreElements ( ) ) { groupNames . add ( ( String ) ne2 . nextElement ( ) ) ; } } } } catch ( NamingException e ) { Tr . error ( tc , "JAVAEESEC_ERROR_EXCEPTION_ON_GROUP_SEARCH" , new Object [ ] { callerDn , e } ) ; throw new IllegalStateException ( e ) ; } if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "getGroupsByMember" , groupNames ) ; } return groupNames ; } | Get the groups for the caller by using a member - style attribute found on group LDAP entities . |
162,585 | private String getFormattedFilter ( String searchFilter , String caller , String attribute ) { String filter = searchFilter . replaceAll ( "%v" , "%s" ) ; if ( ! ( filter . startsWith ( "(" ) && filter . endsWith ( ")" ) ) && ! filter . isEmpty ( ) ) { filter = "(" + filter + ")" ; } if ( filter . contains ( "%s" ) ) { filter = String . format ( filter , caller ) ; } else { filter = "(&" + filter + "(" + attribute + "=" + caller + "))" ; } return filter ; } | Format the callerSearchFilter or groupSearchFilter . We need to check for String substitution . If a substitution is needed use the result as is . Otherwise construct the remainder of the filter using the name attribute of the group or caller . |
162,586 | private Set < String > getGroupsByMembership ( DirContext context , String callerDn ) { String memberOfAttribute = idStoreDefinition . getGroupMemberOfAttribute ( ) ; String groupNameAttribute = idStoreDefinition . getGroupNameAttribute ( ) ; Attributes attrs ; Set < String > groupDns = new HashSet < String > ( ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "JNDI_CALL getAttributes" , new Object [ ] { callerDn , memberOfAttribute } ) ; } try { attrs = context . getAttributes ( callerDn , new String [ ] { memberOfAttribute } ) ; Attribute groupSet = attrs . get ( memberOfAttribute ) ; if ( groupSet != null ) { NamingEnumeration < ? > ne = groupSet . getAll ( ) ; while ( ne . hasMoreElements ( ) ) { groupDns . add ( ( String ) ne . nextElement ( ) ) ; } } } catch ( NamingException e ) { Tr . warning ( tc , "JAVAEESEC_WARNING_EXCEPTION_ON_GETATTRIBUTES" , new Object [ ] { callerDn , memberOfAttribute , e } ) ; } if ( groupNameAttribute . equalsIgnoreCase ( "dn" ) ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "getGroupsByMembership" , groupDns ) ; } return groupDns ; } Set < String > groupNames = new HashSet < String > ( ) ; String groupDn = null ; Iterator < String > it = groupDns . iterator ( ) ; try { while ( it . hasNext ( ) ) { groupDn = it . next ( ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "JNDI_CALL getAttributes" , new Object [ ] { groupDn , groupNameAttribute } ) ; } Attributes groupNameAttrs = context . getAttributes ( groupDn , new String [ ] { groupNameAttribute } ) ; Attribute groupNameAttr = groupNameAttrs . get ( groupNameAttribute ) ; if ( groupNameAttr == null ) { Tr . warning ( tc , "JAVAEESEC_WARNING_MISSING_GROUP_ATTR" , new Object [ ] { groupDn , groupNameAttribute } ) ; continue ; } NamingEnumeration < ? > ne = groupNameAttr . getAll ( ) ; if ( ne . hasMoreElements ( ) ) { groupNames . add ( ( String ) ne . nextElement ( ) ) ; } } } catch ( NamingException e ) { Tr . warning ( tc , "JAVAEESEC_WARNING_EXCEPTION_ON_GETATTRIBUTES" , new Object [ ] { groupDn , groupNameAttribute , e } ) ; } if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "getGroupsByMembership" , groupNames ) ; } return groupNames ; } | Get the groups for the caller by using the memberOf - style attribute found on user LDAP entities . |
162,587 | public static ValidatorFactory getValidatorFactory ( ) { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getValidatorFactory" ) ; ValidatorFactory validatorFactory = AbstractBeanValidation . getValidatorFactory ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getValidatorFactory: " + Util . identity ( validatorFactory ) ) ; return validatorFactory ; } | This method will return null if no BeanValidationService is available in the process |
162,588 | public void message ( MessageType type , String me , TraceComponent tc , String msgKey , Object objs , Object [ ] formattedMessage ) { switch ( type ) { case AUDIT : if ( TraceComponent . isAnyTracingEnabled ( ) && myTc . isAuditEnabled ( ) ) Tr . audit ( myTc , SIB_MESSAGE , formattedMessage ) ; break ; case ERROR : Tr . error ( myTc , SIB_MESSAGE , formattedMessage ) ; break ; case FATAL : Tr . fatal ( myTc , SIB_MESSAGE , formattedMessage ) ; break ; case INFO : Tr . info ( myTc , SIB_MESSAGE , formattedMessage ) ; break ; case WARNING : Tr . warning ( myTc , SIB_MESSAGE , formattedMessage ) ; break ; } } | The method called to indicate that a message is being generated by SibMessage |
162,589 | public final static void fireProbe ( long probeId , Object instance , Object target , Object args ) { Object proxyTarget = fireProbeTarget ; Method method = fireProbeMethod ; if ( proxyTarget == null || method == null ) { return ; } try { method . invoke ( proxyTarget , probeId , instance , target , args ) ; } catch ( Throwable t ) { t . printStackTrace ( ) ; } } | Fire a probe event to the registered target . |
162,590 | public synchronized void releaseId ( short id ) throws IdAllocatorException { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "releaseId" , "" + id ) ; deallocate ( id ) ; if ( id == ( nextId - 1 ) ) { nextId = id ; if ( nextId == lastFreeId ) { lastFreeId = NULL_ID ; } } else { lastFreeId = id ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "releaseId" ) ; } | Releases an ID making it available to be allocated once more . |
162,591 | private String firstConstantOfEnum ( ) { Object [ ] enumConstants = targetClass . getEnumConstants ( ) ; if ( enumConstants . length != 0 ) { return enumConstants [ 0 ] . toString ( ) ; } return "" ; } | find the first constant value of the targetClass and return as a String |
162,592 | void checkTopicPublishPermission ( String topic ) { SecurityManager sm = System . getSecurityManager ( ) ; if ( sm == null ) return ; sm . checkPermission ( new TopicPermission ( topic , PUBLISH ) ) ; } | Check if the caller has permission to publish events to the specified topic . |
162,593 | protected void activate ( ComponentContext componentContext , Map < String , Object > props ) { this . componentContext = componentContext ; bundleContext = componentContext . getBundleContext ( ) ; frameworkEventAdapter = new FrameworkEventAdapter ( this ) ; bundleContext . addFrameworkListener ( frameworkEventAdapter ) ; bundleEventAdapter = new BundleEventAdapter ( this ) ; bundleContext . addBundleListener ( bundleEventAdapter ) ; serviceEventAdapter = new ServiceEventAdapter ( this ) ; bundleContext . addServiceListener ( serviceEventAdapter ) ; processConfigProperties ( props ) ; } | Activate the EventEngine implementation . This method will be called by OSGi Declarative Services implementation when the component is initially activated and when changes to our configuration have occurred . |
162,594 | protected void deactivate ( ComponentContext componentContext ) { bundleContext . removeFrameworkListener ( frameworkEventAdapter ) ; frameworkEventAdapter = null ; bundleContext . removeBundleListener ( bundleEventAdapter ) ; bundleEventAdapter = null ; bundleContext . removeServiceListener ( serviceEventAdapter ) ; serviceEventAdapter = null ; bundleContext = null ; this . componentContext = null ; } | Deactivate the EventAdmin service . This method will be called by the OSGi Declarative Services implementation when the component is deactivated . Deactivation will occur when the service configuration needs to be refreshed when the bundle is stopped or when the DS implementation is stopped . |
162,595 | public void addTopic ( String topic ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "addTopic" , topic ) ; SelectionCriteria criteria = _messageProcessor . getSelectionCriteriaFactory ( ) . createSelectionCriteria ( topic , null , SelectorDomain . SIMESSAGE ) ; if ( _subscriptionState == null ) { _subscriptionState = new ConsumerDispatcherState ( _destinationHandler . getUuid ( ) , criteria , _destName , _busName ) ; } else _subscriptionState . addSelectionCriteria ( criteria ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addTopic" ) ; } | Adds a topic to the subscription state for this OutputHandler . |
162,596 | public void removeTopic ( String topic ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "removeTopic" , topic ) ; if ( _subscriptionState == null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "removeTopic" , "Topic not found" ) ; } else _subscriptionState . removeTopic ( topic ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "removeTopic" ) ; } | Removes a topic from the set of topics with this OutputHandler |
162,597 | public String [ ] getTopics ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getTopics" ) ; String [ ] topics = null ; if ( _subscriptionState != null ) topics = _subscriptionState . getTopics ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getTopics" , topics ) ; return topics ; } | Get the set of topics associated with this OutputHandler |
162,598 | public SIBUuid12 getTopicSpaceUuid ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getTopicSpaceUuid" ) ; SIBUuid12 retval = _destinationHandler . getUuid ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getTopicSpaceUuid" , retval ) ; return retval ; } | Get the topic space name associated with this OutputHandler |
162,599 | void processAckExpected ( long ackExpStamp , int priority , Reliability reliability , SIBUuid12 stream ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "processAckExpected" , new Long ( ackExpStamp ) ) ; _internalOutputStreamManager . processAckExpected ( ackExpStamp , priority , reliability , stream ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "processAckExpected" ) ; } | needs to be forwarded downstream . |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.