idx
int64 0
165k
| question
stringlengths 73
5.81k
| target
stringlengths 5
918
|
---|---|---|
164,000 | public void ready ( VirtualConnection inVC ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "ready, vc=" + getVCHash ( ) ) ; } if ( ! closed && FrameworkState . isValid ( ) ) { try { if ( isInbound ) { Map < Object , Object > stateMap = inVC . getStateMap ( ) ; discState = ( SSLDiscriminatorState ) stateMap . remove ( SSLChannel . SSL_DISCRIMINATOR_STATE ) ; if ( discState != null ) { sslEngine = discState . getEngine ( ) ; sslContext = discState . getSSLContext ( ) ; setLinkConfig ( ( SSLLinkConfig ) stateMap . get ( SSLConnectionLink . LINKCONFIG ) ) ; } else if ( sslContext == null || getSSLEngine ( ) == null ) { sslContext = getChannel ( ) . getSSLContextForInboundLink ( this , inVC ) ; sslEngine = SSLUtils . getSSLEngine ( sslContext , sslChannel . getConfig ( ) . getFlowType ( ) , getLinkConfig ( ) , this ) ; } } else { if ( sslContext == null || getSSLEngine ( ) == null ) { sslContext = getChannel ( ) . getSSLContextForOutboundLink ( this , inVC , targetAddress ) ; sslEngine = SSLUtils . getOutboundSSLEngine ( sslContext , getLinkConfig ( ) , targetAddress . getRemoteAddress ( ) . getHostName ( ) , targetAddress . getRemoteAddress ( ) . getPort ( ) , this ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "SSL engine hc=" + getSSLEngine ( ) . hashCode ( ) + " associated with vc=" + getVCHash ( ) ) ; } connected = true ; if ( isInbound ) { readyInbound ( inVC ) ; } else { readyOutbound ( inVC , true ) ; } } catch ( Exception e ) { if ( FrameworkState . isStopping ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Ignoring exception during server shutdown: " + e ) ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Caught exception during ready, " + e , e ) ; } FFDCFilter . processException ( e , getClass ( ) . getName ( ) , "238" , this ) ; } close ( inVC , e ) ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "ready called after close so do nothing" ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "ready" ) ; } } | This method will be called at one of two times . If this connection link is part of an inbound chain then this will be called when the device side channel has accepted a new connection and determined that this is the next channel in the chain . Note that the Discriminator may have already been run . The second case where this method may be called is if this connection link is part of an outbound chain . In that case this method will be called when the initial outbound connect reports back success . |
164,001 | protected void readyInboundPostHandshake ( WsByteBuffer netBuffer , WsByteBuffer decryptedNetBuffer , WsByteBuffer encryptedAppBuffer , HandshakeStatus hsStatus ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "readyInboundPostHandshake, vc=" + getVCHash ( ) ) ; } encryptedAppBuffer . release ( ) ; if ( hsStatus == HandshakeStatus . FINISHED ) { AlpnSupportUtils . getAlpnResult ( getSSLEngine ( ) , this ) ; getChannel ( ) . onHandshakeFinish ( getSSLEngine ( ) ) ; if ( netBuffer . remaining ( ) == 0 || netBuffer . position ( ) == 0 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Releasing netBuffer: " + netBuffer . hashCode ( ) ) ; } netBuffer . release ( ) ; getDeviceReadInterface ( ) . setBuffers ( null ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "App data exists in netBuffer after handshake: " + netBuffer . remaining ( ) ) ; } } readInterface . setBuffer ( decryptedNetBuffer ) ; MyReadCompletedCallback readCallback = new MyReadCompletedCallback ( decryptedNetBuffer ) ; if ( null != readInterface . read ( 1 , readCallback , false , TCPRequestContext . USE_CHANNEL_TIMEOUT ) ) { determineNextChannel ( ) ; } } else { netBuffer . release ( ) ; getDeviceReadInterface ( ) . setBuffers ( null ) ; decryptedNetBuffer . release ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Unhandled result from SSL engine: " + hsStatus ) ; } SSLException ssle = new SSLException ( "Unhandled result from SSL engine: " + hsStatus ) ; FFDCFilter . processException ( ssle , getClass ( ) . getName ( ) , "401" , this ) ; close ( getVirtualConnection ( ) , ssle ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "readyInboundPostHandshake" ) ; } } | This method is called after the SSL handshake has taken place . |
164,002 | private void readyOutbound ( VirtualConnection inVC , boolean async ) throws IOException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "readyOutbound, vc=" + getVCHash ( ) ) ; } final SSLChannelData config = this . sslChannel . getConfig ( ) ; WsByteBuffer netBuffer = SSLUtils . allocateByteBuffer ( getPacketBufferSize ( ) , config . getEncryptBuffersDirect ( ) ) ; WsByteBuffer decryptedNetBuffer = SSLUtils . allocateByteBuffer ( getAppBufferSize ( ) , config . getDecryptBuffersDirect ( ) ) ; WsByteBuffer encryptedAppBuffer = SSLUtils . allocateByteBuffer ( getPacketBufferSize ( ) , true ) ; SSLEngineResult sslResult = null ; MyHandshakeCompletedCallback callback = null ; IOException exception = null ; if ( async ) { callback = new MyHandshakeCompletedCallback ( this , netBuffer , decryptedNetBuffer , encryptedAppBuffer , FlowType . OUTBOUND ) ; } try { sslResult = SSLUtils . handleHandshake ( this , netBuffer , decryptedNetBuffer , encryptedAppBuffer , sslResult , callback , false ) ; if ( sslResult != null ) { readyOutboundPostHandshake ( netBuffer , decryptedNetBuffer , encryptedAppBuffer , sslResult . getHandshakeStatus ( ) , async ) ; } } catch ( IOException e ) { exception = e ; } catch ( ReadOnlyBufferException e ) { exception = new IOException ( "Caught exception: " + e ) ; } if ( exception != null ) { FFDCFilter . processException ( exception , getClass ( ) . getName ( ) , "540" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Caught exception during handshake after connect, " + exception ) ; } if ( netBuffer != null ) { netBuffer . release ( ) ; netBuffer = null ; getDeviceReadInterface ( ) . setBuffers ( null ) ; } if ( decryptedNetBuffer != null ) { decryptedNetBuffer . release ( ) ; decryptedNetBuffer = null ; } if ( encryptedAppBuffer != null ) { encryptedAppBuffer . release ( ) ; encryptedAppBuffer = null ; } if ( async ) { close ( inVC , exception ) ; } else { this . syncConnectFailure = true ; close ( inVC , exception ) ; throw exception ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "readyOutbound" ) ; } return ; } | Handle work required by the ready method for outbound connections . When called the outbound socket has been established . Establish the SSL connection before reporting to the next channel . Note this method is called in both sync and async flows . |
164,003 | protected void readyOutboundPostHandshake ( WsByteBuffer netBuffer , WsByteBuffer decryptedNetBuffer , WsByteBuffer encryptedAppBuffer , HandshakeStatus hsStatus , boolean async ) throws IOException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "readyOutboundPostHandshake, vc=" + getVCHash ( ) ) ; } IOException exception = null ; if ( hsStatus != HandshakeStatus . FINISHED ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Unexpected results of handshake after connect, " + hsStatus ) ; } exception = new IOException ( "Unexpected results of handshake after connect, " + hsStatus ) ; } getChannel ( ) . onHandshakeFinish ( getSSLEngine ( ) ) ; getDeviceReadInterface ( ) . setBuffers ( null ) ; if ( netBuffer . remaining ( ) == 0 || netBuffer . position ( ) == 0 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Releasing netBuffer: " + netBuffer . hashCode ( ) ) ; } netBuffer . release ( ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "App data exists in netBuffer after handshake: " + netBuffer . remaining ( ) ) ; } this . readInterface . setNetBuffer ( netBuffer ) ; } decryptedNetBuffer . release ( ) ; encryptedAppBuffer . release ( ) ; if ( async ) { if ( exception != null ) { close ( getVirtualConnection ( ) , exception ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Calling ready method." ) ; } super . ready ( getVirtualConnection ( ) ) ; } } else { if ( exception != null ) { throw exception ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "readyOutboundPostHandshake" ) ; } } | This method is called to handle the results of an SSL handshake . This may be called by a callback or in the same thread as the connect request . |
164,004 | private void handleRedundantConnect ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "handleRedundantConnect, vc=" + getVCHash ( ) ) ; } cleanup ( ) ; sslEngine = SSLUtils . getOutboundSSLEngine ( sslContext , getLinkConfig ( ) , targetAddress . getRemoteAddress ( ) . getHostName ( ) , targetAddress . getRemoteAddress ( ) . getPort ( ) , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "New SSL engine=" + getSSLEngine ( ) . hashCode ( ) + " for vc=" + getVCHash ( ) ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "handleRedundantConnect" ) ; } } | This method is called if connect or connectAsync are called redundantly after the connection is already established . It cleans up the SSL engine . The connect methods will then pass the connect on down the chain where eventually a new socket will be established with this virtual connection . |
164,005 | public void setAlpnProtocol ( String protocol ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "setAlpnProtocol: " + protocol + " " + this ) ; } this . alpnProtocol = protocol ; this . sslConnectionContext . setAlpnProtocol ( protocol ) ; } | Set the ALPN protocol negotiated for this link |
164,006 | private void destroyConnLinks ( ) { synchronized ( inUse ) { int numlinks = inUse . size ( ) ; for ( int i = 0 ; i < numlinks ; i ++ ) { inUse . removeFirst ( ) . destroy ( null ) ; } } } | call the destroy on all the UDPConnLink objects related to this UDPChannel which are currently in use . |
164,007 | public boolean verifySender ( InetAddress remoteAddr ) { boolean returnValue = true ; if ( alists != null ) { returnValue = ! alists . accessDenied ( remoteAddr ) ; } return returnValue ; } | Verify whether the remote address is allowed to communicated with the channel . |
164,008 | public boolean aboveRange ( InetAddress ip ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "aboveRange, ip is " + ip ) ; Tr . debug ( tc , "aboveRange, ip is " + ip ) ; } return greaterThan ( ip , ipHigher ) ; } | Is the given ip address numericaly above the address range? Is it above ipHigher? |
164,009 | public boolean belowRange ( InetAddress ip ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "belowRange, ip is " + ip ) ; Tr . debug ( tc , "belowRange, ipLower is " + ipLower ) ; } return lessThan ( ip , ipLower ) ; } | Is the given ip address numerically below the address range? Is it below ipLower? |
164,010 | private String metadataValueOf ( String value ) { if ( value == null || value . trim ( ) . isEmpty ( ) ) return null ; return value ; } | Since annotations have the default value of convert it to null . |
164,011 | public final Object get ( ) { Object o = buffer . pop ( ) ; if ( beanPerf != null ) { beanPerf . objectRetrieve ( buffer . size ( ) , ( o != null ) ) ; } return o ; } | Retrieve an object from this pool . |
164,012 | public final void put ( Object o ) { boolean discarded = false ; if ( inactive ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "setting active: " + this ) ; inactive = false ; synchronized ( this ) { if ( ! ivManaged ) { poolMgr . add ( this ) ; ivManaged = true ; } } } discarded = ! buffer . pushWithLimit ( o , poolSize . maxSize ) ; if ( discarded ) { if ( discardStrategy != null ) { discardStrategy . discard ( o ) ; } } if ( beanPerf != null ) { beanPerf . objectReturn ( buffer . size ( ) , discarded ) ; } } | Return an object instance to this pool . |
164,013 | final void periodicDrain ( ) { SizeData size = poolSize ; int numDiscarded = drainToSize ( size . minSize , size . maxDrainAmount ) ; if ( numDiscarded == 0 ) { ++ ivInactiveNoDrainCount ; if ( ivInactiveNoDrainCount > 4 ) { synchronized ( this ) { poolMgr . remove ( this ) ; ivManaged = false ; } ivInactiveNoDrainCount = 0 ; } } else ivInactiveNoDrainCount = 0 ; } | Remove a percentage of the elements from this pool down to its minimum value . If the pool becomes active while draining discontinue . |
164,014 | public void init ( HttpInboundConnection conn , RequestMessage req ) { this . request = req ; this . response = conn . getResponse ( ) ; this . connection = conn ; this . outStream = new ResponseBody ( this . response . getBody ( ) ) ; this . locale = Locale . getDefault ( ) ; } | Initialize this response message with the input connection . |
164,015 | public void clear ( ) { this . contentType = null ; this . encoding = null ; this . locale = null ; this . outStream = null ; this . outWriter = null ; this . streamActive = false ; } | Clear all the temporary variables of this response . |
164,016 | private String convertURItoURL ( String uri ) { int indexScheme = uri . indexOf ( "://" ) ; if ( - 1 != indexScheme ) { int indexQuery = uri . indexOf ( '?' ) ; if ( - 1 == indexQuery || indexScheme < indexQuery ) { return uri ; } } StringBuilder sb = new StringBuilder ( ) ; String scheme = this . request . getScheme ( ) ; sb . append ( scheme ) . append ( "://" ) ; sb . append ( this . request . getServerName ( ) ) ; int port = this . request . getServerPort ( ) ; if ( "http" . equalsIgnoreCase ( scheme ) && 80 != port ) { sb . append ( ':' ) . append ( port ) ; } else if ( "https" . equalsIgnoreCase ( scheme ) && 443 != port ) { sb . append ( ':' ) . append ( port ) ; } String data = this . request . getContextPath ( ) ; if ( ! "" . equals ( data ) ) { sb . append ( data ) ; } if ( 0 == uri . length ( ) ) { sb . append ( '/' ) ; } else if ( uri . charAt ( 0 ) == '/' ) { sb . append ( uri ) ; } else { data = this . request . getServletPath ( ) ; if ( ! "" . equals ( data ) ) { sb . append ( data ) ; } data = this . request . getPathInfo ( ) ; if ( null != data ) { sb . append ( data ) ; } sb . append ( '/' ) ; sb . append ( uri ) ; } return sb . toString ( ) ; } | Convert a possible URI to a full URL . |
164,017 | public void commit ( ) { if ( isCommitted ( ) ) { return ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Committing: " + this ) ; } if ( null == this . response . getHeader ( "Content-Language" ) ) { this . response . setHeader ( "Content-Language" , getLocale ( ) . toString ( ) . replace ( '_' , '-' ) ) ; } if ( null != this . response . getHeader ( "Content-Encoding" ) ) { this . response . removeHeader ( "Content-Length" ) ; } SessionInfo info = this . request . getSessionInfo ( ) ; if ( null != info ) { SessionConfig config = info . getSessionConfig ( ) ; if ( config . usingCookies ( ) && null != info . getSession ( ) ) { boolean add = true ; HttpCookie existing = this . response . getCookie ( config . getIDName ( ) ) ; if ( null != existing ) { if ( ! info . getSession ( ) . getId ( ) . equals ( existing . getValue ( ) ) ) { this . response . removeCookie ( existing ) ; } else { add = false ; } } if ( add ) { this . response . addCookie ( convertCookie ( SessionInfo . encodeCookie ( info ) ) ) ; } } } } | When headers are being marshalled out this message moves to committed state which will disallow most further changes . |
164,018 | public void setApi ( String api ) { api = api . trim ( ) ; if ( "liberty" . equalsIgnoreCase ( api ) ) { this . api = "liberty" ; } else if ( "websphere" . equalsIgnoreCase ( api ) ) { this . api = "tr" ; } else if ( "tr" . equalsIgnoreCase ( api ) ) { this . api = "tr" ; } else if ( "jsr47" . equalsIgnoreCase ( api ) ) { this . api = "java-logging" ; } else if ( "java" . equalsIgnoreCase ( api ) ) { this . api = "java-logging" ; } else if ( "java.logging" . equalsIgnoreCase ( api ) ) { this . api = "java-logging" ; } else if ( "java-logging" . equalsIgnoreCase ( api ) ) { this . api = "java-logging" ; } else { log ( "Invalid trace type " + api , Project . MSG_ERR ) ; } } | Set the type of trace API to use . |
164,019 | private Map < String , String > getServletNameClassPairsInWebXML ( Container containerToAdapt ) throws UnableToAdaptException { Map < String , String > nameClassPairs = new HashMap < String , String > ( ) ; WebAppConfig webAppConfig = containerToAdapt . adapt ( WebAppConfig . class ) ; Iterator < IServletConfig > cfgIter = webAppConfig . getServletInfos ( ) ; while ( cfgIter . hasNext ( ) ) { IServletConfig servletCfg = cfgIter . next ( ) ; if ( servletCfg . getClassName ( ) == null ) { continue ; } nameClassPairs . put ( servletCfg . getServletName ( ) , servletCfg . getClassName ( ) ) ; } return nameClassPairs ; } | Get all the Servlet name and className pairs from web . xml |
164,020 | private void processClassesInWebXML ( EndpointInfoBuilder endpointInfoBuilder , EndpointInfoBuilderContext ctx , WebAppConfig webAppConfig , JaxWsModuleInfo jaxWsModuleInfo , Set < String > presentedServices ) throws UnableToAdaptException { Iterator < IServletConfig > cfgIter = webAppConfig . getServletInfos ( ) ; while ( cfgIter . hasNext ( ) ) { IServletConfig servletCfg = cfgIter . next ( ) ; String servletClassName = servletCfg . getClassName ( ) ; if ( servletClassName == null || presentedServices . contains ( servletClassName ) || ! JaxWsUtils . isWebService ( ctx . getInfoStore ( ) . getDelayableClassInfo ( servletClassName ) ) ) { continue ; } String servletName = servletCfg . getServletName ( ) ; ctx . addContextEnv ( JaxWsConstants . ENV_ATTRIBUTE_ENDPOINT_SERVLET_NAME , servletName ) ; jaxWsModuleInfo . addEndpointInfo ( servletName , endpointInfoBuilder . build ( ctx , servletClassName , EndpointType . SERVLET ) ) ; } } | Process the serviceImplBean classes in web . xml file . |
164,021 | public static TrmMessageFactory getInstance ( ) { if ( _instance == null ) { synchronized ( TrmMessageFactory . class ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "createFactoryInstance" ) ; try { Class cls = Class . forName ( TRM_MESSAGE_FACTORY_CLASS ) ; _instance = ( TrmMessageFactory ) cls . newInstance ( ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.mfp.TrmMessageFactory.createFactoryInstance" , "112" ) ; SibTr . error ( tc , "UNABLE_TO_CREATE_TRMFACTORY_CWSIF0021" , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createFactoryInstance" , _instance ) ; } } return _instance ; } | Get the singleton TrmMessageFactory which is to be used for creating TRM Message instances . |
164,022 | public void addNamedEvent ( String shortName , Class < ? extends ComponentSystemEvent > cls ) { String key = shortName ; Collection < Class < ? extends ComponentSystemEvent > > eventList ; if ( shortName == null ) { key = getFixedName ( cls ) ; } eventList = events . get ( key ) ; if ( eventList == null ) { eventList = new LinkedList < Class < ? extends ComponentSystemEvent > > ( ) ; events . put ( key , eventList ) ; } eventList . add ( cls ) ; } | Registers a named event . |
164,023 | private String getFixedName ( Class < ? extends ComponentSystemEvent > cls ) { StringBuilder result = new StringBuilder ( ) ; String className ; className = cls . getSimpleName ( ) ; if ( className . toLowerCase ( ) . endsWith ( "event" ) ) { className = className . substring ( 0 , result . length ( ) - 5 ) ; } if ( cls . getPackage ( ) != null ) { result . append ( cls . getPackage ( ) . getName ( ) ) ; result . append ( '.' ) ; } result . append ( className ) ; return result . toString ( ) ; } | Retrieves the short name for an event class according to spec rules . |
164,024 | public static String jsonifyEvent ( Object event , String eventType , String serverName , String wlpUserDir , String serverHostName , String [ ] tags , int maxFieldLength ) { if ( eventType . equals ( CollectorConstants . GC_EVENT_TYPE ) ) { if ( event instanceof GCData ) { return jsonifyGCEvent ( wlpUserDir , serverName , serverHostName , event , tags ) ; } else { return jsonifyGCEvent ( - 1 , wlpUserDir , serverName , serverHostName , CollectorConstants . GC_EVENT_TYPE , event , tags ) ; } } else if ( eventType . equals ( CollectorConstants . MESSAGES_LOG_EVENT_TYPE ) ) { return jsonifyTraceAndMessage ( maxFieldLength , wlpUserDir , serverName , serverHostName , CollectorConstants . MESSAGES_LOG_EVENT_TYPE , event , tags ) ; } else if ( eventType . equals ( CollectorConstants . TRACE_LOG_EVENT_TYPE ) ) { return jsonifyTraceAndMessage ( maxFieldLength , wlpUserDir , serverName , serverHostName , CollectorConstants . TRACE_LOG_EVENT_TYPE , event , tags ) ; } else if ( eventType . equals ( CollectorConstants . FFDC_EVENT_TYPE ) ) { return jsonifyFFDC ( maxFieldLength , wlpUserDir , serverName , serverHostName , event , tags ) ; } else if ( eventType . equals ( CollectorConstants . ACCESS_LOG_EVENT_TYPE ) ) { return jsonifyAccess ( wlpUserDir , serverName , serverHostName , event , tags ) ; } else if ( eventType . equals ( CollectorConstants . AUDIT_LOG_EVENT_TYPE ) ) { return jsonifyAudit ( wlpUserDir , serverName , serverHostName , event , tags ) ; } return "" ; } | Method to return log event data in json format . This method is for collector version greater than 1 . 0 |
164,025 | public void valueHasChanged ( DCache cache , Object id , long expirationTime , int inactivity ) { if ( expirationTime <= 0 && inactivity <= 0 ) { throw new IllegalArgumentException ( "expirationTime or inactivity must be positive" ) ; } if ( UNIT_TEST_INACTIVITY ) { System . out . println ( " valueHasChanged() - entry" ) ; System . out . println ( " expirationTime=" + expirationTime ) ; System . out . println ( " inactivity=" + inactivity ) ; } boolean isInactivityTimeOut = false ; if ( inactivity > 0 ) { long adjustedExpirationTime = System . currentTimeMillis ( ) + ( inactivity * 1000 ) ; if ( adjustedExpirationTime < expirationTime || expirationTime <= 0 ) { expirationTime = adjustedExpirationTime ; isInactivityTimeOut = true ; } } ExpirationMetaData expirationMetaData = ( ExpirationMetaData ) cacheInstancesTable . get ( cache ) ; if ( expirationMetaData == null ) { return ; } synchronized ( expirationMetaData ) { InvalidationTask it = ( InvalidationTask ) expirationMetaData . expirationTable . get ( id ) ; if ( it == null ) { it = ( InvalidationTask ) taskPool . remove ( ) ; it . id = id ; expirationMetaData . expirationTable . put ( id , it ) ; } else { expirationMetaData . timeLimitHeap . delete ( it ) ; } it . expirationTime = expirationTime ; it . isInactivityTimeOut = isInactivityTimeOut ; expirationMetaData . timeLimitHeap . insert ( it ) ; } } | This notifies this daemon that a value has changed so the expiration time should be updated . It updates internal tables and indexes accordingly . |
164,026 | public void valueWasRemoved ( DCache cache , Object id ) { if ( UNIT_TEST_INACTIVITY ) { System . out . println ( "valueWasRemoved() - entry" ) ; } ExpirationMetaData expirationMetaData = ( ExpirationMetaData ) cacheInstancesTable . get ( cache ) ; if ( expirationMetaData == null ) { return ; } synchronized ( expirationMetaData ) { InvalidationTask it = ( InvalidationTask ) expirationMetaData . expirationTable . remove ( id ) ; if ( it != null ) { expirationMetaData . timeLimitHeap . delete ( it ) ; it . reset ( ) ; taskPool . add ( it ) ; } } } | This notifies this daemon that an entry has removed It removes the entry from the internal tables . |
164,027 | public void valueWasAccessed ( DCache cache , Object id , long expirationTime , int inactivity ) { valueHasChanged ( cache , id , expirationTime , inactivity ) ; } | CPF - Inactivity - cache check inactivity > 0 before calling this method . |
164,028 | public void createExpirationMetaData ( DCache cache ) { ExpirationMetaData expirationMetaData = ( ExpirationMetaData ) cacheInstancesTable . get ( cache ) ; if ( expirationMetaData == null ) { int initialTableSize = DEFAULT_SIZE_FOR_MEM ; if ( cache . getSwapToDisk ( ) && cache . getCacheConfig ( ) . getDiskCachePerformanceLevel ( ) == CacheConfig . HIGH ) { initialTableSize = DEFAULT_SIZE_FOR_MEM_DISK ; } expirationMetaData = new ExpirationMetaData ( initialTableSize ) ; cacheInstancesTable . put ( cache , expirationMetaData ) ; } } | This method is called when the cache is created . This will initialize ExpirationMetaData for specified cache |
164,029 | public ApplicationSignature getApplicationSignature ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , "getApplicationSignature" ) ; SibTr . exit ( tc , "getApplicationSignature" , applicationSig ) ; } return applicationSig ; } | Returns the ApplicationSignature . |
164,030 | public static String getUserNameFromSubject ( Subject subject ) { Iterator < Principal > it = subject . getPrincipals ( ) . iterator ( ) ; String username = it . next ( ) . getName ( ) ; return username ; } | The sujbect has to be non - null |
164,031 | public static String encode ( String value ) { if ( value == null ) { return value ; } try { value = URLEncoder . encode ( value , Constants . UTF_8 ) ; } catch ( UnsupportedEncodingException e ) { } return value ; } | Encodes the given string using URLEncoder and UTF - 8 encoding . |
164,032 | public static String getTimeStamp ( long lNumber ) { String timeStamp = "" + lNumber ; int iIndex = TIMESTAMP_LENGTH - timeStamp . length ( ) ; return zeroFillers [ iIndex ] + timeStamp ; } | for unit test |
164,033 | public static String createNonceCookieValue ( String nonceValue , String state , ConvergedClientConfig clientConfig ) { return HashUtils . digest ( nonceValue + state + clientConfig . getClientSecret ( ) ) ; } | calculate the cookie value of Nonce |
164,034 | private void compress ( ) { counter = 1 ; for ( Iterator e = values ( ) . iterator ( ) ; e . hasNext ( ) ; ) { Selector s = ( Selector ) e . next ( ) ; s . setUniqueId ( counter ++ ) ; } } | Compress the uniqueId assignments for Selectors currently in the intern table |
164,035 | private static JsJmsMessage decodeTextBody ( String body ) throws MessageDecodeFailedException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "decodeTextBody" ) ; JsJmsTextMessage result = new JsJmsTextMessageImpl ( MfpConstants . CONSTRUCTOR_NO_OP ) ; if ( body != null ) { result . setText ( URLDecode ( body ) ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "decodeTextBody" ) ; return result ; } | Decode a text message |
164,036 | private static JsJmsMessage decodeBytesBody ( String body ) throws MessageDecodeFailedException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "decodeBytesBody" ) ; JsJmsBytesMessage result = new JsJmsBytesMessageImpl ( MfpConstants . CONSTRUCTOR_NO_OP ) ; if ( body != null ) result . setBytes ( HexString . hexToBin ( body , 0 ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "decodeBytesBody" ) ; return result ; } | Decode a bytes message |
164,037 | private static JsJmsMessage decodeObjectBody ( String body ) throws MessageDecodeFailedException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "decodeObjectBody" ) ; JsJmsObjectMessage result = new JsJmsObjectMessageImpl ( MfpConstants . CONSTRUCTOR_NO_OP ) ; if ( body != null ) result . setSerializedObject ( HexString . hexToBin ( body , 0 ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "decodeObjectBody" ) ; return result ; } | Decode an object message |
164,038 | private static JsJmsMessage decodeStreamBody ( String body ) throws MessageDecodeFailedException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "decodeStreamBody" ) ; JsJmsStreamMessage result = new JsJmsStreamMessageImpl ( MfpConstants . CONSTRUCTOR_NO_OP ) ; if ( body != null ) { try { StringTokenizer st = new StringTokenizer ( body , "&" ) ; while ( st . hasMoreTokens ( ) ) result . writeObject ( decodeObject ( st . nextToken ( ) ) ) ; } catch ( UnsupportedEncodingException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.mfp.impl.WebJsJmsMessageFactoryImpl.decodeStreamBody" , "196" ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "decodeStreamBody" ) ; return result ; } | Decode a stream message |
164,039 | private static JsJmsMessage decodeMapBody ( String body ) throws MessageDecodeFailedException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "decodeMapBody" ) ; JsJmsMapMessage result = new JsJmsMapMessageImpl ( MfpConstants . CONSTRUCTOR_NO_OP ) ; if ( body != null ) { try { StringTokenizer st = new StringTokenizer ( body , "&" ) ; while ( st . hasMoreTokens ( ) ) { Object [ ] pair = decodePair ( st . nextToken ( ) ) ; result . setObject ( ( String ) pair [ 0 ] , pair [ 1 ] ) ; } } catch ( UnsupportedEncodingException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.mfp.impl.WebJsJmsMessageFactoryImpl.decodeMapBody" , "218" ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "decodeMapBody" ) ; return result ; } | Decode a map message |
164,040 | private static void decodeHeader ( JsJmsMessage msg , String id , String type , String topic , String props ) { if ( id != null ) { if ( id . length ( ) % 2 != 0 ) id = "0" + id ; msg . setCorrelationIdAsBytes ( HexString . hexToBin ( id , 0 ) ) ; } if ( type != null ) { if ( type . equals ( "SIB" ) ) msg . setJmsxAppId ( MfpConstants . WPM_JMSXAPPID ) ; else msg . setJmsxAppId ( URLDecode ( type ) ) ; } if ( topic != null ) msg . setDiscriminator ( URLDecode ( topic ) ) ; if ( props != null ) { StringTokenizer st = new StringTokenizer ( props , "&" ) ; while ( st . hasMoreTokens ( ) ) { Object [ ] pair = decodePair ( st . nextToken ( ) ) ; if ( ! ( ( String ) pair [ 0 ] ) . equals ( SIProperties . JMSXAppID ) ) { try { msg . setObjectProperty ( ( String ) pair [ 0 ] , pair [ 1 ] ) ; } catch ( Exception e ) { } } } } } | Decode and set the header fields |
164,041 | private static Object [ ] decodePair ( String text ) { Object [ ] result = new Object [ 2 ] ; int i = text . indexOf ( '=' ) ; result [ 0 ] = URLDecode ( text . substring ( 0 , i ) ) ; result [ 1 ] = decodeObject ( text . substring ( i + 1 ) ) ; return result ; } | Decode a name = value pair |
164,042 | private static Object decodeObject ( String text ) { Object result = null ; if ( text . startsWith ( "[]" ) ) result = HexString . hexToBin ( text , 2 ) ; else result = URLDecode ( text ) ; return result ; } | Decode an object as a string or byte array |
164,043 | private static String URLDecode ( String text ) { String result = null ; try { result = URLDecoder . decode ( text , "UTF8" ) ; } catch ( UnsupportedEncodingException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.mfp.impl.WebJsMessageFactoryImpl.URLDecode" , "293" ) ; } return result ; } | URL decode a string |
164,044 | public MatchResponse getMatchResponse ( SecurityConstraint securityConstraint , String resourceName , String method ) { CollectionMatch collectionMatch = getCollectionMatch ( securityConstraint . getWebResourceCollections ( ) , resourceName , method ) ; if ( CollectionMatch . RESPONSE_NO_MATCH . equals ( collectionMatch ) || ( collectionMatch == null && securityConstraint . getRoles ( ) . isEmpty ( ) && securityConstraint . isAccessPrecluded ( ) == false ) ) { return MatchResponse . NO_MATCH_RESPONSE ; } else if ( collectionMatch == null ) { return MatchResponse . CUSTOM_NO_MATCH_RESPONSE ; } return new MatchResponse ( securityConstraint . getRoles ( ) , securityConstraint . isSSLRequired ( ) , securityConstraint . isAccessPrecluded ( ) , collectionMatch ) ; } | Gets the response object that contains the roles the SSL required and access precluded indicators . Gets the response using the custom method algorithm . If the collection match returned from the collection is null then response must be CUSTOM_NO_MATCH_RESPONSE . |
164,045 | protected void deactivate ( ComponentContext ctxt , int reason ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( this , tc , "Deactivating, reason=" + reason ) ; } unregisterAll ( ) ; } | Deactivate this component . |
164,046 | public void addHttpSessionListener ( HttpSessionListener listener , String J2EEName ) { synchronized ( mHttpSessionListeners ) { mHttpSessionListeners . add ( listener ) ; mHttpSessionListenersJ2eeNames . add ( J2EEName ) ; sessionListener = true ; _coreHttpSessionManager . getIStore ( ) . setHttpSessionListener ( true ) ; if ( mHttpAppSessionListeners != null ) mHttpAppSessionListeners . add ( listener ) ; if ( _coreHttpAppSessionManager != null ) _coreHttpAppSessionManager . getIStore ( ) . setHttpSessionListener ( true ) ; if ( listener instanceof IBMSessionListener ) { wasHttpSessionObserver . setDoesContainIBMSessionListener ( true ) ; if ( wasHttpAppSessionObserver != null ) { wasHttpAppSessionObserver . setDoesContainIBMSessionListener ( true ) ; LoggingUtil . SESSION_LOGGER_CORE . logp ( Level . FINE , methodClassName , methodNames [ ADD_HTTP_SESSION_LISTENER ] , "Marked " + " app IBM session listener for app observer " + mHttpAppSessionListeners ) ; } } } } | Akaimai requested function - overridden in WsSessionContext |
164,047 | protected String getArgumentValue ( String arg , String [ ] args , ConsoleWrapper stdin , PrintStream stdout ) { for ( int i = 1 ; i < args . length ; i ++ ) { String key = args [ i ] . split ( "=" ) [ 0 ] ; if ( key . equals ( arg ) ) { return getValue ( args [ i ] ) ; } } return null ; } | Gets the value for the specified argument String . |
164,048 | public void setHeartbeatInterval ( short heartbeatInterval ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setHeartbeatInterval" ) ; properties . put ( HEARTBEAT_INTERVAL , heartbeatInterval ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setHeartbeatInterval" , "" + heartbeatInterval ) ; } | Sets the heartbeat interval . |
164,049 | private boolean isZip ( JarEntry entry ) throws IOException { try ( InputStream entryInputStream = sourceFatJar . getInputStream ( entry ) ) { try ( ZipInputStream zipInputStream = new ZipInputStream ( entryInputStream ) ) { ZipEntry ze = zipInputStream . getNextEntry ( ) ; if ( ze == null ) { return false ; } return true ; } } } | Check whether the jar entry is a zip regardless of the extension . |
164,050 | public static File getLogDir ( ) { String logDirLoc = null ; if ( logDir . get ( ) == null ) { File resultDir = null ; try { logDirLoc = AccessController . doPrivileged ( new java . security . PrivilegedExceptionAction < String > ( ) { public String run ( ) throws Exception { return System . getenv ( BootstrapConstants . ENV_LOG_DIR ) ; } } ) ; } catch ( Exception ex ) { } if ( logDirLoc != null ) { resultDir = new File ( logDirLoc ) ; } else { logDirLoc = System . getProperty ( BootstrapConstants . ENV_LOG_DIR ) ; if ( logDirLoc != null ) { resultDir = new File ( logDirLoc ) ; } } logDir = StaticValue . mutateStaticValue ( logDir , new FileInitializer ( resultDir ) ) ; } return logDir . get ( ) ; } | Returns directory containing server log directories . |
164,051 | public static File getOutputDir ( boolean isClient ) { String outputDirLoc = null ; if ( outputDir . get ( ) == null ) { try { outputDirLoc = AccessController . doPrivileged ( new java . security . PrivilegedExceptionAction < String > ( ) { public String run ( ) throws Exception { return System . getenv ( BootstrapConstants . ENV_WLP_OUTPUT_DIR ) ; } } ) ; } catch ( Exception ex ) { } File resultDir = null ; if ( outputDirLoc != null ) { resultDir = new File ( outputDirLoc ) ; } else { outputDirLoc = System . getProperty ( BootstrapConstants . ENV_WLP_OUTPUT_DIR ) ; if ( outputDirLoc != null ) { resultDir = new File ( outputDirLoc ) ; } else { File userDir = Utils . getUserDir ( ) ; if ( userDir != null ) { if ( isClient ) { resultDir = new File ( userDir , "clients" ) ; } else { resultDir = new File ( userDir , "servers" ) ; } } } } outputDir = StaticValue . mutateStaticValue ( outputDir , new FileInitializer ( resultDir ) ) ; } return outputDir . get ( ) ; } | Returns directory containing server output directories . A server output directory has server s name as a name and located under this directory . |
164,052 | public static boolean tryToClose ( ZipFile zipFile ) { if ( zipFile != null ) { try { zipFile . close ( ) ; return true ; } catch ( IOException e ) { } } return false ; } | Close the zip file |
164,053 | public static Class < ? > getRealClass ( Class < ? > clazz ) { Class < ? > realClazz = clazz ; if ( isWeldProxy ( clazz ) ) { realClazz = clazz . getSuperclass ( ) ; } return realClazz ; } | Get the real class . If it is proxy get its superclass which will be the real class . |
164,054 | public void destroy ( Exception e ) { if ( this . appCallback != null ) { this . appCallback . destroy ( e ) ; this . appCallback = null ; } } | This method is called when there is a problem with the connectAsync call further down the stack . This will just be used as a pass through . |
164,055 | public synchronized void addSmap ( String smap , String stratumName ) { embedded . add ( "*O " + stratumName + "\n" + smap + "*C " + stratumName + "\n" ) ; } | Adds the given string as an embedded SMAP with the given stratum name . |
164,056 | public void dumpItems ( ) { LinkedList < CBuffRecord > copy = new LinkedList < CBuffRecord > ( ) ; synchronized ( this ) { copy . addAll ( buffer ) ; buffer . clear ( ) ; currentSize = 0L ; if ( headerBytes == null ) { return ; } } dumpWriter . setHeader ( headerBytes ) ; for ( CBuffRecord record : copy ) { dumpWriter . logRecord ( record . timestamp , record . bytes ) ; } } | Dumps records stored in buffer to disk using configured LogRepositoryWriter . |
164,057 | protected Index getJandexIndex ( ) { String methodName = "getJandexIndex" ; boolean doLog = tc . isDebugEnabled ( ) ; boolean doJandexLog = JandexLogger . doLog ( ) ; boolean useJandex = getUseJandex ( ) ; if ( ! useJandex ) { if ( doLog || doJandexLog ) { boolean haveJandex = basicHasJandexIndex ( ) ; String msg ; if ( haveJandex ) { msg = MessageFormat . format ( "[ {0} ] Jandex disabled; Jandex index [ {1} ] found" , getHashText ( ) , getJandexIndexPath ( ) ) ; } else { msg = MessageFormat . format ( "[ {0} ] Jandex disabled; Jandex index [ {1} ] not found" , getHashText ( ) , getJandexIndexPath ( ) ) ; } if ( doLog ) { Tr . debug ( tc , msg ) ; } if ( doJandexLog ) { JandexLogger . log ( CLASS_NAME , methodName , msg ) ; } } return null ; } else { Index jandexIndex = basicGetJandexIndex ( ) ; if ( doLog || doJandexLog ) { String msg ; if ( jandexIndex != null ) { msg = MessageFormat . format ( "[ {0} ] Jandex enabled; Jandex index [ {1} ] found" , getHashText ( ) , getJandexIndexPath ( ) ) ; } else { msg = MessageFormat . format ( "[ {0} ] Jandex enabled; Jandex index [ {1} ] not found" , getHashText ( ) , getJandexIndexPath ( ) ) ; } if ( doLog ) { Tr . debug ( tc , msg ) ; } if ( doJandexLog ) { JandexLogger . log ( CLASS_NAME , methodName , msg ) ; } } return jandexIndex ; } } | Attempt to read the Jandex index . |
164,058 | public boolean and ( SimpleTest newTest ) { for ( int i = 0 ; i < tmpSimpleTests . size ( ) ; i ++ ) { SimpleTest cand = ( SimpleTest ) tmpSimpleTests . get ( i ) ; if ( cand . getIdentifier ( ) . getName ( ) . equals ( newTest . getIdentifier ( ) . getName ( ) ) ) { if ( cand . getIdentifier ( ) . isExtended ( ) ) { if ( cand . getIdentifier ( ) . getStep ( ) == newTest . getIdentifier ( ) . getStep ( ) ) { return cand . combine ( newTest ) ; } } else return cand . combine ( newTest ) ; } } tmpSimpleTests . add ( newTest ) ; alwaysTrue = false ; return true ; } | Add a SimpleTest to the Conjunction searching for contradictions . |
164,059 | public boolean organize ( ) { if ( tmpResidual . size ( ) > 0 ) { List [ ] equatedIds = findEquatedIdentifiers ( ) ; while ( equatedIds != null && tmpResidual . size ( ) > 0 ) { equatedIds = reduceResidual ( equatedIds ) ; if ( equatedIds != null && equatedIds . length == 0 ) return false ; } } for ( int i = 0 ; i < tmpSimpleTests . size ( ) ; ) if ( ( ( SimpleTestImpl ) tmpSimpleTests . get ( i ) ) . shedSubtests ( tmpResidual ) ) i ++ ; else tmpSimpleTests . remove ( i ) ; for ( int i = 0 ; i < tmpSimpleTests . size ( ) - 1 ; i ++ ) for ( int j = i + 1 ; j < tmpSimpleTests . size ( ) ; j ++ ) { SimpleTest iTest = ( SimpleTest ) tmpSimpleTests . get ( i ) ; SimpleTest jTest = ( SimpleTest ) tmpSimpleTests . get ( j ) ; OrdinalPosition iPos = ( OrdinalPosition ) iTest . getIdentifier ( ) . getOrdinalPosition ( ) ; OrdinalPosition jPos = ( OrdinalPosition ) jTest . getIdentifier ( ) . getOrdinalPosition ( ) ; if ( jPos . compareTo ( iPos ) < 0 ) { tmpSimpleTests . set ( j , iTest ) ; tmpSimpleTests . set ( i , jTest ) ; } else if ( jTest . getIdentifier ( ) . getOrdinalPosition ( ) == iTest . getIdentifier ( ) . getOrdinalPosition ( ) ) throw new IllegalStateException ( ) ; } simpleTests = ( SimpleTest [ ] ) tmpSimpleTests . toArray ( new SimpleTest [ 0 ] ) ; tmpSimpleTests = null ; for ( int i = 0 ; i < tmpResidual . size ( ) ; i ++ ) if ( residual == null ) residual = ( Selector ) tmpResidual . get ( i ) ; else residual = new OperatorImpl ( Operator . AND , residual , ( Selector ) tmpResidual . get ( i ) ) ; tmpResidual = null ; alwaysTrue = simpleTests . length == 0 && residual == null ; return true ; } | Organize the Conjunction into its final useful form for MatchSpace . |
164,060 | private List [ ] findEquatedIdentifiers ( ) { List [ ] ans = null ; for ( int i = 0 ; i < tmpSimpleTests . size ( ) ; i ++ ) { SimpleTest cand = ( SimpleTest ) tmpSimpleTests . get ( i ) ; if ( cand . getKind ( ) == SimpleTest . NULL ) { if ( ans == null ) ans = new List [ ] { new ArrayList ( ) , new ArrayList ( ) } ; ans [ 0 ] . add ( cand . getIdentifier ( ) . getName ( ) ) ; ans [ 1 ] . add ( null ) ; } else { Object candValue = cand . getValue ( ) ; if ( candValue != null ) { if ( ans == null ) ans = new List [ ] { new ArrayList ( ) , new ArrayList ( ) } ; ans [ 0 ] . add ( cand . getIdentifier ( ) . getName ( ) ) ; ans [ 1 ] . add ( candValue ) ; } } } return ans ; } | that these can be removed from tmpResidual . Return null if there are none . |
164,061 | private List [ ] reduceResidual ( List [ ] equatedIds ) { List [ ] ans = null ; for ( int i = 0 ; i < tmpResidual . size ( ) ; ) { Operator oper = substitute ( ( Operator ) tmpResidual . get ( i ) , equatedIds ) ; if ( oper . getNumIds ( ) > 0 && ! Matching . isSimple ( oper ) ) tmpResidual . set ( i ++ , oper ) ; else if ( oper . getNumIds ( ) == 1 ) { Selector trans = Matching . getTransformer ( ) . DNF ( oper ) ; if ( trans instanceof Operator && ( ( Operator ) trans ) . getOp ( ) == Selector . OR ) tmpResidual . set ( i ++ , oper ) ; else { SimpleTest newTest = new SimpleTestImpl ( trans ) ; if ( ! and ( newTest ) ) return new List [ 0 ] ; tmpResidual . remove ( i ) ; if ( newTest . getKind ( ) == SimpleTest . NULL ) { if ( ans == null ) ans = new List [ ] { new ArrayList ( ) , new ArrayList ( ) } ; ans [ 0 ] . add ( newTest . getIdentifier ( ) . getName ( ) ) ; ans [ 1 ] . add ( null ) ; } else { Object newTestValue = newTest . getValue ( ) ; if ( newTestValue != null ) { if ( ans == null ) ans = new List [ ] { new ArrayList ( ) , new ArrayList ( ) } ; ans [ 0 ] . add ( newTest . getIdentifier ( ) . getName ( ) ) ; ans [ 1 ] . add ( newTestValue ) ; } } } } else { Boolean theEval = ( Boolean ) Matching . getEvaluator ( ) . eval ( oper ) ; if ( theEval == null || ! ( theEval ) . booleanValue ( ) ) return new List [ 0 ] ; tmpResidual . remove ( i ) ; } } return ans ; } | therefore should be abandoned . |
164,062 | private static Operator substitute ( Operator oper , List [ ] equatedIds ) { Selector op1 = oper . getOperands ( ) [ 0 ] ; Selector op2 = ( oper . getOperands ( ) . length == 1 ) ? null : oper . getOperands ( ) [ 1 ] ; if ( op1 instanceof Identifier ) op1 = substitute ( ( Identifier ) op1 , equatedIds ) ; else if ( op1 instanceof Operator ) op1 = substitute ( ( Operator ) op1 , equatedIds ) ; if ( op1 == null ) return null ; if ( op2 != null ) { if ( op2 instanceof Identifier ) op2 = substitute ( ( Identifier ) op2 , equatedIds ) ; else if ( op2 instanceof Operator ) op2 = substitute ( ( Operator ) op2 , equatedIds ) ; if ( op2 == null ) return null ; } if ( op1 == oper . getOperands ( ) [ 0 ] && ( op2 == null || op2 == oper . getOperands ( ) [ 1 ] ) ) return oper ; else if ( oper instanceof LikeOperator ) { LikeOperatorImpl loper = ( LikeOperatorImpl ) oper ; return new LikeOperatorImpl ( loper . getOp ( ) , op1 , loper . getInternalPattern ( ) , loper . getPattern ( ) , loper . isEscaped ( ) , loper . getEscape ( ) ) ; } else return ( op2 == null ) ? new OperatorImpl ( oper . getOp ( ) , op1 ) : new OperatorImpl ( oper . getOp ( ) , op1 , op2 ) ; } | mutations are made directly to any tree nodes . |
164,063 | private static Selector substitute ( Identifier id , List [ ] equatedIds ) { for ( int i = 0 ; i < equatedIds [ 0 ] . size ( ) ; i ++ ) if ( id . getName ( ) . equals ( equatedIds [ 0 ] . get ( i ) ) ) return new LiteralImpl ( equatedIds [ 1 ] . get ( i ) ) ; return id ; } | if not matched . |
164,064 | private void setUnavailableUntil ( long time , boolean isInit ) { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "setUnavailableUntil" , "setUnavailableUntil() : " + time ) ; if ( isInit ) { state = UNINITIALIZED_STATE ; } else { state = UNAVAILABLE_STATE ; } unavailableUntil = time ; evtSource . onServletUnavailableForService ( getServletEvent ( ) ) ; } | Method setUnavailableUntil . |
164,065 | protected void setUninitialize ( ) { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "setUninitialized " , "" + this . toString ( ) ) ; state = UNINITIALIZED_STATE ; } | Puts a servlet into uninitialize state . |
164,066 | protected synchronized void invalidateCacheWrappers ( ) { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . entering ( CLASS_NAME , "invalidateCacheWrappers" ) ; if ( cacheWrappers != null ) { Iterator i = cacheWrappers . iterator ( ) ; while ( i . hasNext ( ) ) { ServletReferenceListener w = ( ServletReferenceListener ) i . next ( ) ; if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "invalidateCacheWrappers" , "servlet reference listener + w + "]" ) ; w . invalidate ( ) ; } cacheWrappers = null ; } if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . exiting ( CLASS_NAME , "invalidateCacheWrappers" ) ; } | which makes a call to invalidateCacheWrappers |
164,067 | private boolean checkForDefaultImplementation ( Class checkClass , String checkMethod , Class [ ] methodParams ) { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . exiting ( CLASS_NAME , "checkForDefaultImplementation" , "Method : " + checkMethod + ", Class : " + checkClass . getName ( ) ) ; boolean defaultMethodInUse = true ; while ( defaultMethodInUse && checkClass != null && ! checkClass . getName ( ) . equals ( "javax.servlet.http.HttpServlet" ) ) { try { checkClass . getDeclaredMethod ( checkMethod , methodParams ) ; if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "checkForDefaultImplementation" , "Class implementing " + checkMethod + " is " + checkClass . getName ( ) ) ; defaultMethodInUse = false ; break ; } catch ( java . lang . NoSuchMethodException exc ) { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "checkForDefaultImplementation" , checkMethod + " is not implemented by class " + checkClass . getName ( ) ) ; } catch ( java . lang . SecurityException exc ) { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "checkForDefaultImplementation" , "Cannot determine if " + checkMethod + " is implemented by class " + checkClass . getName ( ) ) ; } checkClass = checkClass . getSuperclass ( ) ; } if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . exiting ( CLASS_NAME , "checkForDefaultImplementation" , "Result : " + defaultMethodInUse ) ; return defaultMethodInUse ; } | PK83258 Add method checkDefaultImplementation |
164,068 | private int findIndexByKey ( Object key ) { for ( int i = ( size ( ) - 1 ) ; i >= 0 ; -- i ) { Element element = ( Element ) get ( i ) ; if ( element . key . equals ( key ) ) { return i ; } } return - 1 ; } | Return the index of the element with the specified key |
164,069 | public void toArray ( Element [ ] dest ) { if ( ivElements != null ) { System . arraycopy ( ivElements , ivHeadIndex , dest , 0 , size ( ) ) ; } } | Copies elements from the bucket into the destination array starting at index 0 . The destination array must be at least large enough to hold all the elements in the bucket ; otherwise the behavior is undefined . |
164,070 | private void add ( Element element ) { if ( ivElements == null ) { ivElements = new Element [ DEFAULT_CAPACITY ] ; } else if ( ivTailIndex == ivElements . length ) { int size = size ( ) ; int halfCapacity = ivElements . length >> 1 ; if ( ivHeadIndex > halfCapacity ) { System . arraycopy ( ivElements , ivHeadIndex , ivElements , 0 , size ) ; Arrays . fill ( ivElements , ivHeadIndex , ivElements . length , null ) ; } else { Element [ ] newElements = new Element [ ivElements . length + halfCapacity ] ; System . arraycopy ( ivElements , ivHeadIndex , newElements , 0 , size ) ; ivElements = newElements ; } ivHeadIndex = 0 ; ivTailIndex = size ; } ivElements [ ivTailIndex ++ ] = element ; } | Adds an element to the end of the bucket . |
164,071 | private void remove ( int listIndex ) { if ( listIndex == 0 ) { ivElements [ ivHeadIndex ++ ] = null ; } else if ( listIndex == ivTailIndex - 1 ) { ivElements [ -- ivTailIndex ] = null ; } else { int size = size ( ) ; int halfSize = size >> 1 ; if ( listIndex < halfSize ) { System . arraycopy ( ivElements , ivHeadIndex , ivElements , ivHeadIndex + 1 , listIndex ) ; ivElements [ ivHeadIndex ++ ] = null ; } else { int arrayIndex = ivHeadIndex + listIndex ; System . arraycopy ( ivElements , arrayIndex + 1 , ivElements , arrayIndex , size - listIndex - 1 ) ; ivElements [ -- ivTailIndex ] = null ; } } if ( isEmpty ( ) ) { ivHeadIndex = 0 ; ivTailIndex = 0 ; } } | Removes the element at the specified index . The index must be greater or equal to 0 and less than the size ; otherwise the behavior is undefined . |
164,072 | public void setToBeDeleted ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "setToBeDeleted" ) ; synchronized ( _anycastInputHandlers ) { _toBeDeleted = true ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setToBeDeleted" ) ; } | Method to indicate that the destination has been deleted |
164,073 | private boolean isInternalUnprotectedMethod ( EJBMethodMetaData methodMetaData ) { EJBMethodInterface interfaceType = methodMetaData . getEJBMethodInterface ( ) ; if ( EJBMethodInterface . LIFECYCLE_INTERCEPTOR . value ( ) == ( interfaceType . value ( ) ) || EJBMethodInterface . TIMER . value ( ) == ( interfaceType . value ( ) ) ) { return true ; } return false ; } | Check if the methodMetaData interface is internal and supposed to be unprotected as per spec . |
164,074 | public JWTTokenValidationFailedException errorCommon ( boolean bTrError , TraceComponent tc , String [ ] msgCodes , Object [ ] objects ) throws JWTTokenValidationFailedException { int msgIndex = 0 ; if ( ! TYPE_ID_TOKEN . equals ( this . getTokenType ( ) ) ) { msgIndex = 1 ; } return errorCommon ( bTrError , tc , msgCodes [ msgIndex ] , objects ) ; } | do not override |
164,075 | static JSBoxedListImpl create ( JSVaryingList subList , int subAccessor ) { if ( subList . getIndirection ( ) > 0 ) return new JSIndirectBoxedListImpl ( subList , subAccessor ) ; else return new JSBoxedListImpl ( subList , subAccessor ) ; } | kind of constructor . |
164,076 | public Object get ( int accessor ) { try { return ( ( JMFNativePart ) subList . getValue ( accessor ) ) . getValue ( subAccessor ) ; } catch ( JMFException ex ) { FFDCFilter . processException ( ex , "get" , "129" , this ) ; return null ; } } | thrown ) . |
164,077 | protected void setCredentials ( Subject subject , String securityName , String urAuthenticatedId ) throws Exception { if ( urAuthenticatedId != null && ! urAuthenticatedId . equals ( securityName ) ) { Hashtable < String , String > subjectHash = new Hashtable < String , String > ( ) ; subjectHash . put ( AuthenticationConstants . UR_AUTHENTICATED_USERID_KEY , urAuthenticatedId ) ; subject . getPrivateCredentials ( ) . add ( subjectHash ) ; } CredentialsService credentialsService = getCredentialsService ( ) ; credentialsService . setCredentials ( subject ) ; } | Set the relevant Credentials for this login module into the Subject and set the credentials for the determined accessId . |
164,078 | protected void updateSubjectWithSharedStateContents ( ) { subject . getPrincipals ( ) . add ( ( WSPrincipal ) sharedState . get ( Constants . WSPRINCIPAL_KEY ) ) ; subject . getPublicCredentials ( ) . add ( sharedState . get ( Constants . WSCREDENTIAL_KEY ) ) ; if ( sharedState . get ( Constants . WSSSOTOKEN_KEY ) != null ) subject . getPrivateCredentials ( ) . add ( sharedState . get ( Constants . WSSSOTOKEN_KEY ) ) ; } | Sets the original subject with the shared state contents . |
164,079 | void setUpSubject ( final String securityName , final String accessId , final String authMethod ) throws LoginException { try { AccessController . doPrivileged ( new PrivilegedExceptionAction < Object > ( ) { public Object run ( ) throws Exception { temporarySubject = new Subject ( ) ; setWSPrincipal ( temporarySubject , securityName , accessId , authMethod ) ; setCredentials ( temporarySubject , securityName , null ) ; setOtherPrincipals ( temporarySubject , securityName , accessId , authMethod , null ) ; subject . getPrincipals ( ) . addAll ( temporarySubject . getPrincipals ( ) ) ; subject . getPublicCredentials ( ) . addAll ( temporarySubject . getPublicCredentials ( ) ) ; subject . getPrivateCredentials ( ) . addAll ( temporarySubject . getPrivateCredentials ( ) ) ; return null ; } } ) ; } catch ( PrivilegedActionException e ) { throw new LoginException ( e . getLocalizedMessage ( ) ) ; } } | Common Subject set up . Guarantees an atomic commit to the subject passed in via initialization . |
164,080 | protected void payloadWritten ( int payloadSize ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "payloadWritten" , new Object [ ] { this , payloadSize } ) ; _unwrittenDataSize . addAndGet ( - payloadSize ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "unwrittenDataSize = " + _unwrittenDataSize . get ( ) + " totalDataSize = " + _totalDataSize ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "payloadWritten" ) ; } | Informs the recovery log that previously unwritten data has been written to disk by one of its recoverable units and no longer needs to be tracked in the unwritten data field . The recovery log must use the supplied information to track the amount of unwritten active data it holds . |
164,081 | protected void payloadDeleted ( int totalPayloadSize , int unwrittenPayloadSize ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "payloadDeleted" , new Object [ ] { this , totalPayloadSize , unwrittenPayloadSize } ) ; _unwrittenDataSize . addAndGet ( - unwrittenPayloadSize ) ; synchronized ( this ) { _totalDataSize -= totalPayloadSize ; } if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "unwrittenDataSize = " + _unwrittenDataSize . get ( ) + " totalDataSize = " + _totalDataSize ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "payloadDeleted" ) ; } | Informs the recovery log that data has been removed from one of its recoverable units . Right now this means that a recoverable unit and all its content has been removed but in the future this will also be driven when a single recoverable unit section within a recoverable unit has been removed . The recovery log must use the supplied information to track the amount of active data it holds . This information will be required each time a keypoint occurs in order to determine if there is sufficient space in the current file to perform the keypoint sucessfully . |
164,082 | protected void addRecoverableUnit ( RecoverableUnit recoverableUnit , boolean recovered ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "addRecoverableUnit" , new Object [ ] { recoverableUnit , recovered , this } ) ; final long identity = recoverableUnit . identity ( ) ; _recoverableUnits . put ( identity , recoverableUnit ) ; if ( recovered ) { _recUnitIdTable . reserveId ( identity , recoverableUnit ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "addRecoverableUnit" ) ; } | Adds a new RecoverableUnitImpl object keyed from its identity to this classes collection of such objects . |
164,083 | protected RecoverableUnitImpl removeRecoverableUnitMapEntries ( long identity ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "removeRecoverableUnitMapEntries" , new Object [ ] { identity , this } ) ; final RecoverableUnitImpl recoverableUnit = ( RecoverableUnitImpl ) _recoverableUnits . remove ( identity ) ; if ( recoverableUnit != null ) { _recUnitIdTable . removeId ( identity ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "removeRecoverableUnitMapEntries" , recoverableUnit ) ; return recoverableUnit ; } | Removes a RecoverableUnitImpl object keyed from its identity from this classes collection of such objects . |
164,084 | protected RecoverableUnitImpl getRecoverableUnit ( long identity ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getRecoverableUnit" , new Object [ ] { identity , this } ) ; RecoverableUnitImpl recoverableUnit = null ; if ( ! incompatible ( ) && ! failed ( ) ) { recoverableUnit = ( RecoverableUnitImpl ) _recoverableUnits . get ( identity ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getRecoverableUnit" , recoverableUnit ) ; return recoverableUnit ; } | Retrieves a RecoverableUnitImpl object keyed from its identity from this classes collection of such objects . |
164,085 | public void associateLog ( DistributedRecoveryLog otherLog , boolean failAssociatedLog ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "associateLog" , new Object [ ] { otherLog , failAssociatedLog , this } ) ; if ( otherLog instanceof MultiScopeLog ) { _associatedLog = ( MultiScopeLog ) otherLog ; _failAssociatedLog = failAssociatedLog ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "associateLog" ) ; } | Associates another log with this one . PI45254 . The code is protects against infinite recursion since associated logs are only marked as failed if the log isn t already mark as failed . The code does NOT protect against deadlock due to synchronization for logA - > logB and logB - > logA - this is not an issue since failAssociated is only set to true for tranLog and not partnerLog - this could be fixed for general use by delegating to an AssociatedLogGroup object shared between associated logs . |
164,086 | public Class getDiscriminatoryDataType ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getDiscriminatorDataType" ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getDiscriminatorDataType" ) ; return com . ibm . wsspi . bytebuffer . WsByteBuffer . class ; } | Returns the data type this discriminator is able to discriminate for . This is always WsByteBuffer . |
164,087 | public Channel getChannel ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getChannel" ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getChannel" , channel ) ; return channel ; } | Returns the channel this discriminator discriminates on behalf of . |
164,088 | public int getWeight ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getWeight" ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getWeight" ) ; return 0 ; } | Get the weighting to use for this discriminator |
164,089 | protected synchronized void join ( SIXAResource resource ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "join" , resource ) ; resourcesJoinedToThisResource . add ( resource ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "join" ) ; } | Called when another XAResource is joining to us . |
164,090 | protected synchronized void unjoin ( SIXAResource resource ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "unjoin" , resource ) ; resourcesJoinedToThisResource . remove ( resource ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "unjoin" ) ; } | Called when another instance is un - joining from us . |
164,091 | protected void updatedSslSupport ( SSLSupport service , Map < String , Object > props ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "updatedSslSupport" , props ) ; } sslSupport = service ; String id = ( String ) props . get ( SSL_CFG_REF ) ; if ( ! defaultId . equals ( id ) ) { for ( SSLChannelOptions options : sslOptions . values ( ) ) { options . updateRefId ( id ) ; options . updateRegistration ( bContext , sslConfigs ) ; } defaultId = id ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "updatedSslSupport" , "defaultConfigId=" + defaultId ) ; } } | This is called if the service is updated . |
164,092 | public static JSSEProvider getJSSEProvider ( ) { SSLChannelProvider p = instance . get ( ) ; if ( p != null ) return p . sslSupport . getJSSEProvider ( ) ; throw new IllegalStateException ( "Requested service is null: no active component instance" ) ; } | Access the JSSE provider factory service . |
164,093 | public static JSSEHelper getJSSEHelper ( ) { SSLChannelProvider p = instance . get ( ) ; if ( p != null ) return p . sslSupport . getJSSEHelper ( ) ; throw new IllegalStateException ( "Requested service is null: no active component instance" ) ; } | Access the JSSEHelper service . |
164,094 | public static DateFormat getBasicDateFormatter ( ) { return customizeDateFormat ( DateFormat . getDateTimeInstance ( DateFormat . SHORT , DateFormat . MEDIUM ) , false ) ; } | Return a DateFormat object that can be used to format timestamps in the System . out System . err and TraceOutput logs . It will use the default date format . |
164,095 | public static DateFormat customizeDateFormat ( DateFormat formatter , boolean isoDateFormat ) { String pattern ; int patternLength ; int endOfSecsIndex ; if ( ! ! ! isoDateFormat ) { if ( formatter instanceof SimpleDateFormat ) { SimpleDateFormat sdFormatter = ( SimpleDateFormat ) formatter ; pattern = sdFormatter . toPattern ( ) ; patternLength = pattern . length ( ) ; endOfSecsIndex = pattern . lastIndexOf ( 's' ) + 1 ; String newPattern = pattern . substring ( 0 , endOfSecsIndex ) + ":SSS z" ; if ( endOfSecsIndex < patternLength ) newPattern += pattern . substring ( endOfSecsIndex , patternLength ) ; newPattern = newPattern . replace ( 'h' , 'H' ) ; newPattern = newPattern . replace ( 'K' , 'H' ) ; newPattern = newPattern . replace ( 'k' , 'H' ) ; newPattern = newPattern . replace ( 'a' , ' ' ) ; newPattern = newPattern . trim ( ) ; sdFormatter . applyPattern ( newPattern ) ; formatter = sdFormatter ; } else { formatter = new SimpleDateFormat ( "yy.MM.dd HH:mm:ss:SSS z" ) ; } } else { formatter = new SimpleDateFormat ( "yyyy-MM-dd'T'HH:mm:ss.SSSZ" ) ; } if ( sysTimeZone != null ) { formatter . setTimeZone ( sysTimeZone ) ; } return formatter ; } | Modifies an existing DateFormat object so that it can be used to format timestamps in the System . out System . err and TraceOutput logs using either default date and time format or ISO - 8601 date and time format |
164,096 | private void setAndValidateProperties ( String cfgAuthentication , String cfgAuthorization , String cfgUserRegistry ) { if ( ( cfgAuthentication == null ) || cfgAuthentication . isEmpty ( ) ) { throwIllegalArgumentExceptionMissingAttribute ( CFG_KEY_AUTHENTICATION_REF ) ; } this . cfgAuthenticationRef = cfgAuthentication ; if ( ( cfgAuthorization == null ) || cfgAuthorization . isEmpty ( ) ) { throwIllegalArgumentExceptionMissingAttribute ( CFG_KEY_AUTHORIZATION_REF ) ; } this . cfgAuthorizationRef = cfgAuthorization ; if ( ( cfgUserRegistry == null ) || cfgUserRegistry . isEmpty ( ) ) { throwIllegalArgumentExceptionMissingAttribute ( CFG_KEY_USERREGISTRY_REF ) ; } this . cfgUserRegistryRef = cfgUserRegistry ; } | Sets and validates the configuration properties . If any of the configuration properties are not set an IllegalArgumentException is thrown . |
164,097 | @ Reference ( policy = ReferencePolicy . DYNAMIC , cardinality = ReferenceCardinality . OPTIONAL ) protected synchronized void setServerStarted ( ServerStarted serverStarted ) { isServerStarted = true ; startManagementEJB ( ) ; } | Declarative services method that is invoked once the ServerStarted service is available . Only after this method is invoked is the Management EJB system module started . |
164,098 | public HashMap < String , Object > saveContextData ( ) { HashMap < String , Object > contextData = new HashMap < String , Object > ( ) ; ComponentMetaDataAccessorImpl cmdai = ComponentMetaDataAccessorImpl . getComponentMetaDataAccessor ( ) ; ComponentMetaData cmd = cmdai . getComponentMetaData ( ) ; if ( cmd != null ) { contextData . put ( ComponentMetaData , cmd ) ; } Iterator < ITransferContextService > TransferIterator = com . ibm . ws . webcontainer . osgi . WebContainer . getITransferContextServices ( ) ; if ( TransferIterator != null ) { while ( TransferIterator . hasNext ( ) ) { ITransferContextService tcs = TransferIterator . next ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Calling storeState on: " + tcs ) ; } tcs . storeState ( contextData ) ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "No implmenting services found" ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Saving the context data : " + contextData ) ; } return contextData ; } | Save off the context data for the current thread |
164,099 | public Subject finalizeSubject ( Subject subject , ConnectionRequestInfo reqInfo , CMConfigData cmConfigData ) throws ResourceException { final boolean isTracingEnabled = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTracingEnabled && tc . isEntryEnabled ( ) ) { Tr . entry ( this , tc , "finalizeSubject" ) ; } if ( isTracingEnabled && tc . isEntryEnabled ( ) ) { Tr . exit ( this , tc , "finalizeSubject" ) ; } return subject ; } | The finalizeSubject method is used to set what the final Subject will be for processing . |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.