idx
int64 0
165k
| question
stringlengths 73
5.81k
| target
stringlengths 5
918
|
---|---|---|
163,900 | private SSLSocketFactory getSocketFactory ( String id ) throws IOException { SSLSocketFactory socketFactory = socketFactoryMap . get ( id ) ; if ( socketFactory == null ) { if ( id == null ) { socketFactory = ( SSLSocketFactory ) SSLSocketFactory . getDefault ( ) ; } else { try { socketFactory = sslConfig . createSSLFactory ( id ) ; } catch ( Exception e ) { Tr . error ( tc , "Unable to create client SSL socket factory" , e ) ; throw ( IOException ) new IOException ( "Unable to create client SSL socket factory: " + e . getMessage ( ) ) . initCause ( e ) ; } } socketFactoryMap . put ( id , socketFactory ) ; } return socketFactory ; } | On - demand creation of an SSL socket factory for the ssl alias provided |
163,901 | private SSLServerSocketFactory getServerSocketFactory ( String id ) throws IOException { SSLServerSocketFactory serverSocketFactory = serverSocketFactoryMap . get ( id ) ; if ( serverSocketFactory == null ) { if ( id == null ) { serverSocketFactory = ( SSLServerSocketFactory ) SSLServerSocketFactory . getDefault ( ) ; } else { try { serverSocketFactory = sslConfig . createSSLServerFactory ( id ) ; } catch ( Exception e ) { Tr . error ( tc , "Unable to create server SSL socket factory" , e ) ; throw ( IOException ) new IOException ( "Unable to create server SSL socket factory: " + e . getMessage ( ) ) . initCause ( e ) ; } serverSocketFactoryMap . put ( id , serverSocketFactory ) ; } getSocketFactory ( id ) ; } return serverSocketFactory ; } | On - demand creation of an SSL server socket factory for an ssl alias |
163,902 | private void configureServerSocket ( SSLServerSocket serverSocket , SSLServerSocketFactory serverSocketFactory , String sslConfigName , OptionsKey options ) throws IOException { try { String [ ] cipherSuites = sslConfig . getCipherSuites ( sslConfigName , serverSocketFactory . getSupportedCipherSuites ( ) ) ; serverSocket . setEnabledCipherSuites ( cipherSuites ) ; String protocol = sslConfig . getSSLProtocol ( sslConfigName ) ; if ( protocol != null ) serverSocket . setEnabledProtocols ( new String [ ] { protocol } ) ; boolean clientAuthRequired = ( ( options . requires & EstablishTrustInClient . value ) == EstablishTrustInClient . value ) ; boolean clientAuthSupported = ( ( options . supports & EstablishTrustInClient . value ) == EstablishTrustInClient . value ) ; if ( clientAuthRequired ) { serverSocket . setNeedClientAuth ( true ) ; } else if ( clientAuthSupported ) { serverSocket . setWantClientAuth ( true ) ; } else { serverSocket . setNeedClientAuth ( false ) ; } serverSocket . setSoTimeout ( 60 * 1000 ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . debug ( tc , "Created SSL server socket on port " + serverSocket . getLocalPort ( ) ) ; Tr . debug ( tc , " client authentication " + ( clientAuthSupported ? "SUPPORTED" : "UNSUPPORTED" ) ) ; Tr . debug ( tc , " client authentication " + ( clientAuthRequired ? "REQUIRED" : "OPTIONAL" ) ) ; Tr . debug ( tc , " cipher suites:" ) ; for ( int i = 0 ; i < cipherSuites . length ; i ++ ) { Tr . debug ( tc , " " + cipherSuites [ i ] ) ; } } } catch ( SSLException e ) { throw new IOException ( "Could not configure server socket" , e ) ; } } | Set the server socket configuration to our required QOS values . |
163,903 | private Collection < String > getRolesForSpecialSubject ( String resourceName , String specialSubject ) { int found = 0 ; Collection < String > roles = null ; FeatureAuthorizationTableService featureAuthzTableSvc = featureAuthzTableServiceRef . getService ( ) ; String featureAuthzRoleHeaderValue = null ; if ( featureAuthzTableSvc != null ) { featureAuthzRoleHeaderValue = featureAuthzTableSvc . getFeatureAuthzRoleHeaderValue ( ) ; } if ( featureAuthzRoleHeaderValue != null && ! featureAuthzRoleHeaderValue . equals ( MGMT_AUTHZ_ROLES ) ) { roles = featureAuthzTableSvc . getRolesForSpecialSubject ( resourceName , specialSubject ) ; } else { Iterator < AuthorizationTableService > itr = authorizationTables . getServices ( ) ; while ( itr . hasNext ( ) ) { AuthorizationTableService authzTableSvc = itr . next ( ) ; Collection < String > rolesFound = authzTableSvc . getRolesForSpecialSubject ( resourceName , specialSubject ) ; if ( rolesFound != null ) { roles = rolesFound ; found ++ ; } } if ( found > 1 ) { Tr . error ( tc , "AUTHZ_MULTIPLE_RESOURCES_WITH_SAME_NAME" , resourceName ) ; roles = null ; } } return roles ; } | Check all of the authorization table services for the resourceName . If no authorization table can be found for the resourceName null is returned . If more than one authorization table can be found for the resourceName null is returned . |
163,904 | private boolean isSubjectAuthorized ( String resourceName , Collection < String > requiredRoles , Subject subject ) { AccessDecisionService accessDecisionService = accessDecisionServiceRef . getService ( ) ; boolean isGranted = false ; WSCredential wsCred = getWSCredentialFromSubject ( subject ) ; String accessId = getAccessId ( wsCred ) ; if ( useRoleAsGroupName && ! isAuthzInfoAvailableForApp ( resourceName ) ) { isGranted = useRoleAsGroupNameForAccessDecision ( resourceName , requiredRoles , subject , accessDecisionService , wsCred ) ; } else { isGranted = useAppBndForAccessDecision ( resourceName , requiredRoles , subject , accessDecisionService , wsCred , accessId ) ; } return isGranted ; } | Check if the Subject is authorized to the required roles for a given resource . The user is checked first and if it s not authorized then each group is checked . |
163,905 | private WSCredential getWSCredentialFromSubject ( Subject subject ) { if ( subject != null ) { java . util . Collection < Object > publicCreds = subject . getPublicCredentials ( ) ; if ( publicCreds != null && publicCreds . size ( ) > 0 ) { java . util . Iterator < Object > publicCredIterator = publicCreds . iterator ( ) ; while ( publicCredIterator . hasNext ( ) ) { Object cred = publicCredIterator . next ( ) ; if ( cred instanceof WSCredential ) { return ( WSCredential ) cred ; } } } } return null ; } | Get the WSCredential from the given Subject |
163,906 | private String getAccessId ( WSCredential cred ) { String accessId = null ; try { accessId = cred . getAccessId ( ) ; } catch ( CredentialExpiredException e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Caught exception getting the access id: " + e ) ; } } catch ( CredentialDestroyedException e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Caught exception getting the access id: " + e ) ; } } return accessId ; } | Get the access ID from the specified credential . |
163,907 | @ SuppressWarnings ( "unchecked" ) private String [ ] getGroupIds ( WSCredential cred ) { Collection < String > ids = null ; if ( cred != null ) { try { ids = cred . getGroupIds ( ) ; } catch ( CredentialExpiredException e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Caught exception getting the group access ids: " + e ) ; } } catch ( CredentialDestroyedException e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Caught exception getting the group access ids: " + e ) ; } } if ( ids != null ) { return ids . toArray ( new String [ ids . size ( ) ] ) ; } } return null ; } | Get the group IDs from the specified credential . |
163,908 | protected boolean isAllAuthenticatedGranted ( String resourceName , Collection < String > requiredRoles , Subject subject ) { Collection < String > roles = getRolesForSpecialSubject ( resourceName , AuthorizationTableService . ALL_AUTHENTICATED_USERS ) ; AccessDecisionService accessDecisionService = accessDecisionServiceRef . getService ( ) ; return accessDecisionService . isGranted ( resourceName , requiredRoles , roles , subject ) ; } | Check if the special subject ALL_AUTHENTICATED_USERS is mapped to the requiredRole . |
163,909 | private boolean isSubjectValid ( Subject subject ) { final WSCredential wsCred = getWSCredentialFromSubject ( subject ) ; if ( wsCred == null ) { return false ; } else { return ! wsCred . isUnauthenticated ( ) && ! wsCred . isBasicAuth ( ) ; } } | Check if the subject has a WScredential is authenticated and is not a basic auth credential . |
163,910 | private String getRealmName ( WSCredential cred ) { String realmName = null ; if ( cred != null ) { try { realmName = cred . getRealmName ( ) ; } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Caught exception getting the realm name: " + e ) ; } } } return realmName ; } | Get the realm name from the specified credential . |
163,911 | final void init ( ) throws DiagnosticModuleRegistrationFailureException { if ( initialized ) { return ; } initialized = true ; Method [ ] methods = getClass ( ) . getMethods ( ) ; for ( Method method : methods ) { String name = method . getName ( ) . toLowerCase ( ) ; if ( name . startsWith ( FFDC_DUMP_PREFIX ) ) { Class < ? > [ ] params = method . getParameterTypes ( ) ; if ( params . length == FFDC_DUMP_PARAMS . length ) { boolean allOK = true ; for ( int i = 0 ; ( i < params . length ) && ( allOK ) ; i ++ ) { allOK = ( params [ i ] == FFDC_DUMP_PARAMS [ i ] ) ; } if ( allOK ) { _directives . add ( method . getName ( ) ) ; if ( name . startsWith ( FFDC_DUMP_DEFAULT_PREFIX ) ) _dumpDefaultMethods . add ( method ) ; else _dumpMethods . add ( method ) ; } else if ( makeNoise ( ) ) { throw new DiagnosticModuleRegistrationFailureException ( "Error: " + method + " starts with " + FFDC_DUMP_DEFAULT_PREFIX + " but does not conform to the signature. Method skipped!" ) ; } } else if ( makeNoise ( ) ) { throw new DiagnosticModuleRegistrationFailureException ( "Error: " + method + " starts with " + FFDC_DUMP_DEFAULT_PREFIX + " but does not conform to the signature. Method skipped!" ) ; } } } } | The init method is provided to subclasses to initialize this particular DiagnosticModule . Called when the diagnostic module is registered . |
163,912 | public final boolean dumpComponentData ( String [ ] input_directives , Throwable ex , IncidentStream ffdcis , Object callerThis , Object [ ] catcherObjects , String sourceId , String [ ] callStack ) { startProcessing ( ) ; try { ffdcis . writeLine ( "==> Performing default dump from " + getClass ( ) . getName ( ) + " " , new Date ( ) ) ; for ( Method m : _dumpDefaultMethods ) { invokeDiagnosticMethod ( m , ex , ffdcis , callerThis , catcherObjects , sourceId ) ; if ( ! continueProcessing ( ) ) break ; } if ( input_directives != null && input_directives . length > 0 ) { ffdcis . writeLine ( "==> Performing custom/other dump from " + getClass ( ) . getName ( ) + " " , new Date ( ) ) ; getDataForDirectives ( input_directives , ex , ffdcis , callerThis , catcherObjects , sourceId ) ; } ffdcis . writeLine ( "==> Dump complete for " + getClass ( ) . getName ( ) + " " , new Date ( ) ) ; } catch ( Throwable th ) { ffdcis . writeLine ( "==> Dump did not complete for " + getClass ( ) . getName ( ) + " " , new Date ( ) ) ; } return finishProcessing ( ) ; } | This method is invoked to instruct the diagnostic module to capture all relevant information that it has about a particular incident |
163,913 | public final void getDataForDirectives ( String [ ] directives , Throwable ex , IncidentStream ffdcis , Object callerThis , Object [ ] catcherObjects , String sourceId ) { if ( directives == null || directives . length <= 0 || ! continueProcessing ( ) ) return ; for ( String s : directives ) { String sName = s . toLowerCase ( ) ; for ( Method m : _dumpMethods ) { String mName = m . getName ( ) . toLowerCase ( ) ; if ( mName . equals ( sName ) ) { invokeDiagnosticMethod ( m , ex , ffdcis , callerThis , catcherObjects , sourceId ) ; break ; } } if ( ! continueProcessing ( ) ) break ; } } | Invoke all the ffdcdump methods for a set of directives |
163,914 | private final void invokeDiagnosticMethod ( Method m , Throwable ex , IncidentStream ffdcis , Object callerThis , Object [ ] catcherObjects , String sourceId ) { try { m . invoke ( this , new Object [ ] { ex , ffdcis , callerThis , catcherObjects , sourceId } ) ; ffdcis . writeLine ( "+ Data for directive [" + m . getName ( ) . substring ( FFDC_DUMP_PREFIX . length ( ) ) + "] obtained." , "" ) ; } catch ( Throwable t ) { ffdcis . writeLine ( "Error while processing directive [" + m . getName ( ) . substring ( FFDC_DUMP_PREFIX . length ( ) ) + "] !!!" , t ) ; } } | Invoke dump method |
163,915 | public final boolean validate ( ) { if ( makeNoise ( ) ) { System . out . println ( "This method is NOT intended to be called from the runtime" ) ; System . out . println ( "but is provided as part of unit test for diagnostic modules" ) ; ListIterator < Method > im ; try { init ( ) ; System . out . println ( "default directives on the diagnostic module : " ) ; im = _dumpDefaultMethods . listIterator ( ) ; while ( im . hasNext ( ) ) { System . out . println ( "\t" + im . next ( ) ) ; } System . out . println ( "ffdc methods on the diagnostic module : " ) ; im = _dumpMethods . listIterator ( ) ; while ( im . hasNext ( ) ) { System . out . println ( "\t" + im . next ( ) ) ; } } catch ( DiagnosticModuleRegistrationFailureException dmfailed ) { System . out . println ( "Diagnostic Module failed to register: " + dmfailed ) ; dmfailed . printStackTrace ( ) ; return false ; } catch ( Throwable th ) { System . out . println ( "Some unknown failure occured: " + th ) ; th . printStackTrace ( ) ; return false ; } } return true ; } | Validate whether the diagnostic module is correctly coded . Method can be used as a simple validation of a components diagnostic module . The information printed can be used during the development of the DM . |
163,916 | private boolean continueProcessing ( ) { Boolean currentValue = _continueProcessing . get ( ) ; if ( currentValue != null ) return currentValue . booleanValue ( ) ; return true ; } | Check the the ThreadLocal to see if we should continue processing this FFDC exception |
163,917 | public static int [ ] parseSpecStr ( String in ) { if ( in == null ) { return new int [ 0 ] ; } in = in . replaceAll ( " " , "" ) ; in = in . trim ( ) ; if ( in . length ( ) == 0 ) { return new int [ 0 ] ; } String [ ] tokens = in . split ( "," ) ; int [ ] toReturn = new int [ tokens . length ] ; for ( int i = 0 ; i < tokens . length ; i ++ ) { tokens [ i ] = tokens [ i ] . trim ( ) ; try { toReturn [ i ] = Integer . parseInt ( tokens [ i ] ) ; } catch ( NumberFormatException e ) { if ( tokens [ i ] . equals ( "*" ) && i == 0 ) { toReturn [ i ] = PmiConstants . ALL_DATA ; } else { toReturn [ i ] = PmiConstants . LEVEL_UNDEFINED ; } } } return toReturn ; } | Helper function to parse the configuration s spec strings . |
163,918 | public static SelectionCriteriaFactory getInstance ( ) { if ( _instance == null ) { synchronized ( SIDestinationAddressFactory . class ) { try { Class cls = Class . forName ( MESSAGE_SELECTOR_FACTORY_CLASS ) ; _instance = ( SelectionCriteriaFactory ) cls . newInstance ( ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.wsspi.sib.core.SelectionCriteriaFactory.createFactoryInstance" , "100" ) ; SibTr . error ( tc , "UNABLE_TO_CREATE_FACTORY_CWSIB0001" , e ) ; } } } return _instance ; } | Get the singleton SIDestinationAddressFactory which is to be used for creating SIDestinationAddress instances . |
163,919 | private void setValue ( Object newValue ) { try { if ( this . type == null ) value = newValue ; else if ( this . type . equals ( "java.lang.String" ) ) value = newValue ; else if ( this . type . equals ( "java.lang.Boolean" ) ) value = Boolean . valueOf ( ( String ) newValue ) ; else if ( this . type . equals ( "java.lang.Integer" ) ) value = new Integer ( ( ( String ) newValue ) ) ; else if ( this . type . equals ( "java.lang.Double" ) ) value = new Double ( ( ( String ) newValue ) ) ; else if ( this . type . equals ( "java.lang.Byte" ) ) value = new Byte ( ( ( String ) newValue ) ) ; else if ( this . type . equals ( "java.lang.Short" ) ) value = new Short ( ( ( String ) newValue ) ) ; else if ( this . type . equals ( "java.lang.Long" ) ) value = new Long ( ( ( String ) newValue ) ) ; else if ( this . type . equals ( "java.lang.Float" ) ) value = new Float ( ( ( String ) newValue ) ) ; else if ( this . type . equals ( "java.lang.Character" ) ) value = Character . valueOf ( ( ( String ) newValue ) . charAt ( 0 ) ) ; else value = newValue ; } catch ( NumberFormatException nfe ) { Tr . warning ( tc , "INCOMPATIBLE_PROPERTY_TYPE_J2CA0207" , new Object [ ] { name , type , newValue } ) ; } } | should be identical to version 1 . 3 except newValue is of type Object . |
163,920 | public void addSelectionCriteria ( SelectionCriteria selCriteria ) throws SIDiscriminatorSyntaxException , SISelectorSyntaxException , SIResourceException { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "addSelectionCriteria" , new Object [ ] { selCriteria } ) ; boolean duplicateCriteria = _consumerDispatcher . getConsumerDispatcherState ( ) . addSelectionCriteria ( selCriteria ) ; if ( ! duplicateCriteria ) { try { _messageProcessor . getMessageProcessorMatching ( ) . addConsumerDispatcherMatchTarget ( _consumerDispatcher , _consumerDispatcher . getDestination ( ) . getUuid ( ) , selCriteria ) ; } catch ( SIDiscriminatorSyntaxException e ) { _consumerDispatcher . getConsumerDispatcherState ( ) . removeSelectionCriteria ( selCriteria ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addSelectionCriteria" , e ) ; throw e ; } catch ( SISelectorSyntaxException e ) { _consumerDispatcher . getConsumerDispatcherState ( ) . removeSelectionCriteria ( selCriteria ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addSelectionCriteria" , e ) ; throw e ; } Transaction tran = _messageProcessor . getTXManager ( ) . createAutoCommitTransaction ( ) ; if ( ! _consumerDispatcher . getReferenceStream ( ) . isUpdating ( ) ) { try { _consumerDispatcher . getReferenceStream ( ) . requestUpdate ( tran ) ; } catch ( MessageStoreException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.impl.MPSubscriptionImpl.addSelectionCriteria" , "1:153:1.6" , this ) ; _consumerDispatcher . getConsumerDispatcherState ( ) . removeSelectionCriteria ( selCriteria ) ; SibTr . exception ( tc , e ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addSelectionCriteria" , "SIResourceException" ) ; throw new SIResourceException ( e ) ; } } } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addSelectionCriteria" ) ; } | Add an additional selection criteria to the to the subscription Duplicate selection criterias are ignored |
163,921 | public SelectionCriteria [ ] getSelectionCriteria ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getSelectionCriteria" ) ; SelectionCriteria [ ] list = _consumerDispatcher . getConsumerDispatcherState ( ) . getSelectionCriteriaList ( ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getSelectionCriteria" , list ) ; return list ; } | List existing selection criterias registered with the subscription |
163,922 | public void setUserProperties ( Map userData ) throws SIResourceException { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "setUserProperties" , new Object [ ] { userData } ) ; _consumerDispatcher . getConsumerDispatcherState ( ) . setUserData ( userData ) ; Transaction tran = _messageProcessor . getTXManager ( ) . createAutoCommitTransaction ( ) ; if ( ! _consumerDispatcher . getReferenceStream ( ) . isUpdating ( ) ) { try { _consumerDispatcher . getReferenceStream ( ) . requestUpdate ( tran ) ; } catch ( MessageStoreException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.impl.MPSubscriptionImpl.setUserProperties" , "1:269:1.6" , this ) ; SibTr . exception ( tc , e ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setUserProperties" , "SIResourceException" ) ; throw new SIResourceException ( e ) ; } } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setUserProperties" ) ; } | Store a map of user properties with a subscription The map provided on this call will replace any existing map stored with the subscription |
163,923 | public Map getUserProperties ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getUserProperties" ) ; Map map = _consumerDispatcher . getConsumerDispatcherState ( ) . getUserData ( ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getUserProperties" , map ) ; return map ; } | Get the map currently stored with the subscription |
163,924 | public String getSubscriberId ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getSubscriberId" ) ; String subscriberId = _consumerDispatcher . getConsumerDispatcherState ( ) . getSubscriberID ( ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getSubscriberId" , subscriberId ) ; return subscriberId ; } | Get subscriberID for this subscription |
163,925 | public String getWPMTopicSpaceName ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getWPMTopicSpaceName" ) ; String tsName = _consumerDispatcher . getConsumerDispatcherState ( ) . getTopicSpaceName ( ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getWPMTopicSpaceName" , tsName ) ; return tsName ; } | Get WPMTopicSpaceName for this subscription |
163,926 | public String getMEName ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getMEName" ) ; String meName = _messageProcessor . getMessagingEngineName ( ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getMEName" , meName ) ; return meName ; } | Get MEName for this subscription |
163,927 | public int getLocalId ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getLocalId" ) ; int localId = 0 ; final TransactionImpl tran = ( ( TranManagerSet ) TransactionManagerFactory . getTransactionManager ( ) ) . getTransactionImpl ( ) ; if ( tran != null ) { localId = ( int ) tran . getLocalTID ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getLocalId" , localId ) ; return localId ; } | Returns a process - unique identifier for the transaction currently associated with the calling thread . The local - id is valid only within the local process . The local - id is recovered as part of the state of a recovered transaction . |
163,928 | public static void beforeCompletion ( TransactionImpl tran , int syncLevel ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "beforeCompletion" , new Object [ ] { tran , syncLevel } ) ; if ( syncLevel >= 0 ) { final ArrayList syncs = _syncLevels . get ( syncLevel ) ; if ( syncs != null ) { final int localID = ( int ) tran . getLocalTID ( ) ; final byte [ ] globalID = tran . getTID ( ) ; final int numSyncs = syncs . size ( ) ; for ( int s = 0 ; s < numSyncs ; s ++ ) { ( ( SynchronizationCallback ) syncs . get ( s ) ) . beforeCompletion ( localID , globalID ) ; } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "beforeCompletion" ) ; } | Notify all the registered syncs of the begin of the completion phase of the given transaction |
163,929 | public static void afterCompletion ( TransactionImpl tran , int status , int syncLevel ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "afterCompletion" , new Object [ ] { tran , status , syncLevel } ) ; if ( syncLevel >= 0 ) { final ArrayList syncs = _syncLevels . get ( syncLevel ) ; if ( syncs != null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "syncs.length=" + syncs . size ( ) ) ; final int localID = ( int ) tran . getLocalTID ( ) ; final byte [ ] globalID = tran . getTID ( ) ; final boolean committed = ! ( status == Status . STATUS_ROLLEDBACK ) ; final int numSyncs = syncs . size ( ) ; for ( int s = 0 ; s < numSyncs ; s ++ ) { try { ( ( SynchronizationCallback ) syncs . get ( s ) ) . afterCompletion ( localID , globalID , committed ) ; } catch ( Throwable t ) { Tr . error ( tc , "WTRN0074_SYNCHRONIZATION_EXCEPTION" , new Object [ ] { "afterCompletion" , syncs . get ( s ) , t } ) ; } } } else if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "syncs is null" ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "afterCompletion" ) ; } | Notify all the registered syncs of the end of the completion phase of the given transaction . The completion resulted in the transaction having the given status . |
163,930 | public static boolean callbacksRegistered ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "callbacksRegistered" ) ; if ( _syncLevel < 0 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "callbacksRegistered" , Boolean . FALSE ) ; return false ; } final int maxLevels = _syncLevels . size ( ) ; for ( int level = 0 ; level < maxLevels ; level ++ ) { final ArrayList syncs = _syncLevels . get ( _syncLevel ) ; if ( syncs != null && ! syncs . isEmpty ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "callbacksRegistered" , Boolean . TRUE ) ; return true ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "callbacksRegistered" , Boolean . FALSE ) ; return false ; } | which can still be called otherwise false . |
163,931 | private static void garbageCollectUnusedLevels ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "garbageCollectUnusedLevels" ) ; final int numLevels = _syncLevels . size ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Levels: " + numLevels ) ; if ( numLevels < 2 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "garbageCollectUnusedLevels" , "Doing nothing" ) ; return ; } final int [ ] counts = new int [ numLevels ] ; final TransactionImpl [ ] txns = LocalTIDTable . getAllTransactions ( ) ; for ( int i = txns . length ; -- i >= 0 ; ) { int level = 0 ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Not generating any counts for garbageCollectUnusedLevels()" ) ; } if ( level >= 0 && level < numLevels ) { counts [ level ] ++ ; } } for ( int i = counts . length ; -- i >= 0 ; ) { if ( i != _syncLevel ) { if ( counts [ i ] == 0 ) { _syncLevels . set ( i , null ) ; } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "garbageCollectUnusedLevels" , _syncLevels . size ( ) ) ; } | Null out levels that will never be referenced again . Null entries are candidates to be the next current level . |
163,932 | private static void setLevel ( ArrayList level ) { _syncLevel = nextLevel ( ) ; if ( _syncLevel == _syncLevels . size ( ) ) { _syncLevels . add ( level ) ; } else { _syncLevels . set ( _syncLevel , level ) ; } } | Utility method to make a list into the new current level |
163,933 | private void validateParameters ( String filePath , String password , int validity , String subjectDN , int keySize , String sigAlg ) { if ( ! validateFilePath ( filePath ) ) { throw new IllegalArgumentException ( "filePath must be a valid filePath within the file system." ) ; } if ( password == null || password . length ( ) < MINIMUM_PASSWORD_LENGTH ) { throw new IllegalArgumentException ( "The password must be at least " + MINIMUM_PASSWORD_LENGTH + " characters in length." ) ; } if ( validity < MINIMUM_VALIDITY ) { throw new IllegalArgumentException ( "The validity period must be at least " + MINIMUM_VALIDITY + " days." ) ; } List < String > validSigAlg = VALID_SIG_ALG ; if ( ! validSigAlg . contains ( sigAlg ) ) { throw new IllegalArgumentException ( "The signagure algorithm values include " + VALID_SIG_ALG ) ; } String type = getKeyFromSigAlg ( sigAlg ) ; if ( type . equals ( KEYALG_RSA_TYPE ) ) { List < Integer > validKeySizes = VALID_RSA_KEYSIZE ; if ( ! validKeySizes . contains ( keySize ) ) { throw new IllegalArgumentException ( "The key sizes for an RSA key include " + VALID_RSA_KEYSIZE ) ; } } else { List < Integer > validKeySizes = VALID_EC_KEYSIZE ; if ( ! validKeySizes . contains ( keySize ) ) { throw new IllegalArgumentException ( "The key sizes for an EC key include " + VALID_EC_KEYSIZE ) ; } } validateSubjectDN ( subjectDN ) ; } | Validate the parameters . |
163,934 | private boolean validateFilePath ( String filePath ) { if ( filePath == null || filePath . isEmpty ( ) ) { throw new IllegalArgumentException ( "filePath must be a valid filePath within the file system." ) ; } File loc = new File ( filePath ) . getAbsoluteFile ( ) ; return ( loc . exists ( ) || loc . getParentFile ( ) . exists ( ) ) ; } | The specified filePath must either exist or in the case the file should be created its parent directory . |
163,935 | public < K2 extends K , E2 extends E > BlockingList < K2 , E2 > make ( ) { @ SuppressWarnings ( "unchecked" ) BlockingListMaker < K2 , E2 > stricterThis = ( BlockingListMaker < K2 , E2 > ) this ; return stricterThis . internalCreateBlockingList ( ) ; } | Construct a list |
163,936 | public BlockingListMaker < K , E > log ( Logger logger ) { this . logger = logger == null ? NULL_LOGGER : logger ; return this ; } | Define the logger to use to log interesting events within the list |
163,937 | public BlockingListMaker < K , E > waitFor ( long time , TimeUnit unit ) { this . nanoTimeout = time == 0 ? 1 : NANOSECONDS . convert ( time , unit ) ; return this ; } | Specify the total time to wait for the elements of the list to become available |
163,938 | public String getSystemMessageId ( ) { if ( uuid != null ) { StringBuilder buff = new StringBuilder ( uuid . toString ( ) ) ; buff . append ( MfpConstants . MESSAGE_HANDLE_SEPARATOR ) ; buff . append ( value ) ; return new String ( buff ) ; } else { return null ; } } | Returns the SIMessageHandles System Message ID . |
163,939 | private void processExistingWSDL ( String wsdlLocation , Member newMember ) throws InjectionException { if ( wsrInfo . getWsdlLocation ( ) != null && ! "" . equals ( wsrInfo . getWsdlLocation ( ) ) ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "For the " + wsrInfo . getJndiName ( ) + " service reference, " + "the " + wsrInfo . getWsdlLocation ( ) + " WSDL file is specified in the " + "deployment descriptor. Annotation metadata referencing a WSDL file for " + "this service reference will be ignored." ) ; } } else { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "For the " + wsrInfo . getJndiName ( ) + " service reference, " + "setting the wsdlLocation: " + wsdlLocation ) ; } wsrInfo . setWsdlLocation ( wsdlLocation ) ; } } | This will compare the wsdlLocation attribute of the various annotations that have refer to the same service reference . If they differ we will throw an exception as the runtime will not be able to determine which WSDL to use . We will only do this checking if there was not a WSDL location specified in the deployment descriptor . If the DD specifies a deployment descriptor that value will be used and other values will be ignored . |
163,940 | public int compare ( Object o1 , Object o2 ) { String re1 = ( ( ConnectionStatus ) o1 ) . getRemoteEngineName ( ) ; String re2 = ( ( ConnectionStatus ) o2 ) . getRemoteEngineName ( ) ; return re1 . compareTo ( re2 ) ; } | If o1 comes after o2 return 1 |
163,941 | public synchronized void put ( byte item ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "put" , Byte . valueOf ( item ) ) ; checkValid ( ) ; getCurrentByteBuffer ( 1 ) . put ( item ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "put" ) ; } | Puts a single byte into the byte buffer . |
163,942 | public synchronized void putShort ( short item ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "putShort" , Short . valueOf ( item ) ) ; checkValid ( ) ; getCurrentByteBuffer ( 2 ) . putShort ( item ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "putShort" ) ; } | Puts a short into the byte buffer . |
163,943 | public synchronized void putInt ( int item ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "putInt" , Integer . valueOf ( item ) ) ; checkValid ( ) ; getCurrentByteBuffer ( 4 ) . putInt ( item ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "putInt" ) ; } | Puts an int into the byte buffer . |
163,944 | public synchronized void putLong ( long item ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "putLong" , Long . valueOf ( item ) ) ; checkValid ( ) ; getCurrentByteBuffer ( 4 ) . putLong ( item ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "putLong" ) ; } | Puts a long into the byte buffer . |
163,945 | public synchronized void setReadOnly ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setReadOnly" ) ; for ( int x = 0 ; x < dataList . size ( ) ; x ++ ) { WsByteBuffer buff = dataList . get ( x ) ; buff . setReadOnly ( true ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setReadOnly" ) ; } | This method sets all the byte buffers that we have in the list as read only . |
163,946 | public synchronized long prepareForTransmission ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "prepareForTransmission" ) ; checkValid ( ) ; valid = false ; if ( dataList . size ( ) > 0 ) { WsByteBuffer buff = dataList . get ( dataList . size ( ) - 1 ) ; buff . flip ( ) ; } long sendAmount = 0 ; for ( int x = 0 ; x < dataList . size ( ) ; x ++ ) { WsByteBuffer buff = dataList . get ( x ) ; sendAmount += buff . remaining ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "prepareForTransmission" , Long . valueOf ( sendAmount ) ) ; return sendAmount ; } | This method prepares the byte buffers wrapped by this class for transmission . In practise this means that all the buffers are flipped and the number of bytes that will be transmitted is returned . |
163,947 | public synchronized WsByteBuffer [ ] getBuffersForTransmission ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getBufferForTransmission" ) ; checkNotValid ( ) ; WsByteBuffer [ ] bufferArray = new WsByteBuffer [ dataList . size ( ) ] ; for ( int x = 0 ; x < dataList . size ( ) ; x ++ ) { bufferArray [ x ] = dataList . get ( x ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getBufferForTransmission" , dataList ) ; return bufferArray ; } | This method is called just before this buffer is due to be transmitted by the JFap channel . When calling this method the underlying byte buffer is prepared by setting the correct limits and the buffer is added to a List that is returned . Once this method is called the buffer may not be used again and any attempt to modify the data will cause a RuntimeException to be thrown . This method can only be called once . |
163,948 | protected WsByteBuffer getCurrentByteBuffer ( int sizeNeeded ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getCurrentByteBuffer" , Integer . valueOf ( sizeNeeded ) ) ; WsByteBuffer byteBuffer = null ; if ( dataList . size ( ) == 0 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Creating first buffer" ) ; dataList = new ArrayList < WsByteBuffer > ( ) ; byteBuffer = createNewWsByteBuffer ( sizeNeeded ) ; dataList . add ( byteBuffer ) ; } else { byteBuffer = dataList . get ( dataList . size ( ) - 1 ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Last buffer: " , byteBuffer ) ; if ( byteBuffer . remaining ( ) < sizeNeeded ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "No room in buffer, creating a new one" ) ; byteBuffer . flip ( ) ; byteBuffer = createNewWsByteBuffer ( sizeNeeded ) ; dataList . add ( byteBuffer ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getCurrentByteBuffer" , byteBuffer ) ; return byteBuffer ; } | This method will return a byte buffer that can be written to for the amount of data that needs to be written . If there is no room left in the current byte buffer a new one will be created and added to the list . |
163,949 | private WsByteBuffer createNewWsByteBuffer ( int sizeNeeded ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "createNewWsByteBuffer" , Integer . valueOf ( sizeNeeded ) ) ; if ( sizeNeeded < DEFAULT_BUFFER_SIZE ) { sizeNeeded = DEFAULT_BUFFER_SIZE ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Allocating a buffer of size: " + sizeNeeded ) ; WsByteBuffer buffer = poolMan . allocate ( sizeNeeded ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "createNewWsByteBuffer" , buffer ) ; return buffer ; } | This method will create a new WsByteBuffer . By default it will be created to hold 200 bytes but if the size needed is larger than this then the buffer will simply be allocated to hold the exact number of bytes requested . |
163,950 | public synchronized String getDumpReceivedBytes ( int bytesToDump ) { String dump = null ; if ( receivedBuffer != null ) { dump = getDumpBytes ( receivedBuffer , bytesToDump , false ) ; } return dump ; } | Returns the String that represents a dump of the bytes received in this comms byte buffer . This method is not intended to be used for buffers that are being contructed for outbound use . |
163,951 | private static String getDumpBytes ( WsByteBuffer buffer , int bytesToDump , boolean rewind ) { int pos = buffer . position ( ) ; if ( rewind ) { buffer . rewind ( ) ; } byte [ ] data = null ; int start ; int count = bytesToDump ; if ( count > buffer . remaining ( ) || count == ENTIRE_BUFFER ) count = buffer . remaining ( ) ; if ( buffer . hasArray ( ) ) { data = buffer . array ( ) ; start = buffer . arrayOffset ( ) + buffer . position ( ) ; } else { data = new byte [ count ] ; buffer . get ( data ) ; start = 0 ; } String strData = "Dumping " + count + " bytes of buffer data:\r\n" ; if ( count > 0 ) strData += SibTr . formatBytes ( data , start , count ) ; if ( rewind ) buffer . position ( pos ) ; return strData ; } | Returns a dump of the specified number of bytes of the specified buffer . |
163,952 | private int getIntKeyForString ( ArrayList < String > uniqueStrings , Object value ) { String stringValue = String . valueOf ( value ) ; int retval = uniqueStrings . indexOf ( stringValue ) ; if ( retval < 0 ) { retval = uniqueStrings . size ( ) ; uniqueStrings . add ( stringValue ) ; } return retval ; } | Helper method to get or assign a unique key to a string from an ArrayList containing the unique keys . |
163,953 | public static void writeObjectInstanceOutput ( final RESTResponse response , final ObjectInstanceWrapper value , final JSONConverter converter ) { response . setContentType ( APIConstants . MEDIA_TYPE_APPLICATION_JSON ) ; OutputStream outStream = null ; try { outStream = response . getOutputStream ( ) ; converter . writeObjectInstance ( outStream , value ) ; JSONConverter . returnConverter ( converter ) ; outStream . flush ( ) ; } catch ( Exception e ) { throw ErrorHelper . createRESTHandlerJsonException ( e , converter , APIConstants . STATUS_INTERNAL_SERVER_ERROR ) ; } finally { FileUtils . tryToClose ( outStream ) ; } } | Write ObjectInstanceWrapper to the response |
163,954 | public static StatsGroup createStatsGroup ( String groupName , String statsTemplate , StatsGroup parentGroup , ObjectName mBean , StatisticActions actionLsnr ) throws StatsFactoryException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , new StringBuffer ( "createStatsGroup:name=" ) . append ( groupName ) . append ( ";parent group=" ) . append ( parentGroup . getName ( ) ) . append ( ";template=" ) . append ( statsTemplate ) . append ( ";mBean=" ) . append ( ( mBean == null ) ? null : mBean . toString ( ) ) . toString ( ) ) ; checkPMIService ( groupName ) ; StatsGroup group ; try { group = StatsGroupImpl . createGroup ( groupName , parentGroup , statsTemplate , mBean , false , actionLsnr ) ; } catch ( StatsFactoryException e ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Exception:" , e ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "createStatsGroup" ) ; throw e ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "createStatsGroup" ) ; return group ; } | Create a StatsGroup using the Stats template and add to the PMI tree under the specified parent group . This method will associate the MBean provided by the caller to the Stats group . |
163,955 | public static void removeStatsInstance ( StatsInstance instance ) throws StatsFactoryException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , new StringBuffer ( "removeStatsInstance:name=" ) . append ( instance . getName ( ) ) . toString ( ) ) ; StatsFactoryUtil . unRegisterStats ( ( PmiModule ) instance , instance . getMBean ( ) ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "removeStatsInstance" ) ; } | Removes a StatsInstance from the PMI tree . Note that any children under the instance will also be removed . If the instance is associated with a default CustomStats MBean the MBean will be de - activated . |
163,956 | public static void removeStatsGroup ( StatsGroup group ) throws StatsFactoryException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , new StringBuffer ( "removeStatsGroup:name=" ) . append ( group . getName ( ) ) . toString ( ) ) ; StatsFactoryUtil . unRegisterStats ( ( PmiModule ) group , group . getMBean ( ) ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "removeStatsGroup" ) ; } | Removes a StatsGroup from the PMI tree . Note that any children under the group will also be removed . If the group is associated with a default CustomStats MBean the MBean will be de - activated . |
163,957 | protected Validator createValidator ( ) throws JspException { if ( null == _minimum && null == _maximum ) { throw new JspException ( "a minimum and / or a maximum have to be specified" ) ; } ELContext elContext = FacesContext . getCurrentInstance ( ) . getELContext ( ) ; if ( null != _minimum ) { _min = getValue ( _minimum . getValue ( elContext ) ) ; } if ( null != _maximum ) { _max = getValue ( _maximum . getValue ( elContext ) ) ; } if ( null != _minimum && null != _maximum ) { if ( ! isMinLTMax ( ) ) { throw new JspException ( "maximum limit must be greater than the minimum limit" ) ; } } return super . createValidator ( ) ; } | This method returns the Validator you have to cast it to the correct type and apply the min and max values . |
163,958 | private String incrementAlias ( KeyStore jKeyStore , String alias ) throws KeyStoreException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "incrementAlias: " + alias ) ; int num = 0 ; String base ; int index = alias . lastIndexOf ( '_' ) ; if ( - 1 == index ) { base = alias + '_' ; } else if ( index == ( alias . length ( ) - 1 ) ) { base = alias ; } else { try { ++ index ; num = Integer . parseInt ( alias . substring ( index ) ) ; base = alias . substring ( 0 , index ) ; } catch ( NumberFormatException nfe ) { base = alias + '_' ; } } String newAlias = base + Integer . toString ( ++ num ) ; while ( jKeyStore . containsAlias ( newAlias ) ) { newAlias = base + Integer . toString ( ++ num ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "incrementAlias: " + newAlias ) ; return newAlias ; } | Increment the trailing number on the alias value until one is found that does not currently exist in the input store . |
163,959 | public String getUserName ( boolean notAlternateUser ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getUserName" , new Object [ ] { new Boolean ( notAlternateUser ) } ) ; String userName = null ; if ( ! notAlternateUser && isAlternateUserBased ( ) ) { userName = alternateUser ; } else if ( isSubjectBased ( ) ) { if ( authorisationUtils != null ) { userName = authorisationUtils . getUserName ( subject ) ; } } else if ( isUserIdBased ( ) ) { userName = userId ; } else if ( isMsgBased ( ) ) { userName = msg . getSecurityUserid ( ) ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getUserName" , userName ) ; return userName ; } | Extract the appropriate username from this security context |
163,960 | public boolean isSIBServerSubject ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "isSIBServerSubject" ) ; boolean ispriv = false ; if ( isSubjectBased ( ) ) { if ( authorisationUtils != null ) { ispriv = authorisationUtils . isSIBServerSubject ( subject ) ; } } else if ( isMsgBased ( ) ) { if ( authorisationUtils != null ) { ispriv = authorisationUtils . sentBySIBServer ( msg ) ; } } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "isSIBServerSubject" , new Boolean ( ispriv ) ) ; return ispriv ; } | Check whether this security context belongs to the privileged SIBServerSubject or not . |
163,961 | public void complete ( VirtualConnection vc , TCPWriteRequestContext wsc ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "complete() called: vc=" + vc ) ; } HttpInboundServiceContextImpl mySC = ( HttpInboundServiceContextImpl ) vc . getStateMap ( ) . get ( CallbackIDs . CALLBACK_HTTPISC ) ; if ( null != wsc ) { wsc . setBuffers ( null ) ; } if ( mySC . isMessageSent ( ) ) { mySC . logFinalResponse ( mySC . getNumBytesWritten ( ) ) ; HttpInvalidMessageException inv = mySC . checkResponseValidity ( ) ; if ( null != inv ) { mySC . setPersistent ( false ) ; if ( null != mySC . getAppWriteCallback ( ) ) { mySC . getAppWriteCallback ( ) . error ( vc , inv ) ; } return ; } } if ( null != mySC . getAppWriteCallback ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Calling write complete callback of app channel." ) ; } if ( mySC . getResponseImpl ( ) . isTemporaryStatusCode ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Temp response sent, resetting send flags" ) ; } mySC . resetWrite ( ) ; } mySC . getAppWriteCallback ( ) . complete ( vc ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "No available app channel callback" ) ; } } } | Called by the channel below us when a write has finished . |
163,962 | public void error ( VirtualConnection vc , TCPWriteRequestContext wsc , IOException ioe ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "error called: vc=" + vc + " ioe=" + ioe ) ; } HttpInboundServiceContextImpl mySC = ( HttpInboundServiceContextImpl ) vc . getStateMap ( ) . get ( CallbackIDs . CALLBACK_HTTPISC ) ; if ( mySC . getHttpConfig ( ) . getDebugLog ( ) . isEnabled ( DebugLog . Level . WARN ) ) { mySC . getHttpConfig ( ) . getDebugLog ( ) . log ( DebugLog . Level . WARN , HttpMessages . MSG_WRITE_FAIL , mySC ) ; } mySC . logLegacyMessage ( ) ; mySC . setPersistent ( false ) ; if ( null != mySC . getAppWriteCallback ( ) ) { mySC . getAppWriteCallback ( ) . error ( vc , ioe ) ; } else { mySC . getLink ( ) . getDeviceLink ( ) . close ( vc , ioe ) ; } } | Called by the channel below us when an error occurs during a write . |
163,963 | protected void deactivate ( int reason ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "Deactivating " + this , "reason=" + reason ) ; } this . cachedEncoding = null ; this . cachedLocale = null ; this . localeMap . clear ( ) ; this . converterMap . clear ( ) ; this . supportedEncodingsCache . clear ( ) ; this . localesCache . clear ( ) ; } | DS deactivation method for this component . |
163,964 | private List < List < String > > processAcceptLanguage ( String acceptLanguage ) { StringTokenizer languageTokenizer = new StringTokenizer ( acceptLanguage , "," ) ; TreeMap < Double , List < String > > map = new TreeMap < Double , List < String > > ( Collections . reverseOrder ( ) ) ; List < String > list ; while ( languageTokenizer . hasMoreTokens ( ) ) { String language = languageTokenizer . nextToken ( ) . trim ( ) ; if ( language . length ( ) == 0 ) { continue ; } int semicolonIndex = language . indexOf ( ';' ) ; Double qValue = Double . valueOf ( 1 ) ; if ( semicolonIndex > - 1 ) { int qIndex = language . indexOf ( "q=" ) ; String qValueStr = language . substring ( qIndex + 2 ) ; try { qValue = Double . valueOf ( qValueStr . trim ( ) ) ; } catch ( NumberFormatException nfe ) { FFDCFilter . processException ( nfe , "EncodingUtils.processAcceptLanguage" , "215" ) ; } language = language . substring ( 0 , semicolonIndex ) ; } if ( language . length ( ) > 0 ) { if ( ( qValue . doubleValue ( ) > 0 ) && ( language . charAt ( 0 ) != '*' ) ) { list = map . get ( qValue ) ; if ( null == list ) { list = new ArrayList < String > ( 1 ) ; } list . add ( language ) ; map . put ( qValue , list ) ; } } } List < List < String > > rc = null ; if ( ! map . isEmpty ( ) ) { rc = new ArrayList < List < String > > ( map . values ( ) ) ; } return rc ; } | Processes the accept language header into a sublists based on the qvalue . Each sublist is a list of string values for a given qvalue and the overall list is ordered with preferred languages first . |
163,965 | private List < Locale > extractLocales ( List < List < String > > allLangs ) { List < Locale > rc = new ArrayList < Locale > ( ) ; for ( List < String > langList : allLangs ) { for ( String language : langList ) { String country = "" ; String variant = "" ; int countryIndex = language . indexOf ( '-' ) ; if ( countryIndex > - 1 ) { int variantIndex = language . indexOf ( '-' , ( countryIndex + 1 ) ) ; if ( variantIndex > - 1 ) { variant = language . substring ( variantIndex + 1 ) . trim ( ) ; country = language . substring ( countryIndex , variantIndex ) . trim ( ) ; } else { country = language . substring ( countryIndex + 1 ) . trim ( ) ; } language = language . substring ( 0 , countryIndex ) . trim ( ) ; } rc . add ( new Locale ( language , country , variant ) ) ; } } return rc ; } | Extract the locales from a passed in language list . |
163,966 | public Token getMetaDataToken ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( this , tc , "getMetaDataToken" ) ; SibTr . exit ( this , tc , "getMetaDataToken" , "return=" + _metaDataToken ) ; } return _metaDataToken ; } | startup of the message store |
163,967 | public void updateMetaDataOnly ( Transaction tran , Persistable persistable ) throws PersistenceException , ObjectManagerException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "updateMetaDataOnly" , new Object [ ] { "Tran=" + tran , "Persistable=" + persistable } ) ; PersistableMetaData metaData = getMetaData ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "MetaData=" + metaData ) ; tran . lock ( metaData ) ; metaData . setLockID ( persistable . getLockID ( ) ) ; metaData . setRedeliveredCount ( persistable . getRedeliveredCount ( ) ) ; tran . replace ( metaData ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "updateMetaDataOnly" , "MetaData=" + metaData ) ; } | Only update the persistent copy of the meta data associated with this Persistable . This variant is for a cached persistable in which the lock ID has been cached by the task . |
163,968 | public java . util . List < DataSlice > getData ( ) throws PersistentDataEncodingException , SevereMessageStoreException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getData" ) ; java . util . List < DataSlice > retval = null ; synchronized ( this ) { if ( _link != null ) { retval = _link . getMemberData ( ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getData" , "return=" + retval ) ; return retval ; } | This method is used by the task layer to get hold of data from the cache layer before it is hardened to disk . It should therefore return the data from the Item and not that from the ManagedObject . |
163,969 | public void setWasSpillingAtAddition ( boolean wasSpillingAtAddition ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setWasSpillingAtAddition" , Boolean . valueOf ( wasSpillingAtAddition ) ) ; _wasSpillingAtAddition = wasSpillingAtAddition ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setWasSpillingAtAddition" ) ; } | we need to correctly track the value of this flag . |
163,970 | public void setWriter ( Object sysLogHolder , Object sysErrHolder ) { this . sysOutHolder = ( SystemLogHolder ) sysLogHolder ; this . sysErrHolder = ( SystemLogHolder ) sysErrHolder ; } | Set the writers for SystemOut and SystemErr respectfully |
163,971 | public static SecurityMetadata getSecurityMetadata ( ) { SecurityMetadata secMetadata = null ; ModuleMetaData mmd = ComponentMetaDataAccessorImpl . getComponentMetaDataAccessor ( ) . getComponentMetaData ( ) . getModuleMetaData ( ) ; if ( mmd instanceof WebModuleMetaData ) { secMetadata = ( SecurityMetadata ) ( ( WebModuleMetaData ) mmd ) . getSecurityMetaData ( ) ; } else { WebModuleMetaData wmmd = getWebModuleMetaData ( ) ; if ( wmmd != null ) { secMetadata = ( SecurityMetadata ) wmmd . getSecurityMetaData ( ) ; } } return secMetadata ; } | Get the security metadata |
163,972 | public CompoundName getFirstInChain ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getFirstInChain" ) ; CompoundName firstInChain = collector . getFirst ( ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getFirstInChain" , firstInChain ) ; return firstInChain ; } | Get the first compound name in any alias chain we re validating . |
163,973 | public void validate ( String destName , String busName ) throws SINotPossibleInCurrentConfigurationException { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "validate" , new Object [ ] { destName , busName } ) ; if ( collector . contains ( destName , busName ) ) { String chainText = toStringPlus ( destName , busName ) ; CompoundName firstInChain = getFirstInChain ( ) ; String nlsMessage = nls . getFormattedMessage ( "ALIAS_CIRCULAR_DEPENDENCY_ERROR_CWSIP0621" , new Object [ ] { firstInChain , chainText , busName } , null ) ; SINotPossibleInCurrentConfigurationException e = new SINotPossibleInCurrentConfigurationException ( nlsMessage ) ; SibTr . exception ( tc , e ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "validate" , nlsMessage ) ; throw e ; } collector . add ( destName , busName ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "validate" ) ; } | Check that the given destination busname combination has not been seen before when resolving an alias . If it has not been seen we add it to the map for checking next time . |
163,974 | public String toStringPlus ( String destName , String busName ) { StringBuffer sb = new StringBuffer ( toString ( ) ) ; String compoundName = new CompoundName ( destName , busName ) . toString ( ) ; sb . append ( " -> " ) ; sb . append ( compoundName ) ; return sb . toString ( ) ; } | Return a string representation of the alias chain appended with the destination name given . |
163,975 | private void initialize ( final File logDirectory , final String aaplName ) { if ( logDirectory == null ) { captureEnabled = false ; return ; } AccessController . doPrivileged ( new PrivilegedAction < Void > ( ) { public Void run ( ) { String captureDirStr = "JPATransform" + "/" + ( ( aaplName != null ) ? aaplName : "unknownapp" ) ; captureRootDir = new File ( logDirectory , captureDirStr ) ; captureEnabled = captureRootDir . mkdirs ( ) || captureRootDir . isDirectory ( ) ; if ( ! captureEnabled ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Cannot create server instance capture directory, so enhanced entity bytecode will not be captured." ) ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Capturing enhanced bytecode for JPA entities to " + captureRootDir . getAbsolutePath ( ) ) ; } } return null ; } } ) ; } | Determines the existence of the server log directory and attempts to create a capture directory within the log directory . If this can be accomplished the field captureEnabled is set to true . Otherwise it is left to its default value false if the capture directory cannot be used . |
163,976 | private static boolean resourceExist ( ExternalContext externalContext , String path ) { if ( "/" . equals ( path ) ) { return true ; } Object ctx = externalContext . getContext ( ) ; if ( ctx instanceof ServletContext ) { ServletContext servletContext = ( ServletContext ) ctx ; InputStream stream = servletContext . getResourceAsStream ( path ) ; if ( stream != null ) { try { stream . close ( ) ; } catch ( IOException e ) { } return true ; } } return false ; } | doesnt exist . Otherwise the URL will fail on the first access . |
163,977 | public synchronized void addSlice ( CommsByteBuffer bufferContainingSlice , boolean last ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "addSlice" , new Object [ ] { bufferContainingSlice , last } ) ; slices . add ( bufferContainingSlice . getDataSlice ( ) ) ; if ( last ) { for ( DataSlice slice : slices ) { messageLength += slice . getLength ( ) ; } complete = true ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Message now consists of " + slices . size ( ) + " slices" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "addSlice" ) ; } | This method will add a data slice to the list of slices for this message . |
163,978 | public void updateArrivalTime ( long messageArrivalTime ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "updateMessageArrivalTime" , messageArrivalTime ) ; this . arrivalTime = messageArrivalTime ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "updateMessageArrivalTime" ) ; } | Used to update the message arrival time for this data . |
163,979 | public void stop ( int requestNumber , SendListener sendListener ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "stop" , requestNumber ) ; logicallyStarted = false ; super . stop ( requestNumber , sendListener ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "stop" ) ; } | Stops the session and marks it as stopped . |
163,980 | public void close ( int requestNumber ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "close" , requestNumber ) ; if ( asynchReader != null ) { try { mainConsumer . getConsumerSession ( ) . getConnection ( ) . removeConnectionListener ( asynchReader ) ; } catch ( SIException e ) { if ( ! ( ( ConversationState ) getConversation ( ) . getAttachment ( ) ) . hasMETerminated ( ) ) { FFDCFilter . processException ( e , CLASS_NAME + ".close" , CommsConstants . CATSESSSYNCHCONSUMER_CLOSE_01 , this ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) SibTr . exception ( this , tc , e ) ; } if ( asynchReader . isCurrentlyDoingReceiveWithWait ( ) ) asynchReader . sendNoMessageToClient ( ) ; } super . close ( requestNumber ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "close" ) ; } | Closes the session . If we are currently doing a receiveWithWait then that will be interrupted and a response will be sent to the client . |
163,981 | public void setAsynchConsumerCallback ( int requestNumber , int maxActiveMessages , long messageLockExpiry , int batchsize , OrderingContext orderContext ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setAsynchConsumerCallback" , new Object [ ] { requestNumber , maxActiveMessages , messageLockExpiry , batchsize , orderContext } ) ; mainConsumer . setAsynchConsumerCallback ( requestNumber , maxActiveMessages , messageLockExpiry , batchsize , orderContext ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setAsynchConsumerCallback" ) ; } | This will cause the synchronous session to become asynchrnous . As such this class will not handle the session anymore so we inform the main consumer and that will then switch over the delegated class to handle the consumer . |
163,982 | public void postConstruct ( Object instance , Object creationMetaData ) throws InjectionProviderException { Class clazz = instance . getClass ( ) ; Method [ ] methods = getDeclaredMethods ( clazz ) ; if ( methods == null ) { methods = clazz . getDeclaredMethods ( ) ; Map < Class , Method [ ] > declaredMethodBeansMap = getDeclaredMethodBeansMap ( ) ; synchronized ( declaredMethodBeansMap ) { declaredMethodBeansMap . put ( clazz , methods ) ; } } Method postConstruct = null ; for ( int i = 0 ; i < methods . length ; i ++ ) { Method method = methods [ i ] ; if ( method . isAnnotationPresent ( PostConstruct . class ) ) { if ( ( postConstruct != null ) || ( method . getParameterTypes ( ) . length != 0 ) || ( Modifier . isStatic ( method . getModifiers ( ) ) ) || ( method . getExceptionTypes ( ) . length > 0 ) || ( ! method . getReturnType ( ) . getName ( ) . equals ( "void" ) ) ) { throw new IllegalArgumentException ( "Invalid PostConstruct annotation" ) ; } postConstruct = method ; } } try { invokeAnnotatedMethod ( postConstruct , instance ) ; } catch ( IllegalAccessException ex ) { throw new InjectionProviderException ( ex ) ; } catch ( InvocationTargetException ex ) { throw new InjectionProviderException ( ex ) ; } } | Call postConstruct method on the specified instance . |
163,983 | private WebSphereCDIDeployment createWebSphereCDIDeployment ( Application application , Set < ExtensionArchive > extensionArchives ) throws CDIException { WebSphereCDIDeployment webSphereCDIDeployment = new WebSphereCDIDeploymentImpl ( application , cdiRuntime ) ; DiscoveredBdas discoveredBdas = new DiscoveredBdas ( webSphereCDIDeployment ) ; if ( application . hasModules ( ) ) { Collection < CDIArchive > libraryArchives = application . getLibraryArchives ( ) ; Collection < CDIArchive > moduleArchives = application . getModuleArchives ( ) ; ClassLoader applicationClassLoader = application . getClassLoader ( ) ; webSphereCDIDeployment . setClassLoader ( applicationClassLoader ) ; processLibraries ( webSphereCDIDeployment , discoveredBdas , libraryArchives ) ; processModules ( webSphereCDIDeployment , discoveredBdas , moduleArchives ) ; discoveredBdas . makeCrossBoundaryWiring ( ) ; addRuntimeExtensions ( webSphereCDIDeployment , discoveredBdas ) ; } return webSphereCDIDeployment ; } | This method creates the Deployment structure with all it s BDAs . |
163,984 | private void addRuntimeExtensions ( WebSphereCDIDeployment webSphereCDIDeployment , DiscoveredBdas discoveredBdas ) throws CDIException { Set < WebSphereBeanDeploymentArchive > extensions = createExtensionBDAs ( webSphereCDIDeployment ) ; webSphereCDIDeployment . addBeanDeploymentArchives ( extensions ) ; for ( WebSphereBeanDeploymentArchive bda : webSphereCDIDeployment . getApplicationBDAs ( ) ) { for ( WebSphereBeanDeploymentArchive extBDA : extensions ) { if ( bda != extBDA ) { bda . addBeanDeploymentArchive ( extBDA ) ; if ( extBDA . extensionCanSeeApplicationBDAs ( ) && ! discoveredBdas . isExcluded ( bda ) ) { extBDA . addBeanDeploymentArchive ( bda ) ; } } } } } | Create a BDA for each runtime extension and add it to the deployment . |
163,985 | private Set < WebSphereBeanDeploymentArchive > createExtensionBDAs ( WebSphereCDIDeployment applicationContext ) throws CDIException { Set < WebSphereBeanDeploymentArchive > extensionBdas = new HashSet < WebSphereBeanDeploymentArchive > ( ) ; Set < ExtensionArchive > extensions = getExtensionArchives ( ) ; if ( extensions != null ) { for ( ExtensionArchive extArchive : extensions ) { WebSphereBeanDeploymentArchive moduleCDIContext = BDAFactory . createBDA ( applicationContext , extArchive , cdiRuntime ) ; extensionBdas . add ( moduleCDIContext ) ; } } return extensionBdas ; } | Create BDAs for all runtime extensions that cannot see application bdas |
163,986 | private void processModules ( WebSphereCDIDeployment applicationContext , DiscoveredBdas discoveredBdas , Collection < CDIArchive > moduleArchives ) throws CDIException { List < WebSphereBeanDeploymentArchive > moduleBDAs = new ArrayList < WebSphereBeanDeploymentArchive > ( ) ; for ( CDIArchive archive : moduleArchives ) { if ( cdiRuntime . isClientProcess ( ) ) { if ( ArchiveType . CLIENT_MODULE != archive . getType ( ) ) { continue ; } } else { if ( ArchiveType . CLIENT_MODULE == archive . getType ( ) ) { continue ; } } if ( applicationContext . getClassLoader ( ) == null ) { applicationContext . setClassLoader ( archive . getClassLoader ( ) ) ; } String archiveID = archive . getJ2EEName ( ) . toString ( ) ; if ( cdiRuntime . skipCreatingBda ( archive ) ) { continue ; } WebSphereBeanDeploymentArchive moduleBda = BDAFactory . createBDA ( applicationContext , archiveID , archive , cdiRuntime ) ; discoveredBdas . addDiscoveredBda ( archive . getType ( ) , moduleBda ) ; moduleBDAs . add ( moduleBda ) ; } for ( WebSphereBeanDeploymentArchive bda : moduleBDAs ) { processModuleLibraries ( bda , discoveredBdas ) ; } } | Create BDAs for either the EJB Web or Client modules and any libraries they reference on their classpath . |
163,987 | private synchronized Set < ExtensionArchive > getExtensionArchives ( ) throws CDIException { if ( runtimeExtensionSet == null ) { runtimeExtensionSet = new HashSet < ExtensionArchive > ( ) ; Iterator < ServiceAndServiceReferencePair < WebSphereCDIExtension > > extensions = cdiRuntime . getExtensionServices ( ) ; while ( extensions . hasNext ( ) ) { ServiceAndServiceReferencePair < WebSphereCDIExtension > extension = extensions . next ( ) ; ServiceReference < WebSphereCDIExtension > sr = extension . getServiceReference ( ) ; Bundle bundle = null ; if ( sr == null ) { continue ; } bundle = sr . getBundle ( ) ; String extra_classes_blob = ( String ) sr . getProperty ( EXTENSION_API_CLASSES ) ; Set < String > extra_classes = new HashSet < String > ( ) ; if ( extra_classes_blob != null ) { String [ ] classes = extra_classes_blob . split ( EXTENSION_API_CLASSES_SEPARATOR ) ; if ( ( classes != null ) && ( classes . length > 0 ) ) { Collections . addAll ( extra_classes , classes ) ; } } String extraAnnotationsBlob = ( String ) sr . getProperty ( EXTENSION_BEAN_DEFINING_ANNOTATIONS ) ; Set < String > extraAnnotations = new HashSet < String > ( ) ; if ( extraAnnotationsBlob != null ) { String [ ] annotations = extraAnnotationsBlob . split ( EXTENSION_API_CLASSES_SEPARATOR ) ; if ( ( annotations != null ) && ( annotations . length > 0 ) ) { Collections . addAll ( extraAnnotations , annotations ) ; } } String applicationBDAsVisibleStr = ( String ) sr . getProperty ( EXTENSION_APP_BDAS_VISIBLE ) ; boolean applicationBDAsVisible = Boolean . parseBoolean ( applicationBDAsVisibleStr ) ; String extClassesOnlyStr = ( String ) sr . getProperty ( EXTENSION_CLASSES_ONLY_MODE ) ; boolean extClassesOnly = Boolean . parseBoolean ( extClassesOnlyStr ) ; ExtensionArchive extensionArchive = cdiRuntime . getExtensionArchiveForBundle ( bundle , extra_classes , extraAnnotations , applicationBDAsVisible , extClassesOnly ) ; runtimeExtensionSet . add ( extensionArchive ) ; } if ( CDIUtils . isDevelopementMode ( ) ) { runtimeExtensionSet . add ( new ProbeExtensionArchive ( cdiRuntime , null ) ) ; } } return runtimeExtensionSet ; } | Returns the extension container info with ContainerInfo classloader and container name |
163,988 | public int compareEntitysWithRespectToProperties ( Entity entity1 , Entity entity2 ) { List < SortKeyType > sortKeys = sortControl . getSortKeys ( ) ; int temp = 0 ; for ( int i = 0 ; i < sortKeys . size ( ) && temp == 0 ; i ++ ) { SortKeyType sortKey = ( SortKeyType ) sortKeys . get ( i ) ; String propName = sortKey . getPropertyName ( ) ; boolean ascendingSorting = sortKey . isAscendingOrder ( ) ; Object propValue1 = getPropertyValue ( entity1 , propName , ascendingSorting ) ; Object propValue2 = getPropertyValue ( entity2 , propName , ascendingSorting ) ; temp = compareProperties ( propValue1 , propValue2 ) ; if ( ! ascendingSorting ) { temp = 0 - temp ; } } return temp ; } | Compares the two entity data objects . |
163,989 | public List < Entity > sortEntities ( List < Entity > entities ) { if ( entities != null && entities . size ( ) > 0 ) { Entity [ ] ents = ( Entity [ ] ) entities . toArray ( new Entity [ entities . size ( ) ] ) ; WIMSortCompare < Entity > wimSortComparator = new WIMSortCompare < Entity > ( sortControl ) ; Arrays . sort ( ents , wimSortComparator ) ; entities . clear ( ) ; for ( int i = 0 ; i < ents . length ; i ++ ) { entities . add ( ents [ i ] ) ; } } return entities ; } | Sorts the set of Member Objects |
163,990 | public void encodeBegin ( FacesContext context ) throws IOException { _initialDescendantComponentState = null ; if ( _isValidChilds && ! hasErrorMessages ( context ) ) { _dataModelMap . clear ( ) ; if ( ! isRowStatePreserved ( ) ) { _rowStates . clear ( ) ; } } super . encodeBegin ( context ) ; } | Perform necessary actions when rendering of this component starts before delegating to the inherited implementation which calls the associated renderer s encodeBegin method . |
163,991 | private void processColumnFacets ( FacesContext context , int processAction ) { for ( int i = 0 , childCount = getChildCount ( ) ; i < childCount ; i ++ ) { UIComponent child = getChildren ( ) . get ( i ) ; if ( child instanceof UIColumn ) { if ( ! _ComponentUtils . isRendered ( context , child ) ) { continue ; } if ( child . getFacetCount ( ) > 0 ) { for ( UIComponent facet : child . getFacets ( ) . values ( ) ) { process ( context , facet , processAction ) ; } } } } } | Invoke the specified phase on all facets of all UIColumn children of this component . Note that no methods are called on the UIColumn child objects themselves . |
163,992 | private void processColumnChildren ( FacesContext context , int processAction ) { int first = getFirst ( ) ; int rows = getRows ( ) ; int last ; if ( rows == 0 ) { last = getRowCount ( ) ; } else { last = first + rows ; } for ( int rowIndex = first ; last == - 1 || rowIndex < last ; rowIndex ++ ) { setRowIndex ( rowIndex ) ; if ( ! isRowAvailable ( ) ) { break ; } for ( int i = 0 , childCount = getChildCount ( ) ; i < childCount ; i ++ ) { UIComponent child = getChildren ( ) . get ( i ) ; if ( child instanceof UIColumn ) { if ( ! _ComponentUtils . isRendered ( context , child ) ) { continue ; } for ( int j = 0 , columnChildCount = child . getChildCount ( ) ; j < columnChildCount ; j ++ ) { UIComponent columnChild = child . getChildren ( ) . get ( j ) ; process ( context , columnChild , processAction ) ; } } } } } | Invoke the specified phase on all non - facet children of all UIColumn children of this component . Note that no methods are called on the UIColumn child objects themselves . |
163,993 | public void setRows ( int rows ) { if ( rows < 0 ) { throw new IllegalArgumentException ( "rows: " + rows ) ; } getStateHelper ( ) . put ( PropertyKeys . rows , rows ) ; } | Set the maximum number of rows displayed in the table . |
163,994 | @ JSFProperty ( literalOnly = true , faceletsOnly = true ) public boolean isRowStatePreserved ( ) { Boolean b = ( Boolean ) getStateHelper ( ) . get ( PropertyKeys . rowStatePreserved ) ; return b == null ? false : b . booleanValue ( ) ; } | Indicates whether the state for a component in each row should not be discarded before the datatable is rendered again . |
163,995 | public List < String > getManagedObjects ( ) { ArrayList < String > managedObjects = new ArrayList < String > ( ) ; if ( this . application != null ) { managedObjects . addAll ( application . getManagedObjects ( ) ) ; } if ( this . factory != null ) { managedObjects . addAll ( factory . getManagedObjects ( ) ) ; } if ( this . lifecycle != null ) { managedObjects . addAll ( lifecycle . getManagedObjects ( ) ) ; } return managedObjects ; } | This method is only called from jsf 2 . 2 |
163,996 | public long getLastModified ( ) { if ( matchedEntry != null ) { return matchedEntry . getLastModified ( ) ; } else if ( matchedZipFile != null ) { return matchedZipFile . getLastModified ( ) ; } else if ( matchedFile != null ) { return matchedFile . lastModified ( ) ; } else { return 0 ; } } | Get the last modified date of the appropriate matched item |
163,997 | public void expiryAlarm ( AORequestedTick requestedTick ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "expiryAlarm" , requestedTick ) ; boolean transitionOccured = false ; ArrayList < AORequestedTick > satisfiedTicks = null ; try { this . lock ( ) ; try { if ( closed ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "expiryAlarm" ) ; return ; } transitionOccured = cancelRequestInternal ( requestedTick , true ) ; if ( transitionOccured && ! listOfRequests . isEmpty ( ) ) satisfiedTicks = processQueuedMsgs ( null ) ; } finally { this . unlock ( ) ; } } catch ( SINotPossibleInCurrentConfigurationException e ) { notifyException ( e ) ; } if ( transitionOccured ) { parent . expiredRequest ( requestedTick . tick ) ; } if ( satisfiedTicks != null ) { int length = satisfiedTicks . size ( ) ; for ( int i = 0 ; i < length ; i ++ ) { AORequestedTick aotick = ( AORequestedTick ) satisfiedTicks . get ( i ) ; long tick = aotick . tick ; SIMPMessage m = aotick . getMessage ( ) ; parent . satisfiedRequest ( tick , m ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "expiryAlarm" ) ; } | Callback from the AORequestedTick when the expiry alarm occurs . |
163,998 | public void alarm ( Object thandle ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "alarm" , thandle ) ; boolean doClose = false ; synchronized ( parent ) { this . lock ( ) ; try { if ( idleHandler != null ) { if ( ! listOfRequests . isEmpty ( ) ) { SIErrorException e = new SIErrorException ( nls . getFormattedMessage ( "INTERNAL_MESSAGING_ERROR_CWSIP0001" , new Object [ ] { "com.ibm.ws.sib.processor.impl.JSRemoteConsumerPoint" , "1:1121:1.43.2.26" } , null ) ) ; FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.impl.JSRemoteConsumerPoint.alarm" , "1:1126:1.43.2.26" , this ) ; SibTr . exception ( tc , e ) ; SibTr . error ( tc , "INTERNAL_MESSAGING_ERROR_CWSIP0001" , new Object [ ] { "com.ibm.ws.sib.processor.impl.JSRemoteConsumerPoint" , "1:1132:1.43.2.26" } ) ; } else { parent . removeConsumerKey ( selectionCriteriasAsString , this ) ; doClose = true ; } } } finally { this . unlock ( ) ; } } if ( doClose ) { close ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "alarm" ) ; } | The idle timeout has expired |
163,999 | public void cleanup ( ) { cleanupLock . lock ( ) ; try { if ( null != writeInterface ) { this . writeInterface . close ( ) ; this . writeInterface = null ; } if ( null != readInterface ) { this . readInterface . close ( ) ; this . readInterface = null ; } if ( null != getSSLEngine ( ) ) { if ( this . sslChannel . getstop0Called ( ) == true ) { this . connected = false ; } SSLUtils . shutDownSSLEngine ( this , isInbound , this . connected ) ; this . sslEngine = null ; } this . connected = false ; } finally { cleanupLock . unlock ( ) ; } } | This method is called from both close and destroy to clean up local resources . Avoid object synchronization but ensure only one thread does cleanup at a time . |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.