idx int64 0 41.2k | question stringlengths 83 4.15k | target stringlengths 5 715 |
|---|---|---|
39,700 | protected boolean maxRequestsServed ( ) { if ( getChannel ( ) . isStopping ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Channel stopped, disabling keep-alive request" ) ; } return true ; } if ( ! getChannel ( ) . getHttpConfig ( ) . isKeepAliveEnabled ( ) ) { return true ; } int max = getChannel ( ) . getHttpConfig ( ) . getMaximumPersistentRequests ( ) ; if ( 0 <= max ) { return ( this . numRequestsProcessed >= max ) ; } return false ; } | Find out whether we ve served the maximum number of requests allowed on this connection already . |
39,701 | public void ready ( VirtualConnection inVC ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "ready: " + this + " " + inVC ) ; } this . myTSC = ( TCPConnectionContext ) getDeviceLink ( ) . getChannelAccessor ( ) ; HttpInboundServiceContextImpl sc = getHTTPContext ( ) ; sc . init ( this . myTSC , this , inVC , getChannel ( ) . getHttpConfig ( ) ) ; if ( getChannel ( ) . getHttpConfig ( ) . getDebugLog ( ) . isEnabled ( DebugLog . Level . INFO ) ) { getChannel ( ) . getHttpConfig ( ) . getDebugLog ( ) . log ( DebugLog . Level . INFO , HttpMessages . MSG_CONN_STARTING , sc ) ; } processRequest ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "ready" ) ; } } | Called by the device side channel when a new request is ready for work . |
39,702 | protected void processRequest ( ) { final int timeout = getHTTPContext ( ) . getReadTimeout ( ) ; final TCPReadCompletedCallback callback = HttpICLReadCallback . getRef ( ) ; VirtualConnection rc = null ; do { if ( handleNewInformation ( ) ) { return ; } if ( ! isPartiallyParsed ( ) ) { handleNewRequest ( ) ; return ; } rc = this . myTSC . getReadInterface ( ) . read ( 1 , callback , false , timeout ) ; } while ( null != rc ) ; } | Process new information for an inbound request that needs to be parsed and handled by channels above . |
39,703 | private boolean handleNewInformation ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Parsing new information: " + getVirtualConnection ( ) ) ; } final HttpInboundServiceContextImpl sc = getHTTPContext ( ) ; if ( ! isPartiallyParsed ( ) ) { if ( getChannel ( ) . isStopped ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Channel stopped during initial read" ) ; } sc . setHeadersParsed ( ) ; sc . getResponse ( ) . setVersion ( VersionValues . V10 ) ; sendErrorMessage ( StatusCodes . UNAVAILABLE ) ; return true ; } } boolean completed = false ; if ( this . isAlpnHttp2Link ( switchedVC ) ) { return false ; } try { completed = sc . parseMessage ( ) ; } catch ( UnsupportedMethodException meth ) { sc . setHeadersParsed ( ) ; sendErrorMessage ( StatusCodes . NOT_IMPLEMENTED ) ; setPartiallyParsed ( false ) ; return true ; } catch ( UnsupportedProtocolVersionException ver ) { sc . setHeadersParsed ( ) ; sendErrorMessage ( StatusCodes . UNSUPPORTED_VERSION ) ; setPartiallyParsed ( false ) ; return true ; } catch ( MessageTooLargeException mtle ) { sc . setHeadersParsed ( ) ; sendErrorMessage ( StatusCodes . ENTITY_TOO_LARGE ) ; setPartiallyParsed ( false ) ; return true ; } catch ( MalformedMessageException mme ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "parseMessage encountered a MalformedMessageException : " + mme ) ; } handleGenericHNIError ( mme , sc ) ; return true ; } catch ( IllegalArgumentException iae ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "parseMessage encountered an IllegalArgumentException : " + iae ) ; } handleGenericHNIError ( iae , sc ) ; return true ; } catch ( CompressionException ce ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "parseMessage encountered a CompressionException : " + ce ) ; } handleGenericHNIError ( ce , sc ) ; return true ; } catch ( Throwable t ) { FFDCFilter . processException ( t , "HttpInboundLink.handleNewInformation" , "2" , this ) ; handleGenericHNIError ( t , sc ) ; return true ; } setPartiallyParsed ( ! completed ) ; if ( isPartiallyParsed ( ) ) { sc . setupReadBuffers ( sc . getHttpConfig ( ) . getIncomingHdrBufferSize ( ) , false ) ; } return false ; } | Handle parsing the incoming request message . |
39,704 | private void handleGenericHNIError ( Throwable t , HttpInboundServiceContextImpl hisc ) { hisc . setHeadersParsed ( ) ; sendErrorMessage ( t ) ; setPartiallyParsed ( false ) ; } | the same thing so now they will just call this one method |
39,705 | private void handleNewRequest ( ) { if ( ! isAlpnHttp2Link ( this . vc ) ) { final HttpInboundServiceContextImpl sc = getHTTPContext ( ) ; sc . setRequestVersion ( sc . getRequest ( ) . getVersionValue ( ) ) ; sc . setRequestMethod ( sc . getRequest ( ) . getMethodValue ( ) ) ; sc . getResponseImpl ( ) . init ( sc ) ; this . numRequestsProcessed ++ ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Received request number " + this . numRequestsProcessed + " on link " + this ) ; } if ( ! sc . check100Continue ( ) ) { return ; } } handleDiscrimination ( ) ; } | Process a new request message updating internal stats and calling the discrimination to pass it along the channel chain . |
39,706 | private void sendErrorMessage ( Throwable t ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Sending a 400 for throwable [" + t + "]" ) ; } sendErrorMessage ( StatusCodes . BAD_REQUEST ) ; } | Send an error message when a generic throwable occurs . |
39,707 | private void sendErrorMessage ( StatusCodes code ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Sending an error page back [code: " + code + "]" ) ; } try { getHTTPContext ( ) . sendError ( code . getHttpError ( ) ) ; } catch ( MessageSentException mse ) { close ( getVirtualConnection ( ) , new Exception ( "HTTP Message failure" ) ) ; } } | Send an error message back to the client with a defined status code instead of an exception . |
39,708 | private void handlePipeLining ( ) { HttpServiceContextImpl sc = getHTTPContext ( ) ; WsByteBuffer buffer = sc . returnLastBuffer ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "Pipelined request found: " + buffer ) ; } sc . clear ( ) ; sc . storeAllocatedBuffer ( buffer ) ; sc . disableBufferModification ( ) ; EventEngine events = HttpDispatcher . getEventService ( ) ; if ( null != events ) { Event event = events . createEvent ( HttpPipelineEventHandler . TOPIC_PIPELINING ) ; event . setProperty ( CallbackIDs . CALLBACK_HTTPICL . getName ( ) , this ) ; events . postEvent ( event ) ; } else { ready ( getVirtualConnection ( ) ) ; } } | Handle a pipelined request discovered while closing the handling of the last request . |
39,709 | public void error ( VirtualConnection inVC , Throwable t ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "error() called on " + this + " " + inVC ) ; } try { close ( inVC , ( Exception ) t ) ; } catch ( ClassCastException cce ) { close ( inVC , new Exception ( "Problem when finishing response" ) ) ; } } | Called when an error occurs on this connection . |
39,710 | private boolean checkIfUpgradeHeaders ( Map < String , String > headers ) { boolean connection_upgrade = false ; boolean upgrade_h2c = false ; String headerValue = null ; Set < Entry < String , String > > headerEntrys = headers . entrySet ( ) ; for ( Entry < String , String > header : headerEntrys ) { String name = header . getKey ( ) ; if ( name . equalsIgnoreCase ( CONSTANT_connection ) ) { headerValue = header . getValue ( ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "connection header found with value: " + headerValue ) ; } if ( headerValue != null && headerValue . equalsIgnoreCase ( CONSTANT_connection_value ) ) { if ( connection_upgrade == true ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "malformed: second connection header found" ) ; } return false ; } connection_upgrade = true ; } } if ( name . equalsIgnoreCase ( CONSTANT_upgrade ) ) { headerValue = header . getValue ( ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "upgrade header found with value: " + headerValue ) ; } if ( headerValue != null && headerValue . equalsIgnoreCase ( CONSTANT_h2c ) ) { if ( upgrade_h2c == true ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "malformed: second upgrade header found" ) ; } return false ; } upgrade_h2c = true ; } } } if ( connection_upgrade && upgrade_h2c ) { return true ; } return false ; } | Determine if a map of headers contains http2 upgrade headers |
39,711 | protected LicenseProvider createLicenseProvider ( String licenseAgreementPrefix , String licenseInformationPrefix , String subsystemLicenseType ) { String featureLicenseAgreementPrefix = this . featureName + "/" + licenseAgreementPrefix ; String featureLicenseInformationPrefix = licenseInformationPrefix == null ? null : this . featureName + "/" + licenseInformationPrefix ; if ( featureLicenseInformationPrefix == null ) { LicenseProvider lp = ZipLicenseProvider . createInstance ( zip , featureLicenseAgreementPrefix ) ; if ( lp != null ) return lp ; } else { wlp . lib . extract . ReturnCode licenseReturnCode = ZipLicenseProvider . buildInstance ( zip , featureLicenseAgreementPrefix , featureLicenseInformationPrefix ) ; if ( licenseReturnCode == wlp . lib . extract . ReturnCode . OK ) { return ZipLicenseProvider . getInstance ( ) ; } } if ( subsystemLicenseType != null && subsystemLicenseType . length ( ) > 0 ) { return new ThirdPartyLicenseProvider ( featureDefinition . getFeatureName ( ) , subsystemLicenseType ) ; } return null ; } | will need to override |
39,712 | public LocalTransaction createLocalTransaction ( boolean useSingleResourceOnly ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "createLocalTransaction" ) ; LocalTransaction tran = null ; tran = transactionFactory . createLocalTransaction ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createLocalTransaction" , tran ) ; return tran ; } | Creates a local transaction . |
39,713 | public ExternalAutoCommitTransaction createAutoCommitTransaction ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "createAutoCommitTransaction" ) ; ExternalAutoCommitTransaction transaction = transactionFactory . createAutoCommitTransaction ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createAutoCommitTransaction" , transaction ) ; return transaction ; } | Creates a Auto Commit Transaction |
39,714 | public SIXAResource createXAResource ( boolean useSingleResource ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "createXAResource" , new Boolean ( useSingleResource ) ) ; SIXAResource resource = null ; resource = transactionFactory . createXAResource ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createXAResource" , resource ) ; return resource ; } | Creates an XA transaction resource |
39,715 | public Object createObjectCache ( String reference ) { final String methodName = "createCacheInstance()" ; if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , methodName + " cacheName=" + reference ) ; CacheConfig config = ServerCache . getCacheService ( ) . getCacheInstanceConfig ( reference ) ; if ( config == null ) { Tr . error ( tc , "DYNA1004E" , new Object [ ] { reference } ) ; } DistributedObjectCache dCache = null ; synchronized ( config ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Entered synchronized (config) for " + config . getCacheName ( ) ) ; } dCache = config . getDistributedObjectCache ( ) ; if ( dCache == null ) { dCache = createDistributedObjectCache ( config ) ; config . setDistributedObjectCache ( dCache ) ; } } if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , methodName + " cacheName in=" + reference + " out=" + reference ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , methodName + " distributedObjectCache=" + dCache ) ; return dCache ; } | Create a DistributedObjectCache from a string reference . The config for the reference must already exist . |
39,716 | private DistributedObjectCache createDistributedObjectCache ( CacheConfig config ) { final String methodName = "createDistributedObjectCache()" ; if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , methodName + " cacheName=" + ( config != null ? config . getCacheName ( ) : "null" ) ) ; DCache dCache = ServerCache . createCache ( config . getCacheName ( ) , config ) ; config . setCache ( dCache ) ; DistributedObjectCache distributedObjectCache = null ; if ( config . isEnableNioSupport ( ) ) { distributedObjectCache = new DistributedNioMapImpl ( dCache ) ; } else { distributedObjectCache = new DistributedMapImpl ( dCache ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , methodName + " distributedObjectCache=" + distributedObjectCache ) ; return distributedObjectCache ; } | Create a DistributedObjectCache from a cacheConfig object . |
39,717 | public EventSource createEventSource ( boolean createAsyncEventSource , String cacheName ) { EventSource eventSource = new DCEventSource ( cacheName , createAsyncEventSource ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Using caller thread context for callback - cacheName= " + cacheName ) ; return eventSource ; } | This implements the method in the ServletCacheUnit interface . This method is used to initialize event source for invalidation listener |
39,718 | public static Map < JNDIEnvironmentRefType , Map < String , String > > createAllBindingsMap ( ) { Map < JNDIEnvironmentRefType , Map < String , String > > allBindings = new EnumMap < JNDIEnvironmentRefType , Map < String , String > > ( JNDIEnvironmentRefType . class ) ; for ( JNDIEnvironmentRefType refType : JNDIEnvironmentRefType . VALUES ) { if ( refType . getBindingElementName ( ) != null ) { allBindings . put ( refType , new HashMap < String , String > ( ) ) ; } } return allBindings ; } | Create a new map for holding all JNDIEnvironmentRef bindings . |
39,719 | public static void setAllBndAndExt ( ComponentNameSpaceConfiguration compNSConfig , Map < JNDIEnvironmentRefType , Map < String , String > > allBindings , Map < String , String > envEntryValues , ResourceRefConfigList resRefList ) { for ( JNDIEnvironmentRefType refType : JNDIEnvironmentRefType . VALUES ) { if ( refType . getBindingElementName ( ) != null ) { compNSConfig . setJNDIEnvironmentRefBindings ( refType . getType ( ) , allBindings . get ( refType ) ) ; } } compNSConfig . setEnvEntryValues ( envEntryValues ) ; compNSConfig . setResourceRefConfigList ( resRefList ) ; } | Update a ComponentNameSpaceConfiguration object with processed binding and extension metadata . |
39,720 | public static void chainRequestDispatchers ( RequestDispatcher [ ] dispatchers , HttpServletRequest request , HttpServletResponse response ) throws IOException , ServletException { for ( int i = 0 ; i < dispatchers . length - 1 ; i ++ ) { ChainedResponse chainedResp = new ChainedResponse ( request , response ) ; dispatchers [ i ] . forward ( request , chainedResp ) ; request = chainedResp . getChainedRequest ( ) ; } dispatchers [ dispatchers . length - 1 ] . forward ( request , response ) ; } | Chain the responses of a set of request dispatchers together . |
39,721 | @ Reference ( name = KEY_GENERATOR , service = DDLGenerationParticipant . class , policy = ReferencePolicy . DYNAMIC , cardinality = ReferenceCardinality . MULTIPLE ) protected void setGenerator ( ServiceReference < DDLGenerationParticipant > ref ) { generators . addReference ( ref ) ; } | Method which registers a DDL generator . All OSGi services providing this interface will be set here . |
39,722 | synchronized public Map < String , Serializable > generateDDL ( ) { Map < String , Serializable > returnMap = new HashMap < String , Serializable > ( ) ; WsResource ddlOutputDirectory = locationService . get ( ) . resolveResource ( OUTPUT_DIR ) ; if ( ddlOutputDirectory . exists ( ) == false ) { ddlOutputDirectory . create ( ) ; } try { returnMap . put ( OUTPUT_DIRECTORY , ddlOutputDirectory . asFile ( ) . getCanonicalPath ( ) ) ; } catch ( IOException ioe ) { returnMap . put ( OUTPUT_DIRECTORY , OUTPUT_DIR ) ; } boolean success = true ; int fileCount = 0 ; Map < String , DDLGenerationParticipant > participants = new HashMap < String , DDLGenerationParticipant > ( ) ; Iterator < ServiceAndServiceReferencePair < DDLGenerationParticipant > > i = generators . getServicesWithReferences ( ) ; while ( i . hasNext ( ) ) { ServiceAndServiceReferencePair < DDLGenerationParticipant > generatorPair = i . next ( ) ; DDLGenerationParticipant generator = generatorPair . getService ( ) ; String rawId = generator . getDDLFileName ( ) ; String id = ( rawId != null ) ? PathUtils . replaceRestrictedCharactersInFileName ( rawId ) : null ; if ( ( id == null ) || ( id . length ( ) == 0 ) ) { throw new IllegalArgumentException ( "Service " + generator . toString ( ) + " DDL file name: " + rawId ) ; } participants . put ( id , generator ) ; } for ( Map . Entry < String , DDLGenerationParticipant > entry : participants . entrySet ( ) ) { String id = entry . getKey ( ) ; DDLGenerationParticipant participant = entry . getValue ( ) ; WsResource ddlOutputResource = locationService . get ( ) . resolveResource ( OUTPUT_DIR + id + ".ddl" ) ; if ( ddlOutputResource . exists ( ) == false ) { ddlOutputResource . create ( ) ; } try { TextFileOutputStreamFactory f = TrConfigurator . getFileOutputStreamFactory ( ) ; OutputStream os = f . createOutputStream ( ddlOutputResource . asFile ( ) , false ) ; BufferedWriter bw = new BufferedWriter ( new OutputStreamWriter ( os , "UTF-8" ) ) ; participant . generate ( bw ) ; bw . close ( ) ; fileCount ++ ; } catch ( Throwable t ) { success = false ; } } returnMap . put ( SUCCESS , Boolean . valueOf ( success ) ) ; returnMap . put ( FILE_COUNT , Integer . valueOf ( fileCount ) ) ; return returnMap ; } | Trigger DDL generation for anyone who needs to generate DDL . |
39,723 | public MetaRuleset createMetaRuleset ( Class type ) { MetaRuleset ruleset = new MetaRulesetImpl ( _delegate . getTag ( ) , type ) ; ruleset . ignore ( "binding" ) ; ruleset . ignore ( "event" ) ; return ruleset ; } | This tag call _delegate . setAttributes so the returned MetaRuleset should ignore attributes that are not supposed to be there like binding and event |
39,724 | public void applyAttachedObject ( FacesContext context , UIComponent parent ) { FaceletContext faceletContext = ( FaceletContext ) context . getAttributes ( ) . get ( FaceletContext . FACELET_CONTEXT_KEY ) ; ValueExpression ve = null ; Behavior behavior = null ; if ( _delegate . getBinding ( ) != null ) { ve = _delegate . getBinding ( ) . getValueExpression ( faceletContext , Behavior . class ) ; behavior = ( Behavior ) ve . getValue ( faceletContext ) ; } if ( behavior == null ) { behavior = this . createBehavior ( faceletContext ) ; if ( ve != null ) { ve . setValue ( faceletContext , behavior ) ; } } if ( behavior == null ) { throw new TagException ( _delegate . getTag ( ) , "No Validator was created" ) ; } _delegate . setAttributes ( faceletContext , behavior ) ; if ( behavior instanceof ClientBehavior ) { ClientBehaviorHolder cvh = ( ClientBehaviorHolder ) parent ; String eventName = getEventName ( ) ; if ( eventName == null ) { eventName = cvh . getDefaultEventName ( ) ; } if ( eventName == null ) { throw new TagAttributeException ( _delegate . getEvent ( ) , "eventName could not be defined for client behavior " + behavior . toString ( ) ) ; } else if ( ! cvh . getEventNames ( ) . contains ( eventName ) ) { throw new TagAttributeException ( _delegate . getEvent ( ) , "eventName " + eventName + " not found on component instance" ) ; } else { cvh . addClientBehavior ( eventName , ( ClientBehavior ) behavior ) ; } AjaxHandler . registerJsfAjaxDefaultResource ( faceletContext , parent ) ; } } | Create a ClientBehavior and attach it to the component |
39,725 | @ FFDCIgnore ( InvocationTargetException . class ) Object getDB ( String databaseName ) throws Exception { final boolean trace = TraceComponent . isAnyTracingEnabled ( ) ; lock . readLock ( ) . lock ( ) ; try { if ( mongoClient == null ) { lock . readLock ( ) . unlock ( ) ; lock . writeLock ( ) . lock ( ) ; try { if ( mongoClient == null ) init ( ) ; } finally { lock . readLock ( ) . lock ( ) ; lock . writeLock ( ) . unlock ( ) ; } } Object db = MongoClient_getDB . invoke ( mongoClient , databaseName ) ; String user = ( String ) props . get ( USER ) ; if ( user != null ) { if ( ( Boolean ) DB_isAuthenticated . invoke ( db ) ) { if ( trace && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "already authenticated" ) ; } else { if ( trace && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "authenticate as: " + user ) ; SerializableProtectedString password = ( SerializableProtectedString ) props . get ( PASSWORD ) ; String pwdStr = password == null ? null : String . valueOf ( password . getChars ( ) ) ; pwdStr = PasswordUtil . getCryptoAlgorithm ( pwdStr ) == null ? pwdStr : PasswordUtil . decode ( pwdStr ) ; char [ ] pwdChars = pwdStr == null ? null : pwdStr . toCharArray ( ) ; try { if ( ! ( Boolean ) DB_authenticate . invoke ( db , user , pwdChars ) ) if ( ( Boolean ) DB_isAuthenticated . invoke ( db ) ) { if ( trace && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "another thread must have authenticated first" ) ; } else throw new IllegalArgumentException ( Tr . formatMessage ( tc , "CWKKD0012.authentication.error" , MONGO , id , databaseName ) ) ; } catch ( InvocationTargetException x ) { Throwable cause = x . getCause ( ) ; if ( cause instanceof IllegalStateException && ( Boolean ) DB_isAuthenticated . invoke ( db ) ) { if ( trace && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "another thread must have authenticated first" , cause ) ; } else throw cause ; } } } else if ( useCertAuth ) { } return db ; } catch ( Throwable x ) { x = x instanceof InvocationTargetException ? x . getCause ( ) : x ; if ( x instanceof Exception ) throw ( Exception ) x ; else if ( x instanceof Error ) throw ( Error ) x ; else throw new RuntimeException ( x ) ; } finally { lock . readLock ( ) . unlock ( ) ; } } | Get a Mongo DB instance authenticated with the specified user and password if specified . |
39,726 | private String getCerticateSubject ( AtomicServiceReference < Object > serviceRef , Properties sslProperties ) { String certificateDN = null ; try { certificateDN = sslHelper . getClientKeyCertSubject ( serviceRef , sslProperties ) ; } catch ( KeyStoreException ke ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . error ( tc , "CWKKD0020.ssl.get.certificate.user" , MONGO , id , ke ) ; } throw new RuntimeException ( Tr . formatMessage ( tc , "CWKKD0020.ssl.get.certificate.user" , MONGO , id , ke ) ) ; } catch ( CertificateException ce ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . error ( tc , "CWKKD0020.ssl.get.certificate.user" , MONGO , id , ce ) ; } throw new RuntimeException ( Tr . formatMessage ( tc , "CWKKD0020.ssl.get.certificate.user" , MONGO , id , ce ) ) ; } if ( certificateDN == null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . error ( tc , "CWKKD0026.ssl.certificate.exception" , MONGO , id ) ; } throw new RuntimeException ( Tr . formatMessage ( tc , "CWKKD0026.ssl.certificate.exception" , MONGO , id ) ) ; } return certificateDN ; } | Call security code to read the subject name from the key in the keystore |
39,727 | @ FFDCIgnore ( Throwable . class ) private void set ( Class < ? > MongoClientOptions_Builder , Object optionsBuilder , String propName , Object value ) throws IntrospectionException , IllegalArgumentException , IllegalAccessException , InvocationTargetException { try { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , propName + '=' + value ) ; Class < ? > type = MONGO_CLIENT_OPTIONS_TYPES . get ( propName ) ; Method method = MongoClientOptions_Builder . getMethod ( propName , type ) ; if ( type . equals ( int . class ) && value instanceof Long ) { value = ( ( Long ) value ) . intValue ( ) ; } method . invoke ( optionsBuilder , value ) ; return ; } catch ( Throwable x ) { if ( x instanceof InvocationTargetException ) x = x . getCause ( ) ; IllegalArgumentException failure = ignoreWarnOrFail ( x , IllegalArgumentException . class , "CWKKD0010.prop.error" , propName , MONGO , id , x ) ; if ( failure != null ) { FFDCFilter . processException ( failure , getClass ( ) . getName ( ) , "394" , this , new Object [ ] { value == null ? null : value . getClass ( ) , value } ) ; throw failure ; } } } | Configure a mongo option . |
39,728 | @ FFDCIgnore ( Throwable . class ) private void setReadPreference ( Class < ? > MongoClientOptions_Builder , Object optionsBuilder , String creatorMethod ) throws ClassNotFoundException , IllegalArgumentException , SecurityException , IllegalAccessException , InvocationTargetException , NoSuchMethodException { try { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , READ_PREFERENCE + '=' + creatorMethod ) ; Class < ? > ReadPreference = MongoClientOptions_Builder . getClassLoader ( ) . loadClass ( "com.mongodb.ReadPreference" ) ; Object readPreference = ReadPreference . getMethod ( creatorMethod ) . invoke ( ReadPreference ) ; MongoClientOptions_Builder . getMethod ( "readPreference" , ReadPreference ) . invoke ( optionsBuilder , readPreference ) ; } catch ( Throwable x ) { if ( x instanceof InvocationTargetException ) x = x . getCause ( ) ; IllegalArgumentException failure = ignoreWarnOrFail ( x , IllegalArgumentException . class , "CWKKD0010.prop.error" , READ_PREFERENCE , MONGO , id , x ) ; if ( failure != null ) { FFDCFilter . processException ( failure , getClass ( ) . getName ( ) , "422" , this ) ; throw failure ; } } } | Configure the readPreference mongo option which is a special case . |
39,729 | @ FFDCIgnore ( Throwable . class ) private void setWriteConcern ( Class < ? > MongoClientOptions_Builder , Object optionsBuilder , String fieldName ) throws ClassNotFoundException , IllegalArgumentException , SecurityException , IllegalAccessException , InvocationTargetException , NoSuchMethodException { try { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , WRITE_CONCERN + '=' + fieldName ) ; Class < ? > WriteConcern = MongoClientOptions_Builder . getClassLoader ( ) . loadClass ( "com.mongodb.WriteConcern" ) ; Object writeConcern = WriteConcern . getField ( fieldName ) . get ( null ) ; MongoClientOptions_Builder . getMethod ( "writeConcern" , WriteConcern ) . invoke ( optionsBuilder , writeConcern ) ; } catch ( Throwable x ) { if ( x instanceof InvocationTargetException ) x = x . getCause ( ) ; IllegalArgumentException failure = ignoreWarnOrFail ( x , IllegalArgumentException . class , "CWKKD0010.prop.error" , WRITE_CONCERN , MONGO , id , x ) ; if ( failure != null ) { FFDCFilter . processException ( failure , getClass ( ) . getName ( ) , "422" , this ) ; throw failure ; } } } | Configure the writeConcern mongo option which is a special case . |
39,730 | protected void setSsl ( ServiceReference < Object > reference ) { sslConfigurationRef . setReference ( reference ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "sslRef set to " + reference . getProperty ( CONFIG_DISPLAY_ID ) ) ; } } | Declarative Services method for setting the SSL Support service reference |
39,731 | protected void unsetSsl ( ServiceReference < Object > reference ) { sslConfigurationRef . unsetReference ( reference ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "sslRef unset" ) ; } } | Declarative Services method for unsetting the SSL Support service reference |
39,732 | private void assertValidSSLConfig ( ) { final boolean trace = TraceComponent . isAnyTracingEnabled ( ) ; boolean sslEnabled = ( ( ( Boolean ) props . get ( SSL_ENABLED ) ) == null ) ? false : ( Boolean ) props . get ( SSL_ENABLED ) ; boolean sslRefExists = ( ( props . get ( SSL_REF ) ) == null ) ? false : true ; if ( sslRefExists && ! sslEnabled ) { if ( trace && tc . isDebugEnabled ( ) ) { Tr . error ( tc , "CWKKD0024.ssl.sslref.no.ssl" , MONGO , id ) ; } throw new RuntimeException ( Tr . formatMessage ( tc , "CWKKD0024.ssl.sslref.no.ssl" , MONGO , id ) ) ; } if ( sslEnabled ) { if ( sslHelper == null ) { throw new RuntimeException ( Tr . formatMessage ( tc , "CWKKD0015.ssl.feature.missing" , MONGO , id ) ) ; } if ( useCertAuth ) { if ( ! sslEnabled ) { throw new RuntimeException ( Tr . formatMessage ( tc , "CWKKD0019.ssl.certificate.no.ssl" , MONGO , id ) ) ; } if ( props . get ( USER ) != null || props . get ( PASSWORD ) != null ) { throw new RuntimeException ( Tr . formatMessage ( tc , "CWKKD0018.ssl.user.pswd.certificate" , MONGO , id ) ) ; } } } } | Validate combination of security parameters for certificate authentication . If useCertificateAuthentication is specified SSL must be enabled an ssslRef must be specified and user and password should not be specified . |
39,733 | public String getReferrerURLFromCookies ( HttpServletRequest req , String cookieName ) { Cookie [ ] cookies = req . getCookies ( ) ; String referrerURL = CookieHelper . getCookieValue ( cookies , cookieName ) ; if ( referrerURL != null ) { StringBuffer URL = req . getRequestURL ( ) ; referrerURL = decodeURL ( referrerURL ) ; referrerURL = restoreHostNameToURL ( referrerURL , URL . toString ( ) ) ; } return referrerURL ; } | Retrieve the referrer URL from the HttpServletRequest s cookies . This will decode the URL and restore the host name if it was removed . |
39,734 | public void clearReferrerURLCookie ( HttpServletRequest req , HttpServletResponse res , String cookieName ) { String url = CookieHelper . getCookieValue ( req . getCookies ( ) , cookieName ) ; if ( url != null && url . length ( ) > 0 ) { invalidateReferrerURLCookie ( req , res , cookieName ) ; } } | Removes the referrer URL cookie from the HttpServletResponse if set in the HttpServletRequest . |
39,735 | public void setReferrerURLCookie ( HttpServletRequest req , AuthenticationResult authResult , String url ) { if ( url . contains ( "/favicon.ico" ) && CookieHelper . getCookieValue ( req . getCookies ( ) , REFERRER_URL_COOKIENAME ) != null ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Will not update the WASReqURL cookie" ) ; } else { if ( ! webAppSecConfig . getPreserveFullyQualifiedReferrerUrl ( ) ) { url = removeHostNameFromURL ( url ) ; } url = encodeURL ( url ) ; authResult . setCookie ( createReferrerUrlCookie ( req , url ) ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "set " + REFERRER_URL_COOKIENAME + " cookie into AuthenticationResult." ) ; Tr . debug ( tc , "setReferrerURLCookie" , "Referrer URL cookie set " + url ) ; } } } | Sets the referrer URL cookie into the AuthenticationResult . If PRESERVE_FULLY_QUALIFIED_REFERRER_URL is not set or set to false then the host name of the referrer URL is removed . |
39,736 | @ FFDCIgnore ( Exception . class ) private boolean checkDataSource ( DataSource nonTranDataSource ) { boolean fullyFormedDS = false ; try { nonTranDataSource = ( DataSource ) _dataSourceFactory . createResource ( null ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Non Tran dataSource is " + nonTranDataSource ) ; Connection conn = nonTranDataSource . getConnection ( ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Established connection " + conn ) ; DatabaseMetaData mdata = conn . getMetaData ( ) ; String dbName = mdata . getDatabaseProductName ( ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Database name " + dbName ) ; String dbVersion = mdata . getDatabaseProductVersion ( ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Database version " + dbVersion ) ; fullyFormedDS = true ; } catch ( Exception e ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Caught exception: " + e ) ; } return fullyFormedDS ; } | See whether it is possible to get a connection and metatdata from a DataSOurce . |
39,737 | public void bytes ( Object source , Class sourceClass , byte [ ] data ) { internalBytes ( source , sourceClass , data , 0 , 0 ) ; } | Byte data trace . |
39,738 | public final void entry ( Class sourceClass , String methodName ) { internalEntry ( null , sourceClass , methodName , null ) ; } | Method entry tracing for static classes . |
39,739 | public final void exit ( Class sourceClass , String methodName ) { internalExit ( null , sourceClass , methodName , null ) ; } | Method exit tracing for static methods . |
39,740 | private final void internalExit ( Object source , Class sourceClass , String methodName , Object object ) { StringBuffer stringBuffer = new StringBuffer ( ) ; stringBuffer . append ( methodName ) ; stringBuffer . append ( " [" ) ; if ( source != null ) { stringBuffer . append ( source ) ; } else { stringBuffer . append ( "Static" ) ; } stringBuffer . append ( "]" ) ; if ( object != null ) { SibTr . exit ( traceComponent , stringBuffer . toString ( ) , object ) ; } else { SibTr . exit ( traceComponent , stringBuffer . toString ( ) ) ; } if ( usePrintWriterForTrace ) { java . io . PrintWriter printWriter = traceFactory . getPrintWriter ( ) ; if ( printWriter != null ) { printWriter . print ( new java . util . Date ( ) + " < " ) ; printWriter . print ( sourceClass . getName ( ) ) ; printWriter . print ( "." ) ; printWriter . println ( stringBuffer . toString ( ) ) ; if ( object != null ) { if ( object instanceof Object [ ] ) { Object [ ] objects = ( Object [ ] ) object ; for ( int i = 0 ; i < objects . length ; i ++ ) { printWriter . println ( "\t\t" + objects [ i ] ) ; } } else { printWriter . println ( "\t\t" + object ) ; } } printWriter . flush ( ) ; } } } | Internal implementation of method exit tracing . |
39,741 | public final void event ( Class sourceClass , String methodName , Throwable throwable ) { internalEvent ( null , sourceClass , methodName , throwable ) ; } | Event tracing when a throwable is caught in a static class . |
39,742 | public final void event ( Object source , Class sourceClass , String methodName , Throwable throwable ) { internalEvent ( source , sourceClass , methodName , throwable ) ; } | Event tracing . |
39,743 | private final void internalEvent ( Object source , Class sourceClass , String methodName , Throwable throwable ) { StringBuffer stringBuffer = new StringBuffer ( ) ; stringBuffer . append ( methodName ) ; stringBuffer . append ( " [" ) ; if ( source != null ) { stringBuffer . append ( source ) ; } else { stringBuffer . append ( "Static" ) ; } stringBuffer . append ( "]" ) ; if ( throwable != null ) { SibTr . event ( traceComponent , stringBuffer . toString ( ) , new Object [ ] { "Exception caught: " , throwable } ) ; } else { SibTr . event ( traceComponent , stringBuffer . toString ( ) ) ; } if ( usePrintWriterForTrace ) { java . io . PrintWriter printWriter = traceFactory . getPrintWriter ( ) ; if ( printWriter != null ) { printWriter . print ( new java . util . Date ( ) + " E " ) ; printWriter . print ( sourceClass . getName ( ) ) ; printWriter . print ( "." ) ; printWriter . println ( stringBuffer . toString ( ) ) ; if ( throwable != null ) { throwable . printStackTrace ( printWriter ) ; } printWriter . flush ( ) ; } } } | Internal implementation of event tracing . |
39,744 | public final void info ( Class sourceClass , String methodName , String messageIdentifier , Object object ) { internalInfo ( null , sourceClass , methodName , messageIdentifier , object ) ; } | Method information tracing for static objects . |
39,745 | public final void warning ( Class sourceClass , String methodName , String messageIdentifier , Object object ) { internalWarning ( null , sourceClass , methodName , messageIdentifier , object ) ; } | Method warning tracing for static objects . |
39,746 | public void overrideCacheConfig ( Properties properties ) { if ( properties != null ) { FieldInitializer . initFromSystemProperties ( this , properties ) ; } processOffloadDirectory ( ) ; if ( ! this . enableServletSupport ) { this . disableTemplatesSupport = true ; } } | used by com . ibm . ws . cache . spi . DistributedMapFactory |
39,747 | public void determineCacheProvider ( ) { this . defaultProvider = true ; if ( cacheProviderName . equals ( "" ) ) { cacheProviderName = CacheConfig . CACHE_PROVIDER_DYNACACHE ; } if ( ! cacheProviderName . equals ( CACHE_PROVIDER_DYNACACHE ) ) { defaultProvider = false ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Alternate CacheProvider " + cacheProviderName + " set for " + cacheName ) ; } } } | Determines if default cache provider is being used and sets flag accordingly . |
39,748 | public void resetProvider ( String cacheName ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Reverting to the default Dynacache cache provider" ) ; } this . cacheProviderName = CACHE_PROVIDER_DYNACACHE ; this . enableCacheReplication = false ; this . defaultProvider = true ; this . cacheName = cacheName ; } | only called when the alternate cache provider could not create the cache .. we need to then revert to the default |
39,749 | void restoreDynacacheProviderDefaults ( ) { if ( restoreDynacacheDefaults ) { if ( cacheProviderName != CacheConfig . CACHE_PROVIDER_DYNACACHE ) { cacheProviderName = CacheConfig . CACHE_PROVIDER_DYNACACHE ; enableCacheReplication = false ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "OVERRIDING Object Grid default for " + cacheName ) ; } } } } | This method reverts the common configuration template for all cache instances to use Dynaache defaults . This method only comes into play when ObjectGrid is configured as the cache provider for the default cache . |
39,750 | public String pluginId ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "pluginId" , this ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "pluginId" , _pluginId ) ; return _pluginId ; } | Returns the pluginId associated with this type of log |
39,751 | public Properties properties ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "propertis" , this ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "properties" , _props ) ; return _props ; } | Returns the set of properties associated with this log implementation |
39,752 | public ResourceFactory resourceFactory ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "resourceFactory" , this ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "resourceFactory" , _resourceFactory ) ; return _resourceFactory ; } | Returns the Resource Factory associated with this log implementation |
39,753 | protected void loadCipherToBit ( ) { boolean keySizeFromCipherMap = Boolean . valueOf ( WebContainer . getWebContainerProperties ( ) . getProperty ( "com.ibm.ws.webcontainer.keysizefromciphermap" , "true" ) ) . booleanValue ( ) ; if ( keySizeFromCipherMap ) { this . getKeySizefromCipherMap ( "toLoad" ) ; } else { Properties cipherToBitProps = new Properties ( ) ; try { String fileName = System . getProperty ( "server.root" ) + File . separator + "properties" + File . separator + "sslbitsizes.properties" ; cipherToBitProps . load ( new FileInputStream ( fileName ) ) ; } catch ( Exception ex ) { logger . logp ( Level . SEVERE , CLASS_NAME , "loadCipherToBit" , "failed.to.load.sslbitsizes.properties " , ex ) ; com . ibm . wsspi . webcontainer . util . FFDCWrapper . processException ( ex , CLASS_NAME + ".loadCipherToBit" , "825" , this ) ; } _cipherToBit . putAll ( cipherToBitProps ) ; } } | 112102 - added method below to fill the cipher to bit size table |
39,754 | public VirtualHost getVirtualHost ( String targetHost ) throws WebAppHostNotFoundException { Iterator i = requestMapper . targetMappings ( ) ; while ( i . hasNext ( ) ) { RequestProcessor rp = ( RequestProcessor ) i . next ( ) ; if ( rp instanceof VirtualHost ) { VirtualHost vHost = ( VirtualHost ) rp ; if ( targetHost . equalsIgnoreCase ( vHost . getName ( ) ) ) return vHost ; } } return null ; } | Method getVirtualHost . Returns null if the input name does not match any configured host . |
39,755 | private PathInfoHelper removeExtraPathInfo ( String pathInfo ) { if ( pathInfo == null ) return null ; int semicolon = pathInfo . indexOf ( ';' ) ; if ( semicolon != - 1 ) { String tmpPathInfo = pathInfo . substring ( 0 , semicolon ) ; String extraPathInfo = pathInfo . substring ( semicolon ) ; return new PathInfoHelper ( tmpPathInfo , extraPathInfo ) ; } return new PathInfoHelper ( pathInfo , null ) ; } | begin 272738 Duplicate CacheServletWrappers when url - rewriting is enabled WAS . webcontainer |
39,756 | public static void sendAppUnavailableException ( HttpServletRequest req , HttpServletResponse res ) throws IOException { if ( ( req instanceof SRTServletRequest ) && ( res instanceof SRTServletResponse ) ) { IRequest ireq = ( ( SRTServletRequest ) req ) . getIRequest ( ) ; IResponse ires = ( ( SRTServletResponse ) res ) . getIResponse ( ) ; sendUnavailableException ( ireq , ires ) ; } } | and throw a NPE because we couldn t get the application s configuration |
39,757 | protected static void sendUnavailableException ( IRequest req , IResponse res ) throws IOException { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "sendUnavailableException" , "Inside sendUnavailableException" ) ; res . addHeader ( "Content-Type" , "text/html" ) ; res . setStatusCode ( 503 ) ; String formattedMessage = nls . getFormattedMessage ( "Servlet.has.become.temporarily.unavailable.for.service:.{0}" , new Object [ ] { truncateURI ( req . getRequestURI ( ) ) } , "Servlet has become temporarily unavailable for service" ) ; String output = "<H1>" + formattedMessage + "</H1><BR>" ; byte [ ] outBytes = output . getBytes ( ) ; res . getOutputStream ( ) . write ( outBytes , 0 , outBytes . length ) ; logger . logp ( Level . SEVERE , CLASS_NAME , "sendUnavailableException" , formattedMessage ) ; } | 582053 change it to protected from private |
39,758 | public void MPJwtNoMpJwtConfig_notInWebXML_notInApp ( ) throws Exception { genericLoginConfigVariationTest ( MpJwtFatConstants . LOGINCONFIG_NOT_IN_WEB_XML_SERVLET_NOT_IN_APP_ROOT_CONTEXT , MpJwtFatConstants . LOGINCONFIG_NOT_IN_WEB_XML_SERVLET_NOT_IN_APP , MpJwtFatConstants . MPJWT_APP_CLASS_NO_LOGIN_CONFIG , ExpectedResult . BAD ) ; } | login - config does NOT exist in web . xml login - config does NOT exist in the app the mpJwt feature is NOT enabled We should receive a 401 status in an exception |
39,759 | public void MPJwtNoMpJwtConfig_notInWebXML_basicInApp ( ) throws Exception { genericLoginConfigVariationTest ( MpJwtFatConstants . LOGINCONFIG_NOT_IN_WEB_XML_SERVLET_BASIC_IN_APP_ROOT_CONTEXT , MpJwtFatConstants . LOGINCONFIG_NOT_IN_WEB_XML_SERVLET_BASIC_IN_APP , MpJwtFatConstants . MPJWT_APP_CLASS_LOGIN_CONFIG_BASIC , ExpectedResult . BAD ) ; } | login - config does NOT exist in web . xml login - config does exist in the app but is set to BASIC the mpJwt feature is NOT enabled We should receive a 401 status in an exception |
39,760 | public void MPJwtNoMpJwtConfig_formLoginInWebXML_notInApp ( ) throws Exception { genericLoginConfigFormLoginVariationTest ( MpJwtFatConstants . LOGINCONFIG_FORM_LOGIN_IN_WEB_XML_SERVLET_NOT_IN_APP_ROOT_CONTEXT , MpJwtFatConstants . LOGINCONFIG_FORM_LOGIN_IN_WEB_XML_SERVLET_NOT_IN_APP , MpJwtFatConstants . MPJWT_APP_CLASS_LOGIN_CONFIG_FORMLOGININWEBXML_NOTINAPP , UseJWTToken . NO ) ; } | login - config does exist in web . xml but is set to FORM_LOGIN login - config does NOT exist in the app the mpJwt feature is NOT enabled We should use FORM_LOGIN |
39,761 | public void MPJwtNoMpJwtConfig_formLoginInWebXML_basicInApp ( ) throws Exception { genericLoginConfigFormLoginVariationTest ( MpJwtFatConstants . LOGINCONFIG_FORM_LOGIN_IN_WEB_XML_SERVLET_BASIC_IN_APP_ROOT_CONTEXT , MpJwtFatConstants . LOGINCONFIG_FORM_LOGIN_IN_WEB_XML_SERVLET_BASIC_IN_APP , MpJwtFatConstants . MPJWT_APP_CLASS_LOGIN_CONFIG_FORMLOGININWEBXML_BASICINAPP , UseJWTToken . NO ) ; } | login - config does exist in web . xml but is set to FORM_LOGIN login - config does NOT exist in the app but is set to BASIC the mpJwt feature is NOT enabled We should use FORM_LOGIN |
39,762 | public void MPJwtNoMpJwtConfig_formLoginInWebXML_mpJwtInApp ( ) throws Exception { genericLoginConfigFormLoginVariationTest ( MpJwtFatConstants . LOGINCONFIG_FORM_LOGIN_IN_WEB_XML_SERVLET_MP_JWT_IN_APP_ROOT_CONTEXT , MpJwtFatConstants . LOGINCONFIG_FORM_LOGIN_IN_WEB_XML_SERVLET_MP_JWT_IN_APP , MpJwtFatConstants . MPJWT_APP_CLASS_LOGIN_CONFIG_FORMLOGININWEBXML_MPJWTINAPP , UseJWTToken . NO ) ; } | login - config does exist in web . xml but is set to FORM_LOGIN login - config does exist in the app and is set to MP - JWT the mpJwt feature is NOT enabled We should use FORM_LOGIN |
39,763 | public void MPJwtNoMpJwtConfig_mpJwtInWebXML_notInApp ( ) throws Exception { genericLoginConfigVariationTest ( MpJwtFatConstants . LOGINCONFIG_MP_JWT_IN_WEB_XML_SERVLET_NOT_IN_APP_ROOT_CONTEXT , MpJwtFatConstants . LOGINCONFIG_MP_JWT_IN_WEB_XML_SERVLET_NOT_IN_APP , MpJwtFatConstants . MPJWT_APP_CLASS_LOGIN_CONFIG_MPJWTINWEBXML_NOTINAPP , ExpectedResult . BAD ) ; } | login - config does exist in web . xml and is set to MP - JWT login - config does NOT exist in the app the mpJwt feature is NOT enabled We should receive a 401 status in an exception |
39,764 | public void MPJwtNoMpJwtConfig_mpJwtInWebXML_basicInApp ( ) throws Exception { genericLoginConfigVariationTest ( MpJwtFatConstants . LOGINCONFIG_MP_JWT_IN_WEB_XML_SERVLET_BASIC_IN_APP_ROOT_CONTEXT , MpJwtFatConstants . LOGINCONFIG_MP_JWT_IN_WEB_XML_SERVLET_BASIC_IN_APP , MpJwtFatConstants . MPJWT_APP_CLASS_LOGIN_CONFIG_MPJWTINWEBXML_BASICINAPP , ExpectedResult . BAD ) ; } | login - config does exist in web . xml and is set to MP - JWT login - config does exist in the app but is set to BASIC the mpJwt feature is NOT enabled We should receive a 401 status in an exception |
39,765 | @ Mode ( TestMode . LITE ) public void MPJwtNoMpJwtConfig_mpJwtInWebXML_mpJwtInApp ( ) throws Exception { genericLoginConfigVariationTest ( MpJwtFatConstants . LOGINCONFIG_MP_JWT_IN_WEB_XML_SERVLET_MP_JWT_IN_APP_ROOT_CONTEXT , MpJwtFatConstants . LOGINCONFIG_MP_JWT_IN_WEB_XML_SERVLET_MP_JWT_IN_APP , MpJwtFatConstants . MPJWT_APP_CLASS_LOGIN_CONFIG_MPJWTINWEBXML_MPJWTINAPP , ExpectedResult . BAD ) ; } | login - config does exist in web . xml and is set to MP - JWT login - config does exist in the app and is set to MP - JWT the mpJwt feature is NOT enabled We should receive a 401 status in an exception |
39,766 | public void setTopicName ( String tName ) throws JMSException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setTopicName" , tName ) ; setDestDiscrim ( tName ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setTopicName" ) ; } | Set the topicName . |
39,767 | public String getTopicSpace ( ) throws JMSException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getTopicSpace" ) ; String result = getDestName ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getTopicSpace" , result ) ; return result ; } | Get the topicSpace . |
39,768 | public void setTopicSpace ( String tSpace ) throws JMSException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setTopicSpace" , tSpace ) ; setDestName ( tSpace ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setTopicSpace" ) ; } | Set the topicSpace |
39,769 | public static void initialise ( AcceptListenerFactory _acceptListenerFactory ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "initalise" ) ; acceptListenerFactory = _acceptListenerFactory ; Framework framework = Framework . getInstance ( ) ; if ( framework == null ) { state = State . INITIALISATION_FAILED ; } else { state = State . INITIALISED ; connectionTracker = new OutboundConnectionTracker ( framework ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "initalise" ) ; } | Initialises the server connection manager by getting hold of the framework . |
39,770 | public static void initialiseAcceptListenerFactory ( AcceptListenerFactory _acceptListenerFactory ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "initialiseAcceptListenerFactory" , _acceptListenerFactory ) ; acceptListenerFactory = _acceptListenerFactory ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "initialiseAcceptListenerFactory" ) ; } | Set the AcceptListenerFactory . |
39,771 | public List getActiveOutboundMEtoMEConversations ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getActiveOutboundMEtoMEConversations" ) ; List convs = null ; if ( connectionTracker != null ) { convs = connectionTracker . getAllOutboundConversations ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getActiveOutboundMEtoMEConversations" , convs ) ; return convs ; } | Obtains a list of active outbound ME to ME conversations in this JVM . |
39,772 | public void open ( ) throws InfoStoreException { String methodName = "open" ; try { getClassSource ( ) . open ( ) ; } catch ( ClassSource_Exception e ) { String eMsg = "[ " + getHashText ( ) + " ] Failed to open class source " ; throw InfoStoreException . wrap ( tc , CLASS_NAME , methodName , eMsg , e ) ; } } | Open the InfoStore for processing . Primarily this will open the ClassSources attached to this InfoStore which will then allow classes to be accessed . |
39,773 | public void scanClass ( String className ) throws InfoStoreException { Object [ ] logParms ; if ( tc . isDebugEnabled ( ) ) { logParms = new Object [ ] { getHashText ( ) , className } ; Tr . debug ( tc , MessageFormat . format ( "[ {0} ] Class [ {1} ] ENTER" , logParms ) ) ; } else { logParms = null ; } ClassInfoImpl classInfo = getNonDelayedClassInfo ( className ) ; if ( classInfo != null ) { if ( logParms != null ) { Tr . debug ( tc , MessageFormat . format ( "[ {0} ] Class [ {1} ] RETURN Already loaded" , logParms ) ) ; } return ; } scanNewClass ( className ) ; if ( logParms != null ) { Tr . debug ( tc , MessageFormat . format ( "[ {0} ] Class [ {1} ] RETURN New load" , logParms ) ) ; } } | Visitor helpers ... |
39,774 | public PackageInfoImpl getPackageInfo ( String name ) { return getClassInfoCache ( ) . getPackageInfo ( name , ClassInfoCache . DO_NOT_FORCE_PACKAGE ) ; } | a package info even if an error occurrs . |
39,775 | private void updateBindings ( Map < String , Object > props ) { processProps ( props , CFG_KEY_USER , users ) ; processProps ( props , CFG_KEY_USER_ACCESSID , users ) ; processProps ( props , CFG_KEY_GROUP , groups ) ; processProps ( props , CFG_KEY_GROUP_ACCESSID , groups ) ; } | Update the binding sets based on the properties from the configuration . |
39,776 | public void cancel ( Exception reason ) { if ( this . channel == null ) { return ; } synchronized ( this . completedSemaphore ) { if ( ! this . completed ) { try { this . channel . cancel ( this , reason ) ; } catch ( Exception e ) { } } else { if ( this . channel . readFuture != null ) { this . channel . readFuture . setCancelInProgress ( 0 ) ; } if ( this . channel . writeFuture != null ) { this . channel . writeFuture . setCancelInProgress ( 0 ) ; } } } } | Attempts to cancel the operation represented by the AsyncFuture . Cancellation will not succeed if the operation is already complete . |
39,777 | protected void fireCompletionActions ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "fireCompletionActions" ) ; } if ( this . firstListener != null ) { ICompletionListener listenerToInvoke = this . firstListener ; this . firstListener = null ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "invoking callback for channel id: " + this . channel . channelIdentifier ) ; } invokeCallback ( listenerToInvoke , this , this . firstListenerState ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "no listener found for event, future: " + this ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "fireCompletionActions" ) ; } } | Impl Assumes we are holding the completed sem lock |
39,778 | protected void throwException ( ) throws InterruptedException , IOException { if ( this . exception instanceof IOException ) { throw ( IOException ) this . exception ; } if ( this . exception instanceof InterruptedException ) { throw ( InterruptedException ) this . exception ; } if ( this . exception instanceof RuntimeException ) { throw ( RuntimeException ) this . exception ; } throw new RuntimeException ( this . exception ) ; } | Throws the receiver s exception in its correct class . |
39,779 | private void internalBytes ( Object source , Class sourceClass , byte [ ] data , int start , int count ) { StringBuffer stringBuffer = new StringBuffer ( ) ; stringBuffer . append ( sourceClass . getName ( ) ) ; stringBuffer . append ( " [" ) ; if ( source != null ) { stringBuffer . append ( source ) ; } else { stringBuffer . append ( "Static" ) ; } stringBuffer . append ( "]" ) ; stringBuffer . append ( ls ) ; if ( data != null ) { if ( count > 0 ) { stringBuffer . append ( formatBytes ( data , start , count , true ) ) ; } else { stringBuffer . append ( formatBytes ( data , start , data . length , true ) ) ; } } else { stringBuffer . append ( "data is null" ) ; } Tr . debug ( traceComponent , stringBuffer . toString ( ) ) ; if ( usePrintWriterForTrace ) { if ( printWriter != null ) { printWriter . print ( new java . util . Date ( ) + " B " ) ; printWriter . println ( stringBuffer . toString ( ) ) ; printWriter . flush ( ) ; } } } | Internal implementation of byte data trace . |
39,780 | public AppConfigurationEntry createAppConfigurationEntry ( JAASLoginModuleConfig loginModule , String loginContextEntryName ) { String loginModuleClassName = loginModule . getClassName ( ) ; LoginModuleControlFlag controlFlag = loginModule . getControlFlag ( ) ; Map < String , Object > options = new HashMap < String , Object > ( ) ; options . putAll ( loginModule . getOptions ( ) ) ; if ( JaasLoginConfigConstants . APPLICATION_WSLOGIN . equals ( loginContextEntryName ) ) { options . put ( WAS_IGNORE_CLIENT_CONTAINER_DD , true ) ; } else { options . put ( WAS_IGNORE_CLIENT_CONTAINER_DD , false ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "loginModuleClassName: " + loginModuleClassName + " options: " + options . toString ( ) + " controlFlag: " + controlFlag . toString ( ) ) ; } AppConfigurationEntry loginModuleEntry = new AppConfigurationEntry ( loginModuleClassName , controlFlag , options ) ; return loginModuleEntry ; } | Create an AppConfigurationEntry object for the given JAAS login module |
39,781 | public List < AnnotationInfoImpl > getAnnotations ( ) { if ( annotations != null ) { return annotations ; } ClassInfoImpl useSuperClass = getSuperclass ( ) ; if ( useSuperClass == null ) { annotations = declaredAnnotations ; return annotations ; } List < AnnotationInfoImpl > superAnnos = useSuperClass . getAnnotations ( ) ; if ( superAnnos . isEmpty ( ) ) { annotations = declaredAnnotations ; return annotations ; } Map < String , AnnotationInfoImpl > allAnnotations = new HashMap < String , AnnotationInfoImpl > ( superAnnos . size ( ) + declaredAnnotations . size ( ) , 1.0f ) ; boolean sawInherited = false ; for ( AnnotationInfoImpl superAnno : superAnnos ) { if ( sawInherited = superAnno . isInherited ( ) ) { allAnnotations . put ( superAnno . getAnnotationClassName ( ) , superAnno ) ; } } if ( ! sawInherited ) { annotations = declaredAnnotations ; return annotations ; } for ( AnnotationInfoImpl declaredAnno : declaredAnnotations ) { AnnotationInfoImpl overwrittenAnno = allAnnotations . put ( declaredAnno . getAnnotationClassName ( ) , declaredAnno ) ; if ( overwrittenAnno != null ) { } } annotations = new ArrayList < AnnotationInfoImpl > ( allAnnotations . values ( ) ) ; return annotations ; } | declared + inherited |
39,782 | private void checkNotClosed ( ) throws SISessionUnavailableException { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "checkNotClosed" ) ; _consumerSession . checkNotClosed ( ) ; synchronized ( this ) { if ( _closed ) { SISessionUnavailableException e = new SISessionUnavailableException ( nls . getFormattedMessage ( "CONSUMER_CLOSED_ERROR_CWSIP0177" , new Object [ ] { _localConsumerPoint . getConsumerManager ( ) . getDestination ( ) . getName ( ) , _localConsumerPoint . getConsumerManager ( ) . getMessageProcessor ( ) . getMessagingEngineName ( ) } , null ) ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "checkNotClosed" , "consumer closed" ) ; throw e ; } } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "checkNotClosed" ) ; } | First check is to make sure that the original Consumer hasn t been closed . Then check that this bifurcated consumer session is not closed . |
39,783 | public Map < Object , Object > getSwappableData ( ) { if ( mSwappableData == null ) { mSwappableData = new ConcurrentHashMap < Object , Object > ( ) ; if ( isNew ( ) ) { populatedAppData = true ; } } return mSwappableData ; } | This method is copied from DatabaseSession . getSwappableData . |
39,784 | public boolean getSwappableListeners ( short requestedListener ) { short thisListenerFlag = getListenerFlag ( ) ; boolean rc = false ; if ( thisListenerFlag == requestedListener || thisListenerFlag == HTTP_SESSION_BINDING_AND_ACTIVATION_LISTENER ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "loading data because we have listener match for " + requestedListener ) ; rc = true ; if ( ! populatedAppData ) { try { getSessions ( ) . getIStore ( ) . setThreadContext ( ) ; getMultiRowAppData ( ) ; } finally { getSessions ( ) . getIStore ( ) . unsetThreadContext ( ) ; } } } return rc ; } | Copied from DatabaseSession . getSwappableListeners . Get the swappable listeners Called to load session attributes if the session contains Activation or Binding listeners Note we always load ALL attributes here since we can t tell which are listeners until they are loaded . |
39,785 | public boolean enlistResource ( XAResource xaRes ) throws RollbackException , SystemException , IllegalStateException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "enlistResource" , xaRes ) ; if ( _disableTwoPhase && ( _resourceObjects . size ( ) > 0 ) ) { final String msg = "Unable to enlist a second resource within the transaction. Two phase support is disabled " + "as the recovery log was not available at transaction start" ; final IllegalStateException ise = new IllegalStateException ( msg ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "enlistResource (SPI)" , ise ) ; throw ise ; } OnePhaseResourceImpl jtaRes = new OnePhaseResourceImpl ( ( OnePhaseXAResource ) xaRes , _txServiceXid ) ; boolean register = true ; if ( _onePhaseResourceEnlisted != null ) { if ( _onePhaseResourceEnlisted . equals ( jtaRes ) ) { register = false ; jtaRes = _onePhaseResourceEnlisted ; } else { Tr . error ( tc , "WTRN0062_ILLEGAL_ENLIST_FOR_MULTIPLE_1PC_RESOURCES" ) ; final String msg = "Illegal attempt to enlist multiple 1PC XAResources" ; final IllegalStateException ise = new IllegalStateException ( msg ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "enlistResource (SPI)" , ise ) ; throw ise ; } } try { this . startRes ( jtaRes ) ; if ( register ) { jtaRes . setResourceStatus ( StatefulResource . REGISTERED ) ; _resourceObjects . add ( 0 , jtaRes ) ; checkLPSEnablement ( ) ; if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "(SPI) RESOURCE registered with Transaction. TX: " + _transaction . getLocalTID ( ) + ", Resource: " + jtaRes ) ; _onePhaseResourceEnlisted = jtaRes ; } } catch ( RollbackException rbe ) { FFDCFilter . processException ( rbe , "com.ibm.tx.jta.impl.RegisteredResources.enlistResource" , "480" , this ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "enlistResource" , rbe ) ; throw rbe ; } catch ( SystemException se ) { FFDCFilter . processException ( se , "com.ibm.tx.jta.impl.RegisteredResources.enlistResource" , "487" , this ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "enlistResource" , se ) ; throw se ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "enlistResource" , Boolean . TRUE ) ; return true ; } | Attempts to add a one - Phase XA Resource to this unit of work . |
39,786 | protected boolean delistResource ( XAResource xaRes , int flag ) throws SystemException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "delistResource" , new Object [ ] { xaRes , Util . printFlag ( flag ) } ) ; JTAResourceBase jtaRes = ( JTAResourceBase ) getResourceTable ( ) . get ( xaRes ) ; if ( jtaRes == null && _onePhaseResourceEnlisted != null ) { if ( _onePhaseResourceEnlisted . XAResource ( ) . equals ( xaRes ) ) jtaRes = _onePhaseResourceEnlisted ; } if ( jtaRes == null ) { Tr . error ( tc , "WTRN0065_XARESOURCE_NOT_KNOWN" , xaRes ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "delistResource" , Boolean . FALSE ) ; return false ; } try { jtaRes . end ( flag ) ; } catch ( XAException xae ) { _errorCode = xae . errorCode ; FFDCFilter . processException ( xae , "com.ibm.tx.jta.impl.RegisteredResources.delistResource" , "711" , this ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "XAException: error code " + XAReturnCodeHelper . convertXACode ( _errorCode ) , xae ) ; Throwable toThrow = null ; if ( _errorCode >= XAException . XA_RBBASE && _errorCode <= XAException . XA_RBEND ) { if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "Transaction branch has been marked rollback-only by the RM" ) ; } else if ( _errorCode == XAException . XAER_RMFAIL ) { if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "RM has failed" ) ; jtaRes . setResourceStatus ( StatefulResource . ROLLEDBACK ) ; jtaRes . destroy ( ) ; } else { Tr . error ( tc , "WTRN0079_END_FAILED" , new Object [ ] { XAReturnCodeHelper . convertXACode ( _errorCode ) , xae } ) ; toThrow = new SystemException ( "XAResource end association error:" + XAReturnCodeHelper . convertXACode ( _errorCode ) ) . initCause ( xae ) ; } try { _transaction . setRollbackOnly ( ) ; if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "Transaction marked as rollback only." ) ; } catch ( IllegalStateException e ) { FFDCFilter . processException ( e , "com.ibm.tx.jta.impl.RegisteredResources.delistResource" , "742" , this ) ; toThrow = new SystemException ( e . getLocalizedMessage ( ) ) . initCause ( e ) ; } if ( toThrow != null ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "delistResource" , toThrow ) ; throw ( SystemException ) toThrow ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "delistResource" , Boolean . TRUE ) ; return true ; } | Delist the specified resource from the transaction . |
39,787 | protected Xid generateNewBranch ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "generateNewBranch" ) ; final XidImpl result = new XidImpl ( _txServiceXid , ++ _branchCount ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "generateNewBranch" , result ) ; return result ; } | Generates a new XidImpl to represent a new branch of this transaction . |
39,788 | protected void startRes ( JTAResource resource ) throws RollbackException , SystemException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "startRes" , new Object [ ] { this , resource } ) ; try { resource . start ( ) ; } catch ( XAException xae ) { _errorCode = xae . errorCode ; FFDCFilter . processException ( xae , "com.ibm.tx.jta.impl.RegisteredResources.startRes" , "1053" , this ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "XAException: error code " + XAReturnCodeHelper . convertXACode ( _errorCode ) , xae ) ; final Throwable toThrow ; if ( _errorCode == XAException . XAER_OUTSIDE ) { toThrow = new RollbackException ( "XAResource working outside transaction" ) . initCause ( xae ) ; if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "XAResource is doing work outside of the transaction." , toThrow ) ; throw ( RollbackException ) toThrow ; } else if ( _errorCode >= XAException . XA_RBBASE && _errorCode <= XAException . XA_RBEND ) { if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "Transaction branch has been marked rollback-only by the RM" ) ; try { _transaction . setRollbackOnly ( ) ; } catch ( IllegalStateException e ) { FFDCFilter . processException ( e , "com.ibm.tx.jta.impl.RegisteredResources.startRes" , "1085" , this ) ; if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "Exception caught marking Transaction rollback only" , e ) ; throw ( SystemException ) new SystemException ( e . getLocalizedMessage ( ) ) . initCause ( e ) ; } toThrow = new RollbackException ( "Transaction has been marked as rollback only." ) . initCause ( xae ) ; if ( tc . isEventEnabled ( ) ) Tr . event ( tc , "Marked transaction as rollback only." , toThrow ) ; throw ( RollbackException ) toThrow ; } else { Tr . error ( tc , "WTRN0078_START_FAILED" , new Object [ ] { XAReturnCodeHelper . convertXACode ( _errorCode ) , xae } ) ; throw ( SystemException ) new SystemException ( "XAResource start association error:" + XAReturnCodeHelper . convertXACode ( _errorCode ) ) . initCause ( xae ) ; } } finally { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "startRes" ) ; } } | Starts association of the resource with the current transaction and if required adds a reference to a Resource object to the list in the registered state . |
39,789 | public int numRegistered ( ) { final int result = _resourceObjects . size ( ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "numRegistered" , result ) ; return result ; } | Returns the number of Resources currently in the list . |
39,790 | public boolean distributeEnd ( int flags ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "distributeEnd" , Util . printFlag ( flags ) ) ; boolean result = true ; for ( int i = _resourceObjects . size ( ) ; -- i >= 0 ; ) { final JTAResource resource = _resourceObjects . get ( i ) ; if ( ! sendEnd ( resource , flags ) ) { result = false ; } } if ( _sameRMResource != null ) { if ( ! sendEnd ( _sameRMResource , flags ) ) { result = false ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "distributeEnd" , result ) ; return result ; } | Send end to all registered resources |
39,791 | private void updateHeuristicState ( boolean commit ) throws SystemException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "updateHeuristicState" , commit ) ; if ( _transaction . isSubordinate ( ) ) { final TransactionState ts = _transaction . getTransactionState ( ) ; final int state = ts . getState ( ) ; if ( commit ) { if ( state != TransactionState . STATE_HEURISTIC_ON_COMMIT ) ts . setState ( TransactionState . STATE_HEURISTIC_ON_COMMIT ) ; } else { if ( state != TransactionState . STATE_HEURISTIC_ON_ROLLBACK && state != TransactionState . STATE_ACTIVE ) ts . setState ( TransactionState . STATE_HEURISTIC_ON_ROLLBACK ) ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "updateHeuristicState" ) ; } | Possibly update the heuristic state of the transaction . This is only required if this is a subordinate . If we are a subordinate we need to update the state and log it for recovery . |
39,792 | public boolean distributeForget ( ) throws SystemException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "distributeForget" , this ) ; boolean retryRequired = false ; final int resourceCount = _resourceObjects . size ( ) ; for ( int i = 0 ; i < resourceCount ; i ++ ) { final JTAResource currResource = _resourceObjects . get ( i ) ; switch ( currResource . getResourceStatus ( ) ) { case StatefulResource . HEURISTIC_COMMIT : case StatefulResource . HEURISTIC_ROLLBACK : case StatefulResource . HEURISTIC_MIXED : case StatefulResource . HEURISTIC_HAZARD : if ( forgetResource ( currResource ) ) { retryRequired = true ; _retryRequired = true ; } break ; default : break ; } } if ( _systemException != null ) { final Throwable toThrow = new SystemException ( ) . initCause ( _systemException ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "distributeForget" , toThrow ) ; throw ( SystemException ) toThrow ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "distributeForget" , retryRequired ) ; return retryRequired ; } | Distributes forget messages to all Resources in the appropriate state . Called during retry and mainline . |
39,793 | protected boolean forgetResource ( JTAResource resource ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "forgetResource" , resource ) ; boolean result = false ; boolean auditing = false ; try { boolean informResource = true ; auditing = _transaction . auditSendForget ( resource ) ; if ( xaFlowCallbackEnabled ) { informResource = XAFlowCallbackControl . beforeXAFlow ( XAFlowCallback . FORGET , XAFlowCallback . FORGET_NORMAL ) ; } if ( informResource ) { resource . forget ( ) ; } resource . setResourceStatus ( StatefulResource . COMPLETED ) ; if ( auditing ) _transaction . auditForgetResponse ( XAResource . XA_OK , resource ) ; if ( xaFlowCallbackEnabled ) { XAFlowCallbackControl . afterXAFlow ( XAFlowCallback . FORGET , XAFlowCallback . AFTER_SUCCESS ) ; } } catch ( XAException xae ) { _errorCode = xae . errorCode ; FFDCFilter . processException ( xae , "com.ibm.tx.jta.impl.RegisteredResources.forgetResource" , "2859" , this ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "XAException: error code " + XAReturnCodeHelper . convertXACode ( _errorCode ) , xae ) ; if ( auditing ) _transaction . auditForgetResponse ( _errorCode , resource ) ; if ( xaFlowCallbackEnabled ) { XAFlowCallbackControl . afterXAFlow ( XAFlowCallback . FORGET , XAFlowCallback . AFTER_FAIL ) ; } if ( _errorCode == XAException . XAER_RMERR ) { result = true ; addToFailedResources ( resource ) ; } else if ( _errorCode == XAException . XAER_RMFAIL ) { resource . setState ( JTAResource . FAILED ) ; result = true ; addToFailedResources ( resource ) ; } else if ( _errorCode == XAException . XAER_NOTA ) { resource . setResourceStatus ( StatefulResource . COMPLETED ) ; resource . destroy ( ) ; } else { if ( ! auditing ) Tr . error ( tc , "WTRN0054_XA_FORGET_ERROR" , new Object [ ] { XAReturnCodeHelper . convertXACode ( _errorCode ) , xae } ) ; resource . setResourceStatus ( StatefulResource . COMPLETED ) ; _systemException = xae ; } } catch ( Throwable t ) { FFDCFilter . processException ( t , "com.ibm.tx.jta.impl.RegisteredResources.forgetResource" , "2935" , this ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "RuntimeException" , t ) ; if ( xaFlowCallbackEnabled ) { XAFlowCallbackControl . afterXAFlow ( XAFlowCallback . FORGET , XAFlowCallback . AFTER_FAIL ) ; } result = true ; addToFailedResources ( resource ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "forgetResource" , result ) ; return result ; } | Distribute forget flow to given resource . Used internally when resource indicates a heuristic condition . May result in retries if resource cannot be contacted . |
39,794 | public void distributeCommit ( ) throws SystemException , HeuristicHazardException , HeuristicMixedException , HeuristicRollbackException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "distributeCommit" ) ; final TransactionState ts = _transaction . getTransactionState ( ) ; ts . setCommittingStateUnlogged ( ) ; _retryRequired = sortResources ( ) ; if ( ! _retryRequired ) { _outcome = true ; _retryRequired = distributeOutcome ( ) ; } else { updateHeuristicOutcome ( StatefulResource . HEURISTIC_HAZARD ) ; } if ( _systemException != null ) { final Throwable toThrow = new SystemException ( ) . initCause ( _systemException ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "distributeCommit" , toThrow ) ; throw ( SystemException ) toThrow ; } if ( HeuristicOutcome . isHeuristic ( _heuristicOutcome ) ) { switch ( _heuristicOutcome ) { case StatefulResource . HEURISTIC_COMMIT : break ; case StatefulResource . HEURISTIC_ROLLBACK : if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "distributeCommit" , "HeuristicRollbackException" ) ; throw new HeuristicRollbackException ( ) ; case StatefulResource . HEURISTIC_HAZARD : if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "distributeCommit" , "HeuristicHazardException" ) ; throw new HeuristicHazardException ( ) ; default : if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "distributeCommit" , "HeuristicMixedException" ) ; throw new HeuristicMixedException ( ) ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "distributeCommit" ) ; } | Distributes commit messages to all Resources in the registered state . |
39,795 | public void destroyResources ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "destroyResources" ) ; final ArrayList < JTAResource > resources = getResourceObjects ( ) ; for ( JTAResource resource : resources ) { destroyResource ( resource ) ; } if ( _sameRMResource != null ) { destroyResource ( _sameRMResource ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "destroyResources" ) ; } | Cleanup resources that have not yet been completed . A utility function called when transaction completion has been abandonned either when retries have been exhausted or the operator has cancelled the transaction . |
39,796 | public int compare ( JTAResource o1 , JTAResource o2 ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "compare" , new Object [ ] { o1 , o2 , this } ) ; int result = 0 ; int p1 = o1 . getPriority ( ) ; int p2 = o2 . getPriority ( ) ; if ( p1 < p2 ) result = 1 ; else if ( p1 > p2 ) result = - 1 ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "compare" , result ) ; return result ; } | Comparator returning 0 should leave elements in list alone preserving original order . |
39,797 | protected boolean sortResources ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "sortResources" , _resourceObjects . toArray ( ) ) ; if ( ! _sorted ) { final int resourceCount = _resourceObjects . size ( ) ; if ( _gotPriorityResourcesEnlisted ) { if ( resourceCount > 1 ) Collections . sort ( _resourceObjects , this ) ; } _sorted = true ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "sortResources" , _resourceObjects . toArray ( ) ) ; return false ; } | Shuffle commitInLastPhase resources to the end of the list preserving their ordering or reorder resources based on commitPriority in descending order for commit phase . |
39,798 | protected void sortPreparePriorityResources ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "sortPreparePriorityResources" , _resourceObjects . toArray ( ) ) ; Collections . sort ( _resourceObjects , prepareComparator ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "sortPreparePriorityResources" , _resourceObjects . toArray ( ) ) ; return ; } | Reorder resources based on commitPriority in asccending order for prepare phase . |
39,799 | public boolean isLastAgentEnlisted ( ) { final boolean lastAgentEnlisted = ( _onePhaseResourceEnlisted != null ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "isLastAgentEnlisted" , lastAgentEnlisted ) ; return lastAgentEnlisted ; } | Informs the caller if a 1PC resource is enlisted in this unit of work . |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.