idx
int64 0
41.2k
| question
stringlengths 83
4.15k
| target
stringlengths 5
715
|
|---|---|---|
36,200
|
private void parseProtocolVersion ( Map < ? , ? > props ) { Object protocolVersionProperty = props . get ( HttpConfigConstants . PROPNAME_PROTOCOL_VERSION ) ; if ( null != protocolVersionProperty ) { String protocolVersion = ( ( String ) protocolVersionProperty ) . toLowerCase ( ) ; if ( HttpConfigConstants . PROTOCOL_VERSION_11 . equals ( protocolVersion ) ) { this . useH2ProtocolAttribute = Boolean . FALSE ; } else if ( HttpConfigConstants . PROTOCOL_VERSION_2 . equals ( protocolVersion ) ) { this . useH2ProtocolAttribute = Boolean . TRUE ; } if ( ( TraceComponent . isAnyTracingEnabled ( ) ) && ( tc . isEventEnabled ( ) ) && this . useH2ProtocolAttribute != null ) { Tr . event ( tc , "HTTP Channel Config: versionProtocol has been set to " + protocolVersion ) ; } } }
|
Check the configuration to see if there is a desired http protocol version that has been provided for this HTTP Channel
|
36,201
|
private boolean convertBoolean ( Object o ) { if ( o instanceof Boolean ) return ( Boolean ) o ; return "true" . equalsIgnoreCase ( o . toString ( ) . trim ( ) ) ; }
|
Convert a String to a boolean value . If the string does not match true then it defaults to false .
|
36,202
|
private int rangeLimit ( int size , int min , int max ) { if ( size < min ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Config: " + size + " too small" ) ; } return min ; } else if ( size > max ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Config: " + size + " too large" ) ; } return max ; } return size ; }
|
Take the user input size variable and make sure it is inside the given range of min and max . If it is outside the range then set the value to the closest limit .
|
36,203
|
private int minLimit ( int input , int min ) { if ( input < min ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Config: " + input + " too small." ) ; } return min ; } return input ; }
|
Return the larger value of either the input int or the minimum limit .
|
36,204
|
public boolean throwIOEForInboundConnections ( ) { if ( this . throwIOEForInboundConnections != null ) return this . throwIOEForInboundConnections ; Boolean IOEForInboundConnectionsBehavior = HttpDispatcher . useIOEForInboundConnectionsBehavior ( ) ; return ( ( IOEForInboundConnectionsBehavior != null ) ? IOEForInboundConnectionsBehavior : Boolean . FALSE ) ; }
|
Query whether or not the HTTP Channel should swallow inbound connections IOE
|
36,205
|
public void activate ( ComponentContext cc ) { executorServiceRef . activate ( cc ) ; contextServiceRef . activate ( cc ) ; ReactiveStreamsFactoryResolver . setInstance ( new ReactiveStreamsFactoryImpl ( ) ) ; ReactiveStreamsEngineResolver . setInstance ( this ) ; singleton = this ; }
|
The OSGi component active call
|
36,206
|
public void deactivate ( ComponentContext cc ) { singleton = null ; ReactiveStreamsEngineResolver . setInstance ( null ) ; ReactiveStreamsFactoryResolver . setInstance ( null ) ; executorServiceRef . deactivate ( cc ) ; contextServiceRef . deactivate ( cc ) ; }
|
The OSGi component deactive call
|
36,207
|
public synchronized List getList ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getList" ) ; List list = ( List ) listPool . remove ( ) ; if ( list == null ) { if ( tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "No list available from pool - creating a new one" ) ; list = new ArrayList ( 5 ) ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getList" ) ; return list ; }
|
Gets a list from the pool .
|
36,208
|
public synchronized void returnList ( List list ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "returnList" ) ; list . clear ( ) ; listPool . add ( list ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "returnList" ) ; }
|
Returns a list back to the pool so that it can be re - used
|
36,209
|
void setParent ( JMFMessageData parent ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . entry ( this , tc , "setParent" , new Object [ ] { parent } ) ; synchronized ( getMessageLockArtefact ( ) ) { if ( parent instanceof JSMessageData ) { parentMessage = ( JSMessageData ) parent ; master = ( ( JSMessageData ) parent ) . master ; containingMessage = ( ( JSMessageData ) parent ) . compatibilityWrapperOrSelf ; } else { JSMessageData msg = ( JSMessageData ) ( ( JSCompatibleMessageImpl ) parent ) . getEncodingMessage ( ) ; parentMessage = msg ; master = msg . master ; containingMessage = parent ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . exit ( this , tc , "setParent" ) ; }
|
method is not private & we re somewhat paranoid .
|
36,210
|
private Object ownership ( Object val , boolean forceShared ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . entry ( this , tc , "ownership" , new Object [ ] { val , Boolean . valueOf ( forceShared ) } ) ; if ( val instanceof JSMessageData ) { ( ( JSMessageData ) val ) . setParent ( compatibilityWrapperOrSelf ) ; if ( forceShared ) { ( ( JSMessageData ) val ) . sharedContents = true ; } } else if ( val instanceof JMFEncapsulation ) { ( ( JMFEncapsulation ) val ) . setContainingMessageData ( compatibilityWrapperOrSelf ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . exit ( this , tc , "ownership" , val ) ; return val ; }
|
this new instance and it logically belongs in the locking scope of this . master .
|
36,211
|
private void checkPrimitiveType ( int accessor , int typeCode ) throws JMFUninitializedAccessException , JMFSchemaViolationException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . entry ( this , tc , "checkPrimitiveType" , new Object [ ] { Integer . valueOf ( accessor ) , Integer . valueOf ( typeCode ) } ) ; JSField field = getFieldDef ( accessor , true ) ; if ( field == null ) { JMFUninitializedAccessException e = new JMFUninitializedAccessException ( "Value at accessor " + accessor + " should not be present" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . exit ( this , tc , "checkPrimitiveType" , e ) ; throw e ; } if ( field instanceof JSPrimitive ) { if ( ( ( JSPrimitive ) field ) . getTypeCode ( ) != typeCode ) { JMFSchemaViolationException e = new JMFSchemaViolationException ( "Value at accessor " + accessor + " is incorrect type" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . exit ( this , tc , "checkPrimitiveType" , e ) ; throw e ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . exit ( this , tc , "checkPrimitiveType" ) ; return ; } } else if ( field instanceof JSEnum && ( typeCode == JMFPrimitiveType . INT ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . exit ( this , tc , "checkPrimitiveType" ) ; return ; } else { JMFSchemaViolationException e = new JMFSchemaViolationException ( "Value at accessor " + accessor + " is incorrect" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . exit ( this , tc , "checkPrimitiveType" , e ) ; throw e ; } }
|
already hold the lock .
|
36,212
|
void lazyCopy ( JSMessageData original ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . entry ( this , tc , "lazyCopy" , new Object [ ] { original } ) ; synchronized ( getMessageLockArtefact ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JmfTr . debug ( this , tc , "lazyCopy locked dest " , new Object [ ] { getMessageLockArtefact ( ) } ) ; synchronized ( original . getMessageLockArtefact ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JmfTr . debug ( this , tc , "lazyCopy locked source " , new Object [ ] { original . getMessageLockArtefact ( ) } ) ; indirect = original . indirect ; if ( original . contents == null ) { contents = null ; original . sharedCache = true ; sharedCache = true ; cache = original . cache ; } else { original . sharedContents = true ; sharedContents = true ; contents = original . contents ; original . sharedCache = true ; sharedCache = true ; cache = original . cache ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JmfTr . debug ( this , tc , "lazyCopy unlocking source " , new Object [ ] { original . getMessageLockArtefact ( ) } ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JmfTr . debug ( this , tc , "lazyCopy unlocking dest " , new Object [ ] { getMessageLockArtefact ( ) } ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . exit ( this , tc , "lazyCopy" ) ; }
|
setting up the sharing state .
|
36,213
|
public Set < String > getKeySet ( ) { HashSet < String > result = new HashSet < > ( ) ; for ( PollingDynamicConfig config : children ) { Iterator < String > iter = config . getKeys ( ) ; while ( iter . hasNext ( ) ) { String key = iter . next ( ) ; result . add ( key ) ; } } return result ; }
|
Return a set of all unique keys tracked by any child of this composite . This can be an expensive operations as it requires iterating through all of the children .
|
36,214
|
public final boolean isAutoCommit ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( this , tc , "isAutoCommit" ) ; SibTr . exit ( this , tc , "isAutoCommit" , "return=false" ) ; } return false ; }
|
We don t need to delegate this method as we know the answer!
|
36,215
|
public void incrementCurrentSize ( ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "incrementCurrentSize" ) ; if ( _currentTran != null ) { _currentTran . incrementCurrentSize ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "incrementCurrentSize" ) ; }
|
Feature 199334 . 1
|
36,216
|
public boolean isAlive ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "isAlive" ) ; boolean retval = false ; if ( _currentTran != null ) { retval = _currentTran . isAlive ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "isAlive" , "return=" + retval ) ; return retval ; }
|
Defect 186657 . 4
|
36,217
|
public void end ( Xid xid , int flags ) throws XAException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "end" , new Object [ ] { "XID=" + xid , _manager . xaFlagsToString ( flags ) } ) ; try { _manager . end ( new PersistentTranId ( xid ) , flags ) ; _currentTran = null ; _currentPtid = null ; } catch ( XidUnknownException xue ) { com . ibm . ws . ffdc . FFDCFilter . processException ( xue , "com.ibm.ws.sib.msgstore.transactions.MSDelegatingXAResource.end" , "1:375:1.51.1.7" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) SibTr . event ( this , tc , "Cannot dis-associate from this Xid. It is unknown!" , xue ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "end" ) ; XAException xaException = new XAException ( XAException . XAER_NOTA ) ; xaException . initCause ( xue ) ; throw xaException ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "end" ) ; }
|
Ends the association that this resource has with the passed transaction branch . Either temporarily via a TMSUSPEND or permanently via TMSUCCESS or TMFAIL .
|
36,218
|
public Xid [ ] recover ( int recoveryId ) throws XAException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "recover" , "Recovery ID=" + recoveryId ) ; Xid [ ] list = _manager . recover ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "recover" , "return=" + Arrays . toString ( list ) ) ; return list ; }
|
Used at transaction recovery time to retrieve the list on indoubt XIDs known to the MessageStore instance associated with this MSDelegatingXAResource .
|
36,219
|
public static String dumpAsString ( Object obj ) { if ( obj instanceof DERObject ) { return _dumpAsString ( "" , ( DERObject ) obj ) ; } else if ( obj instanceof DEREncodable ) { return _dumpAsString ( "" , ( ( DEREncodable ) obj ) . getDERObject ( ) ) ; } return "unknown object type " + obj . toString ( ) ; }
|
dump out a DER object as a formatted string
|
36,220
|
public void deployMicroProfileLoginConfigFormLoginInWebXmlBasicInApp ( LibertyServer server ) throws Exception { List < String > classList = createAppClassListBuildAppNames ( "CommonMicroProfileMarker_FormLoginInWeb_BasicInApp" , "MicroProfileLoginConfigFormLoginInWebXmlBasicInApp" ) ; ShrinkHelper . exportAppToServer ( server , genericCreateArchiveWithJsps ( MpJwtFatConstants . LOGINCONFIG_FORM_LOGIN_IN_WEB_XML_SERVLET_BASIC_IN_APP_ROOT_CONTEXT , classList ) ) ; server . addInstalledAppForValidation ( MpJwtFatConstants . LOGINCONFIG_FORM_LOGIN_IN_WEB_XML_SERVLET_BASIC_IN_APP_ROOT_CONTEXT ) ; }
|
create app with loginConfig set to Form Login in WEB . xml and Basic in the App
|
36,221
|
protected WebArchive genericCreateArchiveWithPems ( String sourceWarName , String baseWarName , List < String > classList ) throws Exception { try { String warName = baseWarName + ".war" ; WebArchive newWar = ShrinkWrap . create ( WebArchive . class , warName ) ; addDefaultFileAssetsForAppsToWar ( sourceWarName , newWar ) ; addPemFilesForAppsToWar ( warName , newWar ) ; for ( String theClass : classList ) { newWar . addClass ( theClass ) ; } return newWar ; } catch ( Exception e ) { Log . error ( thisClass , "genericCreateArchive" , e ) ; throw e ; } }
|
Create a test war using files from the source war and the classList . Add a default list of pem files
|
36,222
|
protected WebArchive genericCreateArchiveWithPemsAndMPConfig ( String sourceWarName , String baseWarName , List < String > classList , String mpConfig , String fileContent ) throws Exception { try { WebArchive newWar = genericCreateArchiveWithPems ( sourceWarName , baseWarName , classList ) ; newWar . add ( new StringAsset ( fileContent ) , mpConfig ) ; return newWar ; } catch ( Exception e ) { Log . error ( thisClass , "genericCreateArchive" , e ) ; throw e ; } }
|
Create a test war using files from the source war and the classList . Add a default list of pem files . Also add a microprofile - config . properties file with the content passed to this method
|
36,223
|
public List < String > createAppClassListBuildAppNames ( String app1 , String app2 , String app3 ) throws Exception { List < String > classList = createAppClassListBuildAppNames ( app1 , app2 ) ; classList . add ( "com.ibm.ws.jaxrs.fat.microProfileApp." + app2 + ".MicroProfileApp" + app3 ) ; return classList ; }
|
All of the test apps following the same naming convention . We can build the class names
|
36,224
|
public String getOutputBufferAsString ( ) throws IOException { byte [ ] buffer = getOutputBuffer ( ) ; if ( buffer != null ) return new String ( buffer , this . getCharacterEncoding ( ) ) ; else return null ; }
|
Get the output from the response outputstream as a String . This method should only be used to retrieve content that is known to be text based . Using this method to retrieve binary data will corrupt the response data .
|
36,225
|
public void transferResponse ( HttpServletResponse target ) throws IOException { _finish ( ) ; if ( containsError ( ) ) { String message = getErrorMessage ( ) ; int sc = getErrorStatusCode ( ) ; if ( message == null ) { target . sendError ( sc ) ; } else { target . sendError ( sc , message ) ; } } else if ( isRedirected ( ) ) { Cookie [ ] cookies = getCookies ( ) ; for ( int i = 0 ; i < cookies . length ; i ++ ) { target . addCookie ( cookies [ i ] ) ; } target . sendRedirect ( getRedirectURI ( ) ) ; } else { if ( getStatusMessage ( ) == null ) { target . setStatus ( getStatusCode ( ) ) ; } else { target . setStatus ( getStatusCode ( ) , getStatusMessage ( ) ) ; } _header . transferHeader ( target ) ; Cookie [ ] cookies = getCookies ( ) ; for ( int i = 0 ; i < cookies . length ; i ++ ) { target . addCookie ( cookies [ i ] ) ; } if ( this . getOutputBuffer ( ) != null ) { ServletOutputStream out ; try { out = target . getOutputStream ( ) ; } catch ( IllegalStateException i ) { while ( ! ( target instanceof StoredResponse ) ) { while ( target instanceof HttpServletResponseWrapper ) { target = ( ( HttpServletResponse ) ( ( HttpServletResponseWrapper ) target ) . getResponse ( ) ) ; } while ( target instanceof HttpServletResponseProxy ) { target = ( ( HttpServletResponse ) ( ( HttpServletResponseProxy ) target ) . getProxiedHttpServletResponse ( ) ) ; } while ( target instanceof IncludedResponse ) { target = ( ( IncludedResponse ) target ) . getProxiedHttpServletResponse ( ) ; } if ( target instanceof SRTServletResponse ) { target . getWriter ( ) . write ( this . getOutputBufferAsString ( ) . toCharArray ( ) ) ; return ; } } StoredResponse s = ( StoredResponse ) target ; out = s . _outInternal ; } out . write ( this . getOutputBuffer ( ) ) ; } } }
|
Copy the contents of this response to another HttpServletResponse . This method is optimized to quickly transfer the contents of this response into another response . This method is useful when this response is cached to generate the same response later .
|
36,226
|
public final static Reliability getReliabilityByName ( String name ) throws NullPointerException , IllegalArgumentException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . info ( tc , "Name = " + name ) ; if ( name == null ) { throw new NullPointerException ( ) ; } for ( int i = 0 ; i <= MAX_INDEX + 1 ; i ++ ) { if ( name . equals ( nameSet [ i ] ) ) { return indexSet [ i ] ; } } throw new IllegalArgumentException ( ) ; }
|
Returns the corresponding Reliability for a given name . This method should NOT be called by any code outside the SIBus . It is only public so that it can be accessed by other SIBus components .
|
36,227
|
public final static Reliability getReliabilityByIndex ( int mpIndex ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . info ( tc , "Index = " + mpIndex ) ; return indexSet [ mpIndex + 1 ] ; }
|
Returns the corresponding Reliability for a given index . This method should NOT be called by any code outside the SIBus . It is only public so that it can be accessed by other SIBus components .
|
36,228
|
public final static Reliability getReliability ( Byte aValue ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . info ( tc , "Value = " + aValue ) ; return set [ aValue . intValue ( ) ] ; }
|
Returns the corresponding Reliability for a given Byte . This method should NOT be called by any code outside the MFP component . It is only public so that it can be accessed by sub - packages .
|
36,229
|
public String [ ] getHeader ( ) { ArrayList < String > result = new ArrayList < String > ( ) ; if ( customHeader . length > 0 ) { for ( CustomHeaderLine line : customHeader ) { String formattedLine = line . formatLine ( headerProps ) ; if ( formattedLine != null ) { result . add ( formattedLine ) ; } } } else { for ( String prop : headerProps . stringPropertyNames ( ) ) { result . add ( prop + " = " + headerProps . getProperty ( prop ) ) ; } } return result . toArray ( new String [ result . size ( ) ] ) ; }
|
Gets the file header information . Implementations of the HpelPlainFormatter class will have a non - XML - based header .
|
36,230
|
protected void createEventTimeStamp ( RepositoryLogRecord record , StringBuilder buffer ) { if ( null == record ) { throw new IllegalArgumentException ( "Record cannot be null" ) ; } if ( null == buffer ) { throw new IllegalArgumentException ( "Buffer cannot be null" ) ; } buffer . append ( '[' ) ; Date eventDate = new Date ( record . getMillis ( ) ) ; dateFormat . setTimeZone ( timeZone ) ; buffer . append ( dateFormat . format ( eventDate ) ) ; buffer . append ( "] " ) ; }
|
Generates the time stamp for the RepositoryLogRecord event . The resulting time stamp is formatted based on the formatter s locale and time zone .
|
36,231
|
protected static String mapLevelToType ( RepositoryLogRecord logRecord ) { if ( null == logRecord ) { return " Z " ; } Level l = logRecord . getLevel ( ) ; if ( null == l ) { return " Z " ; } String s = logRecord . getLoggerName ( ) ; if ( s != null ) { if ( s . equals ( "SystemOut" ) ) { return " O " ; } else if ( s . equals ( "SystemErr" ) ) { return " R " ; } } String id = customLevels . get ( l ) ; if ( id != null ) { return ( " " + id + " " ) ; } if ( l == Level . SEVERE ) { return " E " ; } if ( l == Level . WARNING ) { return " W " ; } if ( l == Level . INFO ) { return " I " ; } if ( l == Level . CONFIG ) { return " C " ; } if ( l == Level . FINE ) { return " 1 " ; } if ( l == Level . FINER ) { String message = logRecord . getRawMessage ( ) ; if ( message != null ) { if ( message . indexOf ( "Entry" ) != - 1 || message . indexOf ( "ENTRY" ) != - 1 ) { return " > " ; } if ( message . indexOf ( "Exit" ) != - 1 || message . indexOf ( "RETURN" ) != - 1 ) { return " < " ; } } return " 2 " ; } if ( l == Level . FINEST ) { return " 3 " ; } return " Z " ; }
|
Generates the short type string based off the RepositoryLogRecord s Level .
|
36,232
|
protected void setCookies ( HttpServletRequest request , HttpServletResponse response , String requestToken , String stateValue ) { ReferrerURLCookieHandler referrerURLCookieHandler = WebAppSecurityCollaboratorImpl . getGlobalWebAppSecurityConfig ( ) . createReferrerURLCookieHandler ( ) ; Cookie requestTokenCookie = referrerURLCookieHandler . createCookie ( TwitterConstants . COOKIE_NAME_REQUEST_TOKEN , requestToken , request ) ; response . addCookie ( requestTokenCookie ) ; String cookieName = ClientConstants . COOKIE_NAME_REQ_URL_PREFIX + stateValue . hashCode ( ) ; Cookie c = referrerURLCookieHandler . createCookie ( cookieName , webUtils . getRequestUrlWithEncodedQueryString ( request ) , request ) ; response . addCookie ( c ) ; }
|
Sets cookies for the provided request token and the original request URL . These values can then be verified and used in subsequent requests .
|
36,233
|
private void setUnauthenticatedSubjectIfNeeded ( ) { if ( LocationUtils . isServer ( ) ) { com . ibm . ws . security . context . SubjectManager sm = new com . ibm . ws . security . context . SubjectManager ( ) ; Subject invokedSubject = sm . getInvocationSubject ( ) ; if ( invokedSubject == null ) { Subject callerSubject = sm . getCallerSubject ( ) ; if ( callerSubject == null ) { UnauthenticatedSubjectService unAuthenticationService = SecurityServices . getUnauthenticatedSubjectService ( ) ; if ( unAuthenticationService != null ) { sm . setInvocationSubject ( unAuthenticationService . getUnauthenticatedSubject ( ) ) ; } } } } }
|
Create un - authenticate subject if both caller and invoke subjects are null for client . We do not want to do this for client container .
|
36,234
|
private void updateClientPolicy ( Message m ) { if ( ! clientSidePolicyCalced ) { PolicyDataEngine policyEngine = bus . getExtension ( PolicyDataEngine . class ) ; if ( policyEngine != null && endpointInfo . getService ( ) != null ) { clientSidePolicy = policyEngine . getClientEndpointPolicy ( m , endpointInfo , this , new ClientPolicyCalculator ( ) ) ; if ( clientSidePolicy != null ) { clientSidePolicy . removePropertyChangeListener ( this ) ; clientSidePolicy . addPropertyChangeListener ( this ) ; } } } clientSidePolicyCalced = true ; }
|
updates the HTTPClientPolicy that is compatible with the assertions included in the service endpoint operation and message policy subjects if a PolicyDataEngine is installed
|
36,235
|
public void finalizeConfig ( ) { configureConduitFromEndpointInfo ( this , endpointInfo ) ; logConfig ( ) ; if ( getClient ( ) . getDecoupledEndpoint ( ) != null ) { this . endpointInfo . setProperty ( "org.apache.cxf.ws.addressing.replyto" , getClient ( ) . getDecoupledEndpoint ( ) ) ; } }
|
This call gets called by the HTTPTransportFactory after it causes an injection of the Spring configuration properties of this Conduit .
|
36,236
|
public AuthorizationPolicy getEffectiveAuthPolicy ( Message message ) { AuthorizationPolicy authPolicy = getAuthorization ( ) ; AuthorizationPolicy newPolicy = message . get ( AuthorizationPolicy . class ) ; AuthorizationPolicy effectivePolicy = newPolicy ; if ( effectivePolicy == null ) { effectivePolicy = authPolicy ; } if ( effectivePolicy == null ) { effectivePolicy = new AuthorizationPolicy ( ) ; } return effectivePolicy ; }
|
Determines effective auth policy from message conduit and empty default with priority from first to last
|
36,237
|
public void setClient ( HTTPClientPolicy client ) { if ( this . clientSidePolicy != null ) { this . clientSidePolicy . removePropertyChangeListener ( this ) ; } this . clientSidePolicyCalced = true ; this . clientSidePolicy = client ; clientSidePolicy . removePropertyChangeListener ( this ) ; clientSidePolicy . addPropertyChangeListener ( this ) ; endpointInfo . setProperty ( "org.apache.cxf.ws.addressing.replyto" , client . getDecoupledEndpoint ( ) ) ; }
|
This method sets the Client Side Policy for this HTTPConduit . Using this method will override any HTTPClientPolicy set in configuration .
|
36,238
|
public void setTlsClientParameters ( TLSClientParameters params ) { this . tlsClientParameters = params ; if ( this . tlsClientParameters != null ) { if ( LOG . isLoggable ( Level . FINE ) ) { LOG . log ( Level . FINE , "Conduit '" + getConduitName ( ) + "' has been (re) configured for TLS " + "keyManagers " + Arrays . toString ( tlsClientParameters . getKeyManagers ( ) ) + "trustManagers " + Arrays . toString ( tlsClientParameters . getTrustManagers ( ) ) + "secureRandom " + tlsClientParameters . getSecureRandom ( ) ) ; } CertificateConstraintsType constraints = params . getCertConstraints ( ) ; if ( constraints != null ) { certConstraints = CertConstraintsJaxBUtils . createCertConstraints ( constraints ) ; } } else { if ( LOG . isLoggable ( Level . FINE ) ) { LOG . log ( Level . FINE , "Conduit '" + getConduitName ( ) + "' has been (re)configured for plain http." ) ; } } }
|
This method sets the TLS Client Parameters for this HTTPConduit . Using this method overrides any TLS Client Parameters that is configured for this HTTPConduit .
|
36,239
|
protected String extractLocation ( Map < String , List < String > > headers ) throws MalformedURLException { for ( Map . Entry < String , List < String > > head : headers . entrySet ( ) ) { if ( "Location" . equalsIgnoreCase ( head . getKey ( ) ) ) { List < String > locs = head . getValue ( ) ; if ( locs != null && locs . size ( ) > 0 ) { String location = locs . get ( 0 ) ; if ( location != null ) { return location ; } else { return null ; } } } } return null ; }
|
This method extracts the value of the Location Http Response header .
|
36,240
|
private static String convertToAbsoluteUrlIfNeeded ( String conduitName , String lastURL , String newURL , Message message ) throws IOException { if ( newURL != null && ! newURL . startsWith ( "http" ) ) { if ( MessageUtils . isTrue ( message . getContextualProperty ( AUTO_REDIRECT_ALLOW_REL_URI ) ) ) { return URI . create ( lastURL ) . resolve ( newURL ) . toString ( ) ; } else { String msg = "Relative Redirect detected on Conduit '" + conduitName + "' on '" + newURL + "'" ; LOG . log ( Level . INFO , msg ) ; throw new IOException ( msg ) ; } } else { return newURL ; } }
|
Relative Location values are also supported
|
36,241
|
private void resumeTran ( Transaction tran ) { if ( tran != null ) { try { tranMgr . resume ( tran ) ; } catch ( Exception e ) { throw new BatchRuntimeException ( "Failed to resume transaction after JobOperator method" , e ) ; } } }
|
Resume the given tran .
|
36,242
|
private void addAndSortReaders ( List < ProviderInfo < MessageBodyReader < ? > > > newReaders , boolean forceSort ) { Comparator < ProviderInfo < MessageBodyReader < ? > > > comparator = null ; if ( ! customComparatorAvailable ( MessageBodyReader . class ) ) { comparator = new MessageBodyReaderComparator ( readerMediaTypesMap ) ; } messageReaders . addAndSortProviders ( newReaders , comparator , forceSort ) ; }
|
Liberty code change start
|
36,243
|
private static Type [ ] getGenericInterfaces ( Class < ? > cls , Class < ? > expectedClass , Class < ? > commonBaseCls ) { if ( Object . class == cls ) { return emptyType ; } Type [ ] cachedTypes = getTypes ( cls , expectedClass , commonBaseCls ) ; if ( cachedTypes != null ) return cachedTypes ; if ( expectedClass != null ) { Type genericSuperType = cls . getGenericSuperclass ( ) ; if ( genericSuperType instanceof ParameterizedType ) { Class < ? > actualType = InjectionUtils . getActualType ( genericSuperType ) ; if ( actualType != null && actualType . isAssignableFrom ( expectedClass ) ) { Type [ ] tempTypes = new Type [ ] { genericSuperType } ; putTypes ( cls , expectedClass , commonBaseCls , tempTypes ) ; return tempTypes ; } else if ( commonBaseCls != null && commonBaseCls != Object . class && commonBaseCls . isAssignableFrom ( expectedClass ) && commonBaseCls . isAssignableFrom ( actualType ) || expectedClass . isAssignableFrom ( actualType ) ) { putTypes ( cls , expectedClass , commonBaseCls , emptyType ) ; return emptyType ; } } } Type [ ] types = cls . getGenericInterfaces ( ) ; if ( types . length > 0 ) { putTypes ( cls , expectedClass , commonBaseCls , types ) ; return types ; } Type [ ] superGenericTypes = getGenericInterfaces ( cls . getSuperclass ( ) , expectedClass , commonBaseCls ) ; putTypes ( cls , expectedClass , commonBaseCls , superGenericTypes ) ; return superGenericTypes ; }
|
Add the result to cache before return
|
36,244
|
void onCompletion ( Collection < ApplicationDependency > dependencies ) { if ( ! dependencies . isEmpty ( ) ) { for ( ApplicationDependency dependency : dependencies ) { dependency . onCompletion ( this ) ; } } }
|
final Field Semantics .
|
36,245
|
public boolean hasObjectWithPrefix ( JavaColonNamespace namespace , String name ) throws NamingException { JavaColonNamespaceBindings < EJBBinding > bindings ; boolean result = false ; Lock readLock = null ; ComponentMetaData cmd = null ; try { if ( namespace == JavaColonNamespace . GLOBAL ) { cmd = getComponentMetaData ( namespace , name ) ; bindings = javaColonGlobalBindings ; readLock = javaColonLock . readLock ( ) ; readLock . lock ( ) ; } else if ( namespace == JavaColonNamespace . APP ) { cmd = getComponentMetaData ( namespace , name ) ; bindings = getAppBindingMap ( cmd . getModuleMetaData ( ) . getApplicationMetaData ( ) ) ; readLock = javaColonLock . readLock ( ) ; readLock . lock ( ) ; } else if ( namespace == JavaColonNamespace . MODULE ) { cmd = getComponentMetaData ( namespace , name ) ; bindings = getModuleBindingMap ( cmd . getModuleMetaData ( ) ) ; } else { bindings = null ; } result = bindings != null && bindings . hasObjectWithPrefix ( name ) ; } finally { if ( readLock != null ) { readLock . unlock ( ) ; } } return result ; }
|
can suppress warning - if cmd is null NamingException will be thrown by getComponentMetaData
|
36,246
|
public void removeGlobalBindings ( List < String > names ) { Lock writeLock = javaColonLock . writeLock ( ) ; writeLock . lock ( ) ; try { for ( String name : names ) { javaColonGlobalBindings . unbind ( name ) ; } } finally { writeLock . unlock ( ) ; } }
|
Remove names from the global mapping .
|
36,247
|
private JavaColonNamespaceBindings < EJBBinding > getAppBindingMap ( ApplicationMetaData amd ) { @ SuppressWarnings ( "unchecked" ) JavaColonNamespaceBindings < EJBBinding > bindingMap = ( JavaColonNamespaceBindings < EJBBinding > ) amd . getMetaData ( amdSlot ) ; if ( bindingMap == null ) { bindingMap = new JavaColonNamespaceBindings < EJBBinding > ( NamingConstants . JavaColonNamespace . APP , this ) ; amd . setMetaData ( amdSlot , bindingMap ) ; } return bindingMap ; }
|
Get the EJBBinding map from the application meta data . Initialize if it is null .
|
36,248
|
private JavaColonNamespaceBindings < EJBBinding > getModuleBindingMap ( ModuleMetaData mmd ) { @ SuppressWarnings ( "unchecked" ) JavaColonNamespaceBindings < EJBBinding > bindingMap = ( JavaColonNamespaceBindings < EJBBinding > ) mmd . getMetaData ( mmdSlot ) ; if ( bindingMap == null ) { bindingMap = new JavaColonNamespaceBindings < EJBBinding > ( NamingConstants . JavaColonNamespace . MODULE , this ) ; mmd . setMetaData ( mmdSlot , bindingMap ) ; } return bindingMap ; }
|
Get the EJBBinding map from the module meta data . Initialize if it is null .
|
36,249
|
public void removeAppBindings ( ModuleMetaData mmd , List < String > names ) { ApplicationMetaData amd = mmd . getApplicationMetaData ( ) ; Lock writeLock = javaColonLock . writeLock ( ) ; writeLock . lock ( ) ; try { JavaColonNamespaceBindings < EJBBinding > bindings = getAppBindingMap ( amd ) ; for ( String name : names ) { bindings . unbind ( name ) ; } } finally { writeLock . unlock ( ) ; } }
|
Remove names from the application mapping . If all the bindings have been removed for an application remove the application mapping .
|
36,250
|
private void throwCannotInstanciateUnsupported ( EJBBinding binding , JavaColonNamespace jndiType , String lookupName , String messageId ) throws NameNotFoundException { J2EEName j2eeName = getJ2EEName ( binding ) ; String jndiName = jndiType . toString ( ) + "/" + lookupName ; String msgTxt = Tr . formatMessage ( tc , messageId , binding . interfaceName , j2eeName . getComponent ( ) , j2eeName . getModule ( ) , j2eeName . getApplication ( ) , jndiName ) ; throw ( new NameNotFoundException ( msgTxt ) ) ; }
|
Internal method to throw a NameNotFoundException for unsupported Home and Remote interfaces .
|
36,251
|
protected void unsetVirtualHost ( VirtualHost vhost ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "Unset vhost: " , vhost ) ; } secureVirtualHost = null ; }
|
Unset required VirtualHost . This will be called after deactivate
|
36,252
|
private synchronized void createJMXWorkAreaResourceIfChanged ( VirtualHost vhost ) { String contextRoot = registeredContextRoot ; if ( contextRoot != null ) { String newAppURLString = vhost . getUrlString ( contextRoot , true ) ; if ( newAppURLString . startsWith ( "https" ) ) { String oldAppURL = appURL ; String newAppURL = processContextRootURL ( newAppURLString ) ; if ( oldAppURL == null || ! oldAppURL . equals ( newAppURL ) ) { this . appURL = newAppURL ; if ( restJMXAddressWorkareaFile == null ) { restJMXAddressWorkareaFile = createJMXWorkAreaResource ( locationService ) ; } else { createJmxAddressResource ( restJMXAddressWorkareaFile ) ; } if ( restJMXAddressStateFile == null ) { restJMXAddressStateFile = createJMXStateResource ( locationService ) ; } else { createJmxAddressResource ( restJMXAddressStateFile ) ; } Hashtable < String , Object > props = new Hashtable < String , Object > ( ) ; props . put ( "name" , "JMXConnectorEndpoint" ) ; props . put ( "jmxHost" , vhost . getHostName ( secureAlias ) ) ; props . put ( "jmxPort" , vhost . getSecureHttpPort ( secureAlias ) ) ; props . put ( "jmxAlias" , secureAlias ) ; if ( jmxEndpointRegistration == null ) jmxEndpointRegistration = bContext . registerService ( Object . class , this , props ) ; else jmxEndpointRegistration . setProperties ( props ) ; } } } }
|
Called to create the work area resource . Only re - generate the file if this is the first time or something in the url has changed .
|
36,253
|
@ Reference ( service = WsLocationAdmin . class , policy = ReferencePolicy . DYNAMIC , cardinality = ReferenceCardinality . MANDATORY ) protected void setLocationService ( WsLocationAdmin locationService ) { this . locationService = locationService ; if ( restJMXAddressWorkareaFile == null ) { restJMXAddressWorkareaFile = createJMXWorkAreaResource ( locationService ) ; } if ( restJMXAddressStateFile == null ) { restJMXAddressStateFile = createJMXStateResource ( locationService ) ; } }
|
Set the dynamic reference to the WsLocationAdmin service . If the service is replaced the new service will be set before the old is removed .
|
36,254
|
public final List < String > getConnectionFactoryInterfaceNames ( ) { return cfInterfaceNames instanceof String ? Collections . singletonList ( ( String ) cfInterfaceNames ) : cfInterfaceNames instanceof String [ ] ? Arrays . asList ( ( String [ ] ) cfInterfaceNames ) : Collections . < String > emptyList ( ) ; }
|
This method is provided for the connection factory validator .
|
36,255
|
private void destroyConnectionFactories ( boolean destroyImmediately ) { lock . writeLock ( ) . lock ( ) ; try { if ( isInitialized . get ( ) ) { isInitialized . set ( false ) ; conMgrSvc . deleteObserver ( this ) ; conMgrSvc . destroyConnectionFactories ( ) ; conMgrSvc = null ; } } finally { lock . writeLock ( ) . unlock ( ) ; } }
|
Utility method to destroy connection factory instances .
|
36,256
|
public boolean getReauthenticationSupport ( ) { return Boolean . TRUE . equals ( bootstrapContextRef . getReference ( ) . getProperty ( REAUTHENTICATION_SUPPORT ) ) ; }
|
Indicates whether or not reauthentication of connections is enabled .
|
36,257
|
public TransactionSupportLevel getTransactionSupport ( ) { TransactionSupportLevel transactionSupport = mcf instanceof TransactionSupport ? ( ( TransactionSupport ) mcf ) . getTransactionSupport ( ) : null ; String prop = ( String ) bootstrapContextRef . getReference ( ) . getProperty ( TRANSACTION_SUPPORT ) ; if ( prop != null ) { TransactionSupportLevel ddTransactionSupport = TransactionSupportLevel . valueOf ( prop ) ; if ( transactionSupport == null ) transactionSupport = ddTransactionSupport ; else if ( transactionSupport . ordinal ( ) > ddTransactionSupport . ordinal ( ) ) throw new IllegalArgumentException ( ManagedConnectionFactory . class . getName ( ) + ':' + transactionSupport + ", " + Connector . class . getName ( ) + ':' + ddTransactionSupport ) ; } if ( connectionFactoryTransactionSupport != null ) { if ( connectionFactoryTransactionSupport . ordinal ( ) > transactionSupport . ordinal ( ) ) throw new IllegalArgumentException ( ManagedConnectionFactory . class . getName ( ) + ':' + transactionSupport + ", " + Connector . class . getName ( ) + ':' + connectionFactoryTransactionSupport ) ; else transactionSupport = connectionFactoryTransactionSupport ; } return transactionSupport == null ? TransactionSupportLevel . NoTransaction : transactionSupport ; }
|
Indicates the level of transaction support .
|
36,258
|
public StackNode < E > clean ( ) { do { final StackNode < E > oldTop = top . get ( ) ; if ( top . compareAndSet ( oldTop , null ) ) return oldTop ; } while ( true ) ; }
|
Remove all nodes from stack and return the old top node .
|
36,259
|
public E pop ( ) { StackNode < E > oldTop , newTop ; while ( true ) { oldTop = top . get ( ) ; if ( oldTop == null ) return null ; newTop = oldTop . next ; if ( top . compareAndSet ( oldTop , newTop ) ) break ; } return oldTop . data ; }
|
Pop data from the Stack .
|
36,260
|
public void push ( E d ) { StackNode < E > oldTop , newTop ; newTop = new StackNode < E > ( d ) ; while ( true ) { oldTop = top . get ( ) ; newTop . next = oldTop ; if ( oldTop != null ) newTop . index = oldTop . index + 1 ; else newTop . index = 0 ; if ( top . compareAndSet ( oldTop , newTop ) ) return ; } }
|
Push data onto Stack .
|
36,261
|
public E peek ( ) { final StackNode < E > oldTop = top . get ( ) ; if ( oldTop == null ) { return null ; } else { return oldTop . data ; } }
|
Return copy of the top data on the Stack
|
36,262
|
public void setSizeRefsByMsgSize ( boolean sizeByMsgSize ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setSizeRefsByMsgSize" , Boolean . valueOf ( sizeByMsgSize ) ) ; this . _sizeRefsByMsgSize = sizeByMsgSize ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setSizeRefsByMsgSize" ) ; }
|
PK57207 Called when adding this reference to a reference stream when to specify that sib . msgstore . jdbcSpillSizeRefsByMsgSize has been enabled
|
36,263
|
public int getInMemoryDataSize ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getInMemoryDataSize" ) ; int dataSize ; if ( _sizeRefsByMsgSize ) { try { dataSize = getReferredItem ( ) . getInMemoryDataSize ( ) ; } catch ( SevereMessageStoreException e ) { com . ibm . ws . ffdc . FFDCFilter . processException ( e , "com.ibm.ws.sib.msgstore.ItemReference.getInMemoryDataSize" , "244" , this ) ; dataSize = super . getInMemoryDataSize ( ) ; } } else { dataSize = super . getInMemoryDataSize ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getInMemoryDataSize" , dataSize ) ; return dataSize ; }
|
PK57207 Returns an estimated size for this message reference
|
36,264
|
public void begin ( ) throws SIIncorrectCallException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "begin" ) ; if ( _state == TransactionState . STATE_ACTIVE && _workList != null ) { SIIncorrectCallException ice = new SIIncorrectCallException ( nls . getFormattedMessage ( "TRAN_PROTOCOL_ERROR_SIMS1001" , null , "TRAN_PROTOCOL_ERROR_SIMS1001" ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) SibTr . event ( this , tc , "Cannot begin new LocalTran. Existing work needs completing first!" , ice ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "begin" ) ; throw ice ; } synchronized ( this ) { _ptid = null ; } _workList = null ; _size = 0 ; _callbacks . clear ( ) ; _state = TransactionState . STATE_ACTIVE ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "begin" ) ; }
|
Begin a new local transaction by readying this object for re - use by the ItemStream interfaces .
|
36,265
|
public void rollback ( ) throws SIIncorrectCallException , SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "rollback" ) ; if ( _state != TransactionState . STATE_ACTIVE ) { SIIncorrectCallException sie = new SIIncorrectCallException ( nls . getFormattedMessage ( "CANNOT_ROLLBACK_COMPLETE_SIMS1005" , new Object [ ] { } , null ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) SibTr . event ( this , tc , "Cannot rollback Transaction. Transaction is complete or completing!" , sie ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "rollback" ) ; throw sie ; } _state = TransactionState . STATE_ROLLINGBACK ; try { if ( _workList != null ) { _workList . rollback ( this ) ; } _state = TransactionState . STATE_ROLLEDBACK ; } catch ( Throwable t ) { com . ibm . ws . ffdc . FFDCFilter . processException ( t , "com.ibm.ws.sib.msgstore.transactions.MSDelegatingLocalTransaction.rollback" , "1:539:1.51.1.14" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) SibTr . event ( this , tc , "Exception caught during rollback phase of transaction!" , t ) ; throw new SIResourceException ( nls . getFormattedMessage ( "COMPLETION_EXCEPTION_SIMS1002" , new Object [ ] { t } , null ) , t ) ; } finally { try { if ( _workList != null ) { _workList . postComplete ( this , false ) ; } for ( int i = 0 ; i < _callbacks . size ( ) ; i ++ ) { TransactionCallback callback = ( TransactionCallback ) _callbacks . get ( i ) ; callback . afterCompletion ( this , false ) ; } } catch ( Throwable t ) { com . ibm . ws . ffdc . FFDCFilter . processException ( t , "com.ibm.ws.sib.msgstore.transactions.MSDelegatingLocalTransaction.rollback" , "1:565:1.51.1.14" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) SibTr . event ( this , tc , "Exception caught during post rollback phase of transaction!" , t ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "rollback" ) ; } }
|
Rollback all work associated with this local transaction .
|
36,266
|
static void setInjectionEngine ( InternalInjectionEngine ie ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "setInjectionEngine : " + ie ) ; svInstance = ie ; }
|
F46994 . 2
|
36,267
|
public static boolean isRemoteable ( Class < ? > valueClass , int rmicCompatible ) { return valueClass . isInterface ( ) && valueClass != Serializable . class && valueClass != Externalizable . class && ( isCORBAObject ( valueClass , rmicCompatible ) || Remote . class . isAssignableFrom ( valueClass ) || isAbstractInterface ( valueClass , rmicCompatible ) ) ; }
|
Determines whether a value of the specified type could be a remote object reference . This should return true if read_Object or read_abstract_interface is used for this type .
|
36,268
|
public static boolean hasJNDIScheme ( String jndiName ) { int colonIndex = jndiName . indexOf ( ':' ) ; int slashIndex = jndiName . indexOf ( '/' ) ; return colonIndex != - 1 && ( slashIndex == - 1 || colonIndex < slashIndex ) ; }
|
Return true if a JNDI name has a scheme .
|
36,269
|
private List < WsByteBuffer > writeHeader ( List < WsByteBuffer > list ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Writing gzip header information" ) ; } WsByteBuffer hdr = HttpDispatcher . getBufferManager ( ) . allocateDirect ( GZIP_Header . length ) ; hdr . put ( GZIP_Header ) ; hdr . flip ( ) ; list . add ( hdr ) ; this . haveWrittenHeader = true ; return list ; }
|
Write the gzip header onto the output list .
|
36,270
|
private WsByteBuffer makeBuffer ( int len ) { WsByteBuffer buffer = HttpDispatcher . getBufferManager ( ) . allocateDirect ( len ) ; buffer . put ( this . buf , 0 , len ) ; buffer . flip ( ) ; return buffer ; }
|
Create the output bytebuffer based on the output compressed storage .
|
36,271
|
private void writeInt ( int value , byte [ ] data , int offset ) { int index = offset ; data [ index ++ ] = ( byte ) ( value & 0xff ) ; data [ index ++ ] = ( byte ) ( ( value >> 8 ) & 0xff ) ; data [ index ++ ] = ( byte ) ( ( value >> 16 ) & 0xff ) ; data [ index ++ ] = ( byte ) ( ( value >> 24 ) & 0xff ) ; }
|
Write an integer into the output space starting at the input offset .
|
36,272
|
protected Object getInjectedObjectFromCXF ( Class < ? > classType , Type genericType , Annotation [ ] memberAnnotations , ParamInjectionMetadata paramInjectionMetadata ) { Parameter p = ResourceUtils . getParameter ( 0 , memberAnnotations , classType ) ; Object injectedObject = null ; Message message = paramInjectionMetadata . getInMessage ( ) ; OperationResourceInfo ori = paramInjectionMetadata . getOperationResourceInfo ( ) ; BeanResourceInfo cri = ori . getClassResourceInfo ( ) ; MultivaluedMap < String , String > values = ( MultivaluedMap < String , String > ) message . get ( URITemplate . TEMPLATE_PARAMETERS ) ; if ( p . getType ( ) == ParameterType . BEAN && cri instanceof ClassResourceInfo ) { injectedObject = JAXRSUtils . createBeanParamValue ( message , classType , ori ) ; } else { injectedObject = JAXRSUtils . createHttpParameterValue ( p , classType , genericType , memberAnnotations , message , values , ori ) ; } return injectedObject ; }
|
real create the paramter object based CXF implementation
|
36,273
|
private void setBufferSize ( int size ) { this . amountToBuffer = size ; this . bbSize = ( 49152 < size ) ? 32768 : 8192 ; int numBuffers = ( size / this . bbSize ) ; if ( 0 == size || 0 != ( size % this . bbSize ) ) { numBuffers ++ ; } this . _output = new WsByteBuffer [ numBuffers ] ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "setBufferSize=[" + size + "]; " + this ) ; } }
|
Set the amount of data to buffer internally before the stream itself initiates a flush . A zero size means no buffer is done each write call will flush data .
|
36,274
|
private void clear ( ) { if ( null != this . _output ) { for ( int i = 0 ; i < this . _output . length ; i ++ ) { if ( null != this . _output [ i ] ) { this . _output [ i ] . release ( ) ; this . _output [ i ] = null ; } } } this . outputIndex = 0 ; this . bufferedCount = 0 ; this . bytesWritten = 0L ; this . setWriteListenerCallBack ( null ) ; }
|
Release any current buffer content in the stream .
|
36,275
|
@ Reference ( service = Application . class , cardinality = ReferenceCardinality . MULTIPLE , policy = ReferencePolicy . DYNAMIC , target = "(application.state=STARTED)" ) protected void addStartedApplication ( ServiceReference < Application > ref ) { ExecutorService executor ; String appName = ( String ) ref . getProperty ( NAME ) ; Set < Runnable > tasks ; lock . writeLock ( ) . lock ( ) ; try { executor = this . executor ; appStates . put ( appName , ApplicationState . STARTED ) ; tasks = deferredTasks . remove ( appName ) ; } finally { lock . writeLock ( ) . unlock ( ) ; } if ( tasks != null ) for ( Runnable task : tasks ) executor . submit ( task ) ; }
|
Declarative Services method for setting a started Application instance
|
36,276
|
@ Reference ( service = Application . class , cardinality = ReferenceCardinality . MULTIPLE , policy = ReferencePolicy . DYNAMIC , target = "(application.state=STARTING)" ) protected void addStartingApplication ( ServiceReference < Application > ref ) { String appName = ( String ) ref . getProperty ( NAME ) ; lock . writeLock ( ) . lock ( ) ; try { if ( ! appStates . containsKey ( appName ) ) appStates . put ( appName , ApplicationState . STARTING ) ; } finally { lock . writeLock ( ) . unlock ( ) ; } }
|
Declarative Services method for setting a starting Application instance
|
36,277
|
boolean isStarted ( String appName ) { lock . readLock ( ) . lock ( ) ; try { return appStates . get ( appName ) == ApplicationState . STARTED ; } finally { lock . readLock ( ) . unlock ( ) ; } }
|
Returns true if the application with the specified name is started otherwise false .
|
36,278
|
protected void removeStartedApplication ( ServiceReference < Application > ref ) { String appName = ( String ) ref . getProperty ( NAME ) ; lock . writeLock ( ) . lock ( ) ; try { appStates . remove ( appName ) ; } finally { lock . writeLock ( ) . unlock ( ) ; } }
|
Declarative Services method for unsetting a started Application instance
|
36,279
|
String objectsToString ( String key , Object objects ) { java . io . StringWriter stringWriter = new java . io . StringWriter ( ) ; stringWriter . write ( key ) ; stringWriter . write ( ":" ) ; if ( objects == null ) { stringWriter . write ( "\n" ) ; } else if ( objects instanceof Object [ ] ) { for ( int i = 0 ; i < ( ( Object [ ] ) objects ) . length ; i ++ ) { Object object = ( ( Object [ ] ) objects ) [ i ] ; if ( object == null ) stringWriter . write ( "null\n" ) ; else { stringWriter . write ( ( ( Object [ ] ) objects ) [ i ] . toString ( ) ) ; stringWriter . write ( "\n" ) ; } } } else { stringWriter . write ( objects . toString ( ) ) ; stringWriter . write ( "\n" ) ; } return stringWriter . toString ( ) ; }
|
Create a simple default formatted string .
|
36,280
|
private static String getPID ( ) { String name = ManagementFactory . getRuntimeMXBean ( ) . getName ( ) ; int index = name . indexOf ( '@' ) ; if ( index == - 1 ) { return null ; } String pid = name . substring ( 0 , index ) ; if ( ! pid . matches ( "[0-9]+" ) ) { return null ; } return pid ; }
|
Return the current process ID .
|
36,281
|
private File createNewFile ( File outputDir , String prefix , String extension ) throws IOException { String dateTime = new SimpleDateFormat ( "yyyyMMdd.HHmmss" ) . format ( new Date ( ) ) ; File outputFile ; do { String pid = PID == null ? "" : PID + '.' ; int sequenceNumber = nextSequenceNumber . getAndIncrement ( ) ; outputFile = new File ( outputDir , String . format ( "%s.%s.%s%04d.%s" , prefix , dateTime , pid , sequenceNumber , extension ) ) ; } while ( outputFile . exists ( ) ) ; return outputFile ; }
|
Create a dump file with a unique name .
|
36,282
|
private File createThreadDump ( File outputDir ) { VirtualMachine vm = null ; try { vm = getAttachedVirtualMachine ( ) ; if ( vm == null && diagnosticCommandName == null ) { return null ; } } catch ( VirtualMachineException e ) { if ( diagnosticCommandName == null ) { Throwable cause = e . getCause ( ) ; throw cause instanceof RuntimeException ? ( RuntimeException ) cause : new RuntimeException ( cause ) ; } } File outputFile = null ; InputStream input = null ; OutputStream output = null ; boolean success = false ; try { outputFile = createNewFile ( outputDir , "javadump" , "txt" ) ; if ( vm != null ) { input = vm . remoteDataDump ( ) ; input = new BufferedInputStream ( input ) ; output = new FileOutputStream ( outputFile ) ; output = new BufferedOutputStream ( output ) ; byte [ ] buf = new byte [ 8192 ] ; for ( int read ; ( read = input . read ( buf ) ) != - 1 ; ) { output . write ( buf , 0 , read ) ; } } else { String outputString ; try { outputString = ( String ) platformMBeanServer . invoke ( diagnosticCommandName , "threadPrint" , new Object [ ] { new String [ ] { "-l" } } , new String [ ] { String [ ] . class . getName ( ) } ) ; } catch ( Exception e ) { throw new RuntimeException ( e ) ; } output = new FileOutputStream ( outputFile ) ; Writer writer = new OutputStreamWriter ( output , "UTF-8" ) ; writer . write ( outputString ) ; writer . close ( ) ; } success = true ; } catch ( IOException ex ) { throw new RuntimeException ( ex ) ; } finally { Utils . tryToClose ( input ) ; Utils . tryToClose ( output ) ; if ( ! success && outputFile != null && ! outputFile . delete ( ) ) { outputFile = null ; } } return outputFile ; }
|
Create a thread dump . This is the same output normally printed to the console when a kill - QUIT or Ctrl - Break is sent to the process .
|
36,283
|
private synchronized VirtualMachine getAttachedVirtualMachine ( ) throws VirtualMachineException { if ( PID == null ) { return null ; } if ( vm == null ) { vm = createVirtualMachine ( ) ; } return vm . isAttached ( ) ? vm : null ; }
|
Returns sun . tools . attach . HotSpotVirtualMachine if possible .
|
36,284
|
private VirtualMachine createVirtualMachine ( ) throws VirtualMachineException { ClassLoader toolsClassLoader ; File toolsJar = getToolsJar ( ) ; if ( toolsJar == null ) { toolsClassLoader = HotSpotJavaDumperImpl . class . getClassLoader ( ) ; } else { try { toolsClassLoader = new URLClassLoader ( new URL [ ] { toolsJar . getAbsoluteFile ( ) . toURI ( ) . toURL ( ) } ) ; } catch ( MalformedURLException e ) { throw new RuntimeException ( e ) ; } } try { Class < ? > vmClass = toolsClassLoader . loadClass ( "com.sun.tools.attach.VirtualMachine" ) ; Method attachMethod = vmClass . getMethod ( "attach" , new Class < ? > [ ] { String . class } ) ; Object toolsVM = attachMethod . invoke ( null , new Object [ ] { PID } ) ; Method remoteDataDumpMethod = toolsVM . getClass ( ) . getMethod ( "remoteDataDump" , new Class < ? > [ ] { Object [ ] . class } ) ; return new VirtualMachine ( toolsVM , remoteDataDumpMethod ) ; } catch ( ClassNotFoundException e ) { } catch ( InvocationTargetException e ) { throw new VirtualMachineException ( e ) ; } catch ( Exception e ) { throw new RuntimeException ( e ) ; } return new VirtualMachine ( null , null ) ; }
|
Create a VirtualMachine wrapper .
|
36,285
|
public List < com . ibm . wsspi . security . wim . model . IdentifierType > getManager ( ) { if ( manager == null ) { manager = new ArrayList < com . ibm . wsspi . security . wim . model . IdentifierType > ( ) ; } return this . manager ; }
|
Gets the value of the manager property .
|
36,286
|
public List < com . ibm . wsspi . security . wim . model . IdentifierType > getSecretary ( ) { if ( secretary == null ) { secretary = new ArrayList < com . ibm . wsspi . security . wim . model . IdentifierType > ( ) ; } return this . secretary ; }
|
Gets the value of the secretary property .
|
36,287
|
public List < com . ibm . wsspi . security . wim . model . AddressType > getHomeAddress ( ) { if ( homeAddress == null ) { homeAddress = new ArrayList < com . ibm . wsspi . security . wim . model . AddressType > ( ) ; } return this . homeAddress ; }
|
Gets the value of the homeAddress property .
|
36,288
|
public List < com . ibm . wsspi . security . wim . model . AddressType > getBusinessAddress ( ) { if ( businessAddress == null ) { businessAddress = new ArrayList < com . ibm . wsspi . security . wim . model . AddressType > ( ) ; } return this . businessAddress ; }
|
Gets the value of the businessAddress property .
|
36,289
|
public static ModuleMetaData getModuleMetaData ( ) { ComponentMetaData cmd = getComponentMetaData ( ) ; ModuleMetaData mmd = null ; if ( cmd != null ) { mmd = cmd . getModuleMetaData ( ) ; } if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "ModuleMetaData object is " + ( mmd != null ? mmd . toString ( ) : "null!" ) ) ; } return mmd ; }
|
Gets the metadata for the module
|
36,290
|
void setDelete ( GBSNode deleteNode , int deleteIndex ) { _deleteNode = deleteNode ; _deleteIndex = deleteIndex ; _notFound = false ; }
|
Remember the information about the delete point .
|
36,291
|
void setTarget ( GBSNode targetNode , int targetIndex , int type ) { _targetNode = targetNode ; _targetIndex = targetIndex ; _type = type ; }
|
Remember the information about the target point .
|
36,292
|
void reset ( ) { _deleteNode = null ; _deleteIndex = 0 ; _targetNode = null ; _targetIndex = 0 ; _type = NONE ; _notFound = true ; }
|
Return this object to its original post - construction state .
|
36,293
|
private String getPID ( String dir , String serverName ) { String pid = null ; if ( platformType == SelfExtractUtils . PlatformType_CYGWIN ) { String pidFile = dir + File . separator + "wlp" + File . separator + "usr" + File . separator + "servers" + File . separator + ".pid" + File . separator + serverName + ".pid" ; try { BufferedReader br = new BufferedReader ( new InputStreamReader ( new FileInputStream ( pidFile ) , "UTF-8" ) ) ; try { return br . readLine ( ) ; } finally { br . close ( ) ; } } catch ( IOException e ) { pid = null ; } if ( pid == null ) { Object [ ] substitution = { dir } ; System . out . println ( MessageFormat . format ( resourceBundle . getString ( "UNABLE_TO_FIND_PID" ) , substitution ) ) ; } } return pid ; }
|
Return PID from server directory for cygwin environment only .
|
36,294
|
private void stopServer ( ) throws IOException { String cmd = dir + File . separator + "wlp" + File . separator + "bin" + File . separator + "server stop " + serverName ; if ( platformType == SelfExtractUtils . PlatformType_UNIX ) { } else if ( platformType == SelfExtractUtils . PlatformType_WINDOWS ) { cmd = "cmd /k " + cmd ; } else if ( platformType == SelfExtractUtils . PlatformType_CYGWIN ) { cmd = "bash -c " + '"' + cmd . replace ( '\\' , '/' ) + '"' ; } Runtime . getRuntime ( ) . exec ( cmd , SelfExtractUtils . runEnv ( dir ) , null ) ; }
|
Run server stop command
|
36,295
|
private void startAsyncDelete ( ) throws IOException { Runtime rt = Runtime . getRuntime ( ) ; File scriptFile = null ; if ( platformType == SelfExtractUtils . PlatformType_UNIX ) { scriptFile = writeCleanupFile ( SelfExtractUtils . PlatformType_UNIX ) ; rt . exec ( "chmod 750 " + scriptFile . getAbsolutePath ( ) ) ; rt . exec ( "sh -c " + scriptFile . getAbsolutePath ( ) + " &" ) ; } else if ( platformType == SelfExtractUtils . PlatformType_WINDOWS ) { scriptFile = writeCleanupFile ( SelfExtractUtils . PlatformType_WINDOWS ) ; rt . exec ( "cmd /k start /B " + scriptFile . getAbsolutePath ( ) + " >/NUL 2>/NUL" ) ; } else if ( platformType == SelfExtractUtils . PlatformType_CYGWIN ) { scriptFile = writeCleanupFile ( SelfExtractUtils . PlatformType_CYGWIN ) ; rt . exec ( "bash -c " + scriptFile . getAbsolutePath ( ) . replace ( '\\' , '/' ) + " &" ) ; } }
|
Start async deletion using background script
|
36,296
|
private void writeWindowsCleanup ( File file , BufferedWriter bw ) throws IOException { bw . write ( "set max=30\n" ) ; bw . write ( "set cnt=0\n" ) ; bw . write ( "set dir=" + dir + "\n" ) ; bw . write ( "echo delete %dir%\n" ) ; bw . write ( ":while\n" ) ; bw . write ( " if exist %dir% (\n" ) ; bw . write ( " rmdir /s /q %dir%\n" ) ; bw . write ( " timeout 1\n" ) ; bw . write ( " set /a cnt+=1\n" ) ; bw . write ( " if %cnt% leq %max% (\n" ) ; bw . write ( " goto :while \n" ) ; bw . write ( " )\n" ) ; bw . write ( " )\n" ) ; bw . write ( "erase " + file . getAbsoluteFile ( ) + "\n" ) ; }
|
Write logic for windows cleanup script
|
36,297
|
private void writeUnixCleanup ( File file , BufferedWriter bw ) throws IOException { bw . write ( "echo begin delete" + "\n" ) ; bw . write ( "n=0" + "\n" ) ; bw . write ( "while [ $n -ne 1 ]; do" + "\n" ) ; bw . write ( " sleep 3" + "\n" ) ; bw . write ( " if [ -e " + dir . replace ( '\\' , '/' ) + " ]; then" + "\n" ) ; bw . write ( " rm -rf " + dir . replace ( '\\' , '/' ) + "\n" ) ; bw . write ( " else" + "\n" ) ; bw . write ( " echo file not found - n=$n" + "\n" ) ; bw . write ( " n=1" + "\n" ) ; bw . write ( " fi" + "\n" ) ; bw . write ( "done" + "\n" ) ; bw . write ( "echo end delete" + "\n" ) ; bw . write ( "rm " + file . getAbsolutePath ( ) . replace ( '\\' , '/' ) + "\n" ) ; }
|
Write logic for Unix cleanup script
|
36,298
|
private void writeCygwinCleanup ( File file , BufferedWriter bw ) throws IOException { String pid = getPID ( dir , serverName ) ; if ( pid != null ) bw . write ( "kill " + pid + "\n" ) ; writeUnixCleanup ( file , bw ) ; }
|
Write logic for Cygwin cleanup script
|
36,299
|
public void run ( ) { try { stopServer ( ) ; if ( ! System . getProperty ( "os.name" ) . startsWith ( "Win" ) ) { out . join ( ) ; err . join ( ) ; } else { out . join ( 500 ) ; err . join ( 500 ) ; } startAsyncDelete ( ) ; } catch ( Exception e ) { throw new RuntimeException ( "Shutdown hook failed with exception " + e . getMessage ( ) ) ; } }
|
Main method for shutdown hook . Job of this hook is to stop server and delete extraction directory .
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.