idx
int64
0
41.2k
question
stringlengths
83
4.15k
target
stringlengths
5
715
35,700
private WebServiceFeature [ ] getWebServiceFeaturesOnPortComponentRef ( Class serviceEndpointInterface ) { WebServiceFeature [ ] returnArray = { } ; if ( serviceEndpointInterface != null && wsrInfo != null ) { String seiName = serviceEndpointInterface . getName ( ) ; PortComponentRefInfo pcr = wsrInfo . getPortComponentRefInfo ( seiName ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "SEI name = " + seiName ) ; Tr . debug ( tc , "PortComponentRefInfo found = " + pcr ) ; } if ( pcr != null ) { List < WebServiceFeatureInfo > featureInfoList = pcr . getWebServiceFeatureInfos ( ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "List of WebServiceFeatureInfo from PortComponentRefInfo = " + featureInfoList ) ; } if ( ! featureInfoList . isEmpty ( ) ) { returnArray = new WebServiceFeature [ featureInfoList . size ( ) ] ; for ( int i = 0 ; i < featureInfoList . size ( ) ; i ++ ) { WebServiceFeatureInfo featureInfo = featureInfoList . get ( i ) ; WebServiceFeature wsf = featureInfo . getWebServiceFeature ( ) ; returnArray [ i ] = wsf ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Added WebServiceFeature " + wsf ) ; } } } } } return returnArray ; }
Gets an array of features possibly enabled on client s port - component - ref in the deployment descriptor
35,701
private void configureClientProperties ( ) throws IOException { Map < String , String > serviceRefProps = wsrInfo . getProperties ( ) ; Iterator < QName > iterator = this . getPorts ( ) ; while ( null != iterator && iterator . hasNext ( ) ) { QName portQName = iterator . next ( ) ; PortComponentRefInfo portInfo = wsrInfo . getPortComponentRefInfo ( portQName ) ; Map < String , String > portProps = ( null != portInfo ) ? portInfo . getProperties ( ) : null ; if ( ( null != serviceRefProps || null != portProps ) ) { prepareProperties ( portQName , serviceRefProps , portProps ) ; } } }
configure the http conduit properties defined in the custom binding file .
35,702
private void prepareProperties ( QName portQName , Map < String , String > serviceRefProps , Map < String , String > portProps ) throws IOException { Map < String , String > allProperties = new HashMap < String , String > ( ) ; if ( null != serviceRefProps ) { allProperties . putAll ( serviceRefProps ) ; } if ( null != portProps ) { allProperties . putAll ( portProps ) ; } for ( Map . Entry < String , String > entry : servicePidToPropertyPrefixMap . entrySet ( ) ) { String serviceFactoryPid = entry . getKey ( ) ; String prefix = entry . getValue ( ) ; Map < String , String > extractProps = extract ( prefix , allProperties ) ; ConfigProperties configProps = new ConfigProperties ( serviceFactoryPid , extractProps ) ; Set < ConfigProperties > configSet = servicePropertiesMap . get ( portQName ) ; if ( null == configSet ) { configSet = new HashSet < ConfigProperties > ( ) ; servicePropertiesMap . put ( portQName , configSet ) ; } if ( configSet . contains ( configProps ) ) { configSet . remove ( configProps ) ; configSet . add ( configProps ) ; } else { configSet . add ( configProps ) ; } } }
merge the serviceRef properties and port properties and update the merged properties in the configAdmin service .
35,703
protected Map < String , String > extract ( String propertyPrefix , Map < String , String > properties , boolean removeProps ) { if ( null == properties || properties . isEmpty ( ) ) { return Collections . < String , String > emptyMap ( ) ; } Map < String , String > extractProps = new HashMap < String , String > ( ) ; Iterator < Map . Entry < String , String > > propIter = properties . entrySet ( ) . iterator ( ) ; while ( propIter . hasNext ( ) ) { Map . Entry < String , String > propEntry = propIter . next ( ) ; if ( null != propEntry . getKey ( ) && propEntry . getKey ( ) . startsWith ( propertyPrefix ) ) { String propKey = propEntry . getKey ( ) . substring ( propertyPrefix . length ( ) ) ; extractProps . put ( propKey , propEntry . getValue ( ) ) ; if ( removeProps ) { propIter . remove ( ) ; } } } return extractProps ; }
Extract the properties according to the property prefix .
35,704
protected Map < String , String > extract ( String propertyPrefix , Map < String , String > properties ) { return extract ( propertyPrefix , properties , true ) ; }
Extract the properties according to the property prefix will remove the extracted properties from original properties .
35,705
private boolean isKnownArgument ( String arg ) { final String argName = getArgName ( arg ) ; for ( String key : knownArgs ) { if ( key . equalsIgnoreCase ( argName ) ) { return true ; } } return false ; }
Checks if the argument is a known argument to the task .
35,706
protected String getTaskHelp ( String desc , String usage , String optionKeyPrefix , String optionDescPrefix , String addonKey , String footer , Object ... args ) { StringBuilder scriptHelp = new StringBuilder ( ) ; scriptHelp . append ( NL ) ; scriptHelp . append ( getOption ( "global.description" ) ) ; scriptHelp . append ( NL ) ; scriptHelp . append ( getOption ( desc ) ) ; scriptHelp . append ( NL ) ; scriptHelp . append ( NL ) ; scriptHelp . append ( getOption ( "global.usage" ) ) ; scriptHelp . append ( NL ) ; scriptHelp . append ( getOption ( usage ) ) ; scriptHelp . append ( NL ) ; String options = buildScriptOptions ( optionKeyPrefix , optionDescPrefix ) ; if ( ! options . isEmpty ( ) ) { scriptHelp . append ( NL ) ; scriptHelp . append ( getOption ( "global.options" ) ) ; scriptHelp . append ( options ) ; } if ( addonKey != null && ! addonKey . isEmpty ( ) ) { scriptHelp . append ( NL ) ; scriptHelp . append ( getOption ( addonKey ) ) ; } if ( footer != null && ! footer . isEmpty ( ) ) { scriptHelp . append ( footer ) ; } scriptHelp . append ( NL ) ; if ( args . length == 0 ) { return scriptHelp . toString ( ) ; } else { return MessageFormat . format ( scriptHelp . toString ( ) , args ) ; } }
Generate the formatted task help .
35,707
public String getDestination ( ) { if ( tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , "getDestination" ) ; SibTr . exit ( tc , "getDestination" , destination ) ; } return destination ; }
Returns the destination .
35,708
public String getSelector ( ) { if ( tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , "getSelector" ) ; SibTr . exit ( tc , "getSelector" , selector ) ; } return selector ; }
Returns the selector .
35,709
public int getSelectorDomain ( ) { if ( tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , "getSelectorDomain" ) ; SibTr . exit ( tc , "getSelectorDomain" , new Integer ( selectorDomain ) ) ; } return selectorDomain ; }
Returns the messaging domain in which the selector was sspecified .
35,710
public String getUser ( ) { if ( tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , "getUser" ) ; SibTr . exit ( tc , "getUser" , user ) ; } return user ; }
Returns the user .
35,711
public void setDestination ( String destination ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "setDestination" , destination ) ; this . destination = destination ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setDestination" ) ; }
Sets the destination .
35,712
public void setSelector ( String selector ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "setSelector" , selector ) ; this . selector = selector ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setSelector" ) ; }
Sets the selector .
35,713
public void setTopic ( String topic ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "setTopic" , topic ) ; this . topic = topic ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setTopic" ) ; }
Sets the topic .
35,714
public boolean isNoLocal ( ) { if ( tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , "isNoLocal" ) ; SibTr . exit ( tc , "isNoLocal" , new Boolean ( noLocal ) ) ; } return noLocal ; }
Returns the noLocal .
35,715
public void setNoLocal ( boolean noLocal ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "setNoLocal" , new Boolean ( noLocal ) ) ; this . noLocal = noLocal ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setNoLocal" ) ; }
Sets the noLocal .
35,716
@ FFDCIgnore ( URISyntaxException . class ) public static String namespaceURIToPackage ( String namespaceURI ) { try { return nameSpaceURIToPackage ( new URI ( namespaceURI ) ) ; } catch ( URISyntaxException ex ) { return null ; } }
Generates a Java package name from a URI according to the algorithm outlined in JAXB 2 . 0 .
35,717
public static String nameToIdentifier ( String name , IdentifierType type ) { if ( null == name || name . length ( ) == 0 ) { return name ; } boolean legalIdentifier = false ; StringBuilder buf = new StringBuilder ( name ) ; boolean hasUnderscore = false ; legalIdentifier = Character . isJavaIdentifierStart ( buf . charAt ( 0 ) ) ; for ( int i = 1 ; i < name . length ( ) && legalIdentifier ; i ++ ) { legalIdentifier &= Character . isJavaIdentifierPart ( buf . charAt ( i ) ) ; hasUnderscore |= '_' == buf . charAt ( i ) ; } boolean conventionalIdentifier = isConventionalIdentifier ( buf , type ) ; if ( legalIdentifier && conventionalIdentifier ) { if ( JAXBUtils . isJavaKeyword ( name ) && type == IdentifierType . VARIABLE ) { name = normalizePackageNamePart ( name ) ; } if ( ! hasUnderscore || IdentifierType . CLASS != type ) { return name ; } } List < String > words = new ArrayList < > ( ) ; StringTokenizer st = new StringTokenizer ( name , XML_NAME_PUNCTUATION_STRING ) ; while ( st . hasMoreTokens ( ) ) { words . add ( st . nextToken ( ) ) ; } for ( int i = 0 ; i < words . size ( ) ; i ++ ) { splitWord ( words , i ) ; } return makeConventionalIdentifier ( words , type ) ; }
Converts an XML name to a Java identifier according to the mapping algorithm outlined in the JAXB specification
35,718
public static String getDefaultSSLSocketFactory ( ) { if ( defaultSSLSocketFactory == null ) { defaultSSLSocketFactory = AccessController . doPrivileged ( new PrivilegedAction < String > ( ) { public String run ( ) { return Security . getProperty ( "ssl.SocketFactory.provider" ) ; } } ) ; } return defaultSSLSocketFactory ; }
Get the default SSLSocketFactory from Security .
35,719
public static String getDefaultSSLServerSocketFactory ( ) { if ( defaultSSLServerSocketFactory == null ) { defaultSSLServerSocketFactory = AccessController . doPrivileged ( new PrivilegedAction < String > ( ) { public String run ( ) { return Security . getProperty ( "ssl.ServerSocketFactory.provider" ) ; } } ) ; } return defaultSSLServerSocketFactory ; }
Get the default SSLServerSocketFactory class from Security .
35,720
public static String getKeyManagerFactoryAlgorithm ( ) { if ( keyManagerFactoryAlgorithm == null ) { keyManagerFactoryAlgorithm = AccessController . doPrivileged ( new PrivilegedAction < String > ( ) { public String run ( ) { return Security . getProperty ( "ssl.KeyManagerFactory.algorithm" ) ; } } ) ; } return keyManagerFactoryAlgorithm ; }
Get the key manager factory algorithm default from Security .
35,721
public static String getTrustManagerFactoryAlgorithm ( ) { if ( trustManagerFactoryAlgorithm == null ) { trustManagerFactoryAlgorithm = AccessController . doPrivileged ( new PrivilegedAction < String > ( ) { public String run ( ) { return Security . getProperty ( "ssl.TrustManagerFactory.algorithm" ) ; } } ) ; } return trustManagerFactoryAlgorithm ; }
Get the trust manager factory algorithm default from Security .
35,722
public static void initializeIBMCMSProvider ( ) throws Exception { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "initializeIBMCMSProvider" ) ; Provider provider = Security . getProvider ( Constants . IBMCMS_NAME ) ; if ( provider != null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "initializeIBMCMSProvider (already present)" ) ; return ; } AccessController . doPrivileged ( new PrivilegedAction < Object > ( ) { public Object run ( ) { try { Provider cmsprovider = ( Provider ) Class . forName ( Constants . IBMCMS ) . newInstance ( ) ; if ( cmsprovider != null ) { Security . addProvider ( cmsprovider ) ; } } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Exception loading provider: " + Constants . IBMCMS ) ; } return null ; } } ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "initializeIBMCMSProvider (provider initialized)" ) ; }
Initialize the IBM CMS provider .
35,723
public static void insertProviderAt ( Provider newProvider , int slot ) { Provider [ ] provider_list = Security . getProviders ( ) ; if ( null == provider_list || 0 == provider_list . length ) { return ; } Provider [ ] newList = new Provider [ provider_list . length + 2 ] ; newList [ slot ] = newProvider ; int newListIndex = 1 ; for ( int i = 0 ; i < provider_list . length ; i ++ ) { Provider currentProvider = provider_list [ i ] ; if ( currentProvider != null && ! currentProvider . getName ( ) . equals ( newProvider . getName ( ) ) ) { while ( newList [ newListIndex ] != null ) { newListIndex ++ ; } newList [ newListIndex ] = currentProvider ; newListIndex ++ ; } } removeAllProviders ( ) ; for ( int i = 0 ; i < newList . length ; i ++ ) { Provider currentProvider = newList [ i ] ; if ( currentProvider != null ) { int position = Security . insertProviderAt ( currentProvider , ( i + 1 ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , currentProvider . getName ( ) + " provider added at position " + position ) ; } } }
Insert a provider into Security at the provided slot number .
35,724
public static void removeAllProviders ( ) { Provider [ ] provider_list = Security . getProviders ( ) ; for ( int i = 0 ; i < provider_list . length ; i ++ ) { if ( provider_list [ i ] != null ) { String name = provider_list [ i ] . getName ( ) ; if ( name != null ) { Security . removeProvider ( name ) ; } } } }
Remove all providers from Security .
35,725
static void validateAsyncOnInterfaces ( Class < ? > [ ] ifaces , TraceComponent tc ) { if ( ifaces != null ) { for ( Class < ? > iface : ifaces ) { if ( iface . isInterface ( ) ) { if ( iface . getAnnotation ( Asynchronous . class ) != null ) { Tr . warning ( tc , "ASYNC_ON_INTERFACE_CNTR0305W" , iface . getName ( ) ) ; continue ; } for ( Method m : iface . getMethods ( ) ) { if ( m . getAnnotation ( Asynchronous . class ) != null ) { Tr . warning ( tc , "ASYNC_ON_INTERFACE_CNTR0305W" , iface . getName ( ) ) ; break ; } } } } } }
F743 - 13921
35,726
protected void modified ( ComponentContext context ) throws Exception { processProperties ( context . getProperties ( ) ) ; deregisterJavaMailMBean ( ) ; registerJavaMailMBean ( ) ; }
The Modified method is how the properties that are defined in the mailSession object of the server . xml are extracted and stored in the sessionProperties .
35,727
public Object createResource ( ResourceInfo info ) throws Exception { Properties propertyNames = createPropertyNames ( ) ; Properties props = createProperties ( propertyNames ) ; if ( listOfPropMap != null ) { for ( Map < String , Object > nestedProperties : listOfPropMap ) { props . put ( nestedProperties . get ( NAME ) , nestedProperties . get ( VALUE ) ) ; } } Session session = createSession ( props ) ; return session ; }
The createResource uses the sessionProperties to create a javax . mail . Session object and return it to the caller . The caller uses JNDI look up with the JNDI name defined in the server . xml .
35,728
private Properties createProperties ( Properties propertyNames ) { Properties props = new Properties ( ) ; for ( String key : propertiesArray ) { if ( sessionProperties . get ( key ) != null ) { if ( ! key . equalsIgnoreCase ( STOREPROTOCOLCLASSNAME ) && ! key . equalsIgnoreCase ( TRANSPORTPROTOCOLCLASSNAME ) ) { props . put ( key , sessionProperties . get ( key ) ) ; if ( propertyNames . getProperty ( key ) != null ) props . put ( propertyNames . getProperty ( key ) , sessionProperties . get ( key ) ) ; } else { if ( key . equalsIgnoreCase ( STOREPROTOCOLCLASSNAME ) ) props . put ( "mail." + props . getProperty ( STOREPROTOCOL ) + ".class" , sessionProperties . get ( key ) ) ; else props . put ( "mail." + props . getProperty ( TRANSPORTPROTOCOL ) + ".class" , sessionProperties . get ( key ) ) ; } } } return props ; }
The createProperties method will iterate through the sessionProperties and put them into the props object so that it can be used to create the javax . mail . Session
35,729
private Properties createPropertyNames ( ) { Properties propertyNames = new Properties ( ) ; propertyNames . setProperty ( HOST , "mail.host" ) ; propertyNames . setProperty ( USER , "mail.user" ) ; propertyNames . setProperty ( FROM , "mail.from" ) ; propertyNames . setProperty ( TRANSPORTPROTOCOL , "mail.transport.protocol" ) ; propertyNames . setProperty ( STOREPROTOCOL , "mail.store.protocol" ) ; return propertyNames ; }
The createPropertyName method sets a property for five special strings that can be set in a different method such as mail . host . These are different way to set certain property values and are unique to these five
35,730
private Session createSession ( Properties props ) throws InvalidPasswordDecodingException , UnsupportedCryptoAlgorithmException { Session session = null ; if ( sessionProperties . get ( PASSWORD ) != null && sessionProperties . get ( USER ) != null ) { SerializableProtectedString password = ( SerializableProtectedString ) sessionProperties . get ( PASSWORD ) ; String pwdStr = password == null ? null : String . valueOf ( password . getChars ( ) ) ; pwdStr = PasswordUtil . getCryptoAlgorithm ( pwdStr ) == null ? pwdStr : PasswordUtil . decode ( pwdStr ) ; final String pwd = pwdStr ; sessionProperties . put ( "mail.password" , pwdStr ) ; session = Session . getInstance ( props , new Authenticator ( ) { protected PasswordAuthentication getPasswordAuthentication ( ) { return new PasswordAuthentication ( ( String ) sessionProperties . get ( USER ) , pwd ) ; } } ) ; } else { session = Session . getInstance ( props , null ) ; } return session ; }
The createSession method creates a session using the props if the password is specified in the server . xml then a session is creating using the password . If it is not specified then session is created with out a authenticator .
35,731
@ Reference ( service = MailSessionRegistrar . class , policy = ReferencePolicy . DYNAMIC , cardinality = ReferenceCardinality . OPTIONAL , target = "(component.name=com.ibm.ws.javamail.management.j2ee.MailSessionRegistrarImpl)" ) protected void setMailSessionRegistrar ( ServiceReference < MailSessionRegistrar > ref ) { mailSessionRegistrarRef . setReference ( ref ) ; registerJavaMailMBean ( ) ; }
Declarative Services method for setting mail session registrar
35,732
void reset ( long time , long latest , AlarmListener listener , Object context , long index ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "reset" , new Object [ ] { new Long ( time ) , new Long ( latest ) , listener , context , new Long ( index ) } ) ; data = listener ; this . time = time ; this . latest = latest ; this . context = context ; this . index = index ; groupListener = ( listener instanceof GroupAlarmListener ) ; active = true ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "reset" ) ; }
reset this alarm s values
35,733
public static synchronized void init ( HpelTraceServiceConfig config ) { if ( config == null ) throw new NullPointerException ( "LogProviderConfig must not be null" ) ; loggingConfig . compareAndSet ( null , config ) ; }
Initializes HPEL Configuration proxy
35,734
public Exception getLinkedException ( ) { Throwable t = getCause ( ) ; while ( t != null ) { if ( t instanceof Exception ) { return ( Exception ) t ; } else { t = t . getCause ( ) ; } } return null ; }
Retrieve the exception that was saved away
35,735
public synchronized void lock ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "lock" , this ) ; boolean interrupted = false ; while ( ! tryLock ( ) ) try { if ( tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Waiting for lock" ) ; wait ( 1000 ) ; } catch ( InterruptedException e ) { interrupted = true ; } if ( interrupted ) Thread . currentThread ( ) . interrupt ( ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "lock" ) ; }
This method allows multiple lockers to lock the same mutex until the lock exclusive is called . Then all lock requesters have to wait until the exclusive lock is released .
35,736
private boolean tryLock ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "tryLock" , this ) ; boolean result = false ; synchronized ( iMutex ) { if ( ! iExclusivelyLocked || iExclusiveLockHolder == Thread . currentThread ( ) ) { incrementThreadLockCount ( ) ; result = true ; } } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "tryLock" , new Boolean ( result ) ) ; return result ; }
This method increments a the number of locks that have been obtained .
35,737
private void incrementThreadLockCount ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "incrementThreadLockCount" , this ) ; Thread currentThread = Thread . currentThread ( ) ; LockCount count = ( LockCount ) readerThreads . get ( currentThread ) ; if ( count == null ) { count = new LockCount ( ) ; readerThreads . put ( currentThread , count ) ; } if ( count . count == 0 ) readerThreadCount ++ ; count . count ++ ; readLockCount ++ ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "incrementThreadLockCount" ) ; }
The mutex must be held before calling this method .
35,738
private boolean alienReadLocksHeld ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "alienReadLocksHeld" , this ) ; boolean locksHeld = false ; if ( readerThreadCount > 1 ) { locksHeld = true ; } else if ( readerThreadCount == 1 ) { Thread currentThread = Thread . currentThread ( ) ; LockCount count = ( LockCount ) readerThreads . get ( currentThread ) ; locksHeld = ( count == null || count . count == 0 ) ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "alienReadLocksHeld" , new Boolean ( locksHeld ) ) ; return locksHeld ; }
The mutex must be help before calling this method .
35,739
private boolean tryLockExclusive ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "tryLockExclusive" , this ) ; boolean result = false ; synchronized ( iMutex ) { if ( ! iExclusivelyLocked ) { iExclusivelyLocked = true ; iExclusiveLockHolder = Thread . currentThread ( ) ; if ( tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Got exclusive lock for thread " + iExclusiveLockHolder ) ; result = true ; iExclusiveLockCount ++ ; } else if ( iExclusiveLockHolder == Thread . currentThread ( ) ) { if ( tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Already hold exclusive lock " + ( iExclusiveLockCount + 1 ) ) ; result = true ; iExclusiveLockCount ++ ; } } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "tryLockExclusive" , new Boolean ( result ) ) ; return result ; }
This method attempts to lock the exclusively and won t succeed until it has the exclusive lock .
35,740
public synchronized void unlockExclusive ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "unlockExclusive" , this ) ; synchronized ( iMutex ) { if ( Thread . currentThread ( ) == iExclusiveLockHolder ) { if ( tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Unlocking current thread " + ( iExclusiveLockCount - 1 ) ) ; if ( -- iExclusiveLockCount == 0 ) { iExclusivelyLocked = false ; iExclusiveLockHolder = null ; notifyAll ( ) ; } } else if ( tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Thread not the current thread to unlock exclusively" ) ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "unlockExclusive" ) ; }
This method unlocks the exclusive lock that was held .
35,741
public static void init ( ExternalContext context ) { WebXmlParser parser = new WebXmlParser ( context ) ; WebXml webXml = parser . parse ( ) ; context . getApplicationMap ( ) . put ( WEB_XML_ATTR , webXml ) ; MyfacesConfig mfconfig = MyfacesConfig . getCurrentInstance ( context ) ; long configRefreshPeriod = mfconfig . getConfigRefreshPeriod ( ) ; webXml . setParsingTime ( System . currentTimeMillis ( ) ) ; webXml . setDelegateFacesServlet ( mfconfig . getDelegateFacesServlet ( ) ) ; refreshPeriod = ( configRefreshPeriod * 1000 ) ; }
should be called when initialising Servlet
35,742
private static void filterThrowable ( Throwable t ) { StackTraceElement [ ] stackLines = t . getStackTrace ( ) ; if ( ( stackLines != null ) && ( stackLines . length > 1 ) ) { Vector v = new Vector ( ) ; boolean euStarted = false ; int index = 0 ; for ( index = 0 ; index < stackLines . length ; index ++ ) { StackTraceElement ste = stackLines [ index ] ; if ( className . equals ( ste . getClassName ( ) ) ) { euStarted = true ; } else { if ( euStarted ) { v . add ( ste ) ; } } } if ( v . size ( ) != 0 ) { StackTraceElement [ ] filteredSTE = new StackTraceElement [ v . size ( ) ] ; for ( int i = 0 ; i < filteredSTE . length ; i ++ ) { filteredSTE [ i ] = ( StackTraceElement ) v . elementAt ( i ) ; } t . setStackTrace ( filteredSTE ) ; } } }
This method filters the stack trace of the parameter object to remove all trace of the newThrowable and reflection calls that have been made .
35,743
public static Throwable getJMS2Exception ( JMSException jmse , Class exceptionToBeThrown ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getJMS2Exceptions" , new Object [ ] { jmse , exceptionToBeThrown } ) ; JMSRuntimeException jmsre = null ; try { jmsre = ( JMSRuntimeException ) exceptionToBeThrown . getConstructor ( new Class [ ] { String . class , String . class , Throwable . class } ) . newInstance ( new Object [ ] { jmse . getMessage ( ) , jmse . getErrorCode ( ) , jmse . getLinkedException ( ) } ) ; } catch ( Exception e ) { RuntimeException re = new RuntimeException ( "JmsErrorUtils.newThrowable#5" , e ) ; re . initCause ( jmse ) ; FFDCFilter . processException ( re , "JmsErrorUtils.newThrowable" , "JmsErrorUtils.newThrowable#5" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "exception : " , re ) ; throw re ; } finally { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getJMS2Exceptions" , jmsre ) ; } return jmsre ; }
This is a generic function to convert all the JMS 1 . 1 exceptions to JMS 2 . 0 exception . It uses reflection to create the desired JMS2 . 0 exception
35,744
private boolean isProductExtensionInstalled ( String inputString , String productExtension ) { if ( ( productExtension == null ) || ( inputString == null ) ) { return false ; } int msgIndex = inputString . indexOf ( "CWWKF0012I: The server installed the following features:" ) ; if ( msgIndex == - 1 ) { return false ; } String msgString = inputString . substring ( msgIndex ) ; int leftBracketIndex = msgString . indexOf ( "[" ) ; int rightBracketIndex = msgString . indexOf ( "]" ) ; if ( ( leftBracketIndex == - 1 ) || ( rightBracketIndex == - 1 ) || ( rightBracketIndex < leftBracketIndex ) ) { return false ; } String features = msgString . substring ( leftBracketIndex , rightBracketIndex ) ; Log . info ( c , "isProductExtensionInstalled" , features ) ; if ( features . indexOf ( productExtension ) == - 1 ) { return false ; } return true ; }
Determine if the input product extension exists in the input string .
35,745
public static String encodePartiallyEncoded ( String encoded , boolean query ) { if ( encoded . length ( ) == 0 ) { return encoded ; } Matcher m = ENCODE_PATTERN . matcher ( encoded ) ; if ( ! m . find ( ) ) { return query ? HttpUtils . queryEncode ( encoded ) : HttpUtils . pathEncode ( encoded ) ; } int length = encoded . length ( ) ; StringBuilder sb = new StringBuilder ( length + 8 ) ; int i = 0 ; do { String before = encoded . substring ( i , m . start ( ) ) ; sb . append ( query ? HttpUtils . queryEncode ( before ) : HttpUtils . pathEncode ( before ) ) ; sb . append ( m . group ( ) ) ; i = m . end ( ) ; } while ( m . find ( ) ) ; String tail = encoded . substring ( i , length ) ; sb . append ( query ? HttpUtils . queryEncode ( tail ) : HttpUtils . pathEncode ( tail ) ) ; return sb . toString ( ) ; }
Encodes partially encoded string . Encode all values but those matching pattern percent char followed by two hexadecimal digits .
35,746
public String formatRecord ( RepositoryLogRecord record , Locale locale ) { if ( null == record ) { throw new IllegalArgumentException ( "Record cannot be null" ) ; } return getFormattedRecord ( record , locale ) ; }
Formats a RepositoryLogRecord into a localized CBE format output String .
35,747
public String getFormattedRecord ( RepositoryLogRecord record , Locale locale ) { StringBuilder sb = new StringBuilder ( 300 ) ; createEventOTag ( sb , record , locale ) ; createExtendedElement ( sb , record ) ; createExtendedElement ( sb , "CommonBaseEventLogRecord:sequenceNumber" , "long" , String . valueOf ( record . getSequence ( ) ) ) ; createExtendedElement ( sb , "CommonBaseEventLogRecord:threadID" , "int" , String . valueOf ( record . getThreadID ( ) ) ) ; if ( record . getLoggerName ( ) != null ) { createExtendedElement ( sb , "CommonBaseEventLogRecord:loggerName" , "string" , record . getLoggerName ( ) ) ; } for ( String name : record . getExtensions ( ) . keySet ( ) ) { if ( ! RepositoryLogRecord . PTHREADID . equals ( name ) ) { createExtendedElement ( sb , record , name ) ; } } if ( headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_VERSION ) != null ) createExtendedElement ( sb , "version" , "string" , headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_VERSION ) ) ; if ( headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_PROCESSID ) != null ) createExtendedElement ( sb , "processId" , "string" , headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_PROCESSID ) ) ; if ( headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_SERVER_NAME ) != null ) createExtendedElement ( sb , "processName" , "string" , headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_SERVER_NAME ) ) ; switch ( record . getLocalizable ( ) ) { case WsLogRecord . REQUIRES_LOCALIZATION : createExtendedElement ( sb , "localizable" , "string" , STR_REQUIRES_LOCALIZATION ) ; break ; case WsLogRecord . REQUIRES_NO_LOCALIZATION : createExtendedElement ( sb , "localizable" , "string" , STR_REQUIRES_NO_LOCALIZATION ) ; break ; default : createExtendedElement ( sb , "localizable" , "string" , STR_DEFAULT_LOCALIZATION ) ; break ; } createSourceElement ( sb , record ) ; createMessageElement ( sb , record ) ; createSituationElement ( sb ) ; createEventCTag ( sb ) ; return sb . toString ( ) ; }
Gets a String representation of a log record as a CBEEvent XML element
35,748
private void createEventOTag ( StringBuilder sb , RepositoryLogRecord record , Locale locale ) { sb . append ( "<CommonBaseEvent creationTime=\"" ) ; sb . append ( CBE_DATE_FORMAT . format ( record . getMillis ( ) ) ) ; sb . append ( "\"" ) ; sb . append ( " globalInstanceId=\"" ) . append ( GUID_PREFIX ) . append ( Guid . generate ( ) ) . append ( "\"" ) ; sb . append ( " msg=\"" ) . append ( formatMessage ( record , locale ) ) . append ( "\"" ) ; short severity = 0 ; if ( record . getLevel ( ) . intValue ( ) >= Level . SEVERE . intValue ( ) ) { severity = 50 ; } else if ( record . getLevel ( ) . intValue ( ) >= Level . WARNING . intValue ( ) ) { severity = 30 ; } else { severity = 10 ; } sb . append ( " severity=\"" ) . append ( severity ) . append ( "\"" ) ; sb . append ( " version=\"1.0.1\">" ) ; }
Appends the opening tag of a CommonBaseEvent XML element to a string buffer
35,749
private void createSituationElement ( StringBuilder sb ) { sb . append ( lineSeparator ) . append ( INDENT [ 0 ] ) . append ( "<situation categoryName=\"ReportSituation\">" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "<situationType xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xsi:type=\"ReportSituation\" reasoningScope=\"INTERNAL\" reportCategory=\"LOG\"/>" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 0 ] ) . append ( "</situation>" ) ; }
Appends the CBE Situation XML element of a record to a String buffer
35,750
private void createSourceElement ( StringBuilder sb , RepositoryLogRecord record ) { String hostAddr = headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_HOSTADDRESS ) == null ? "" : headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_HOSTADDRESS ) ; String hostType = headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_HOSTTYPE ) == null ? "" : headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_HOSTTYPE ) ; sb . append ( lineSeparator ) . append ( INDENT [ 0 ] ) . append ( "<sourceComponentId component=\"Logging\" componentIdType=\"Application\"" ) ; sb . append ( " executionEnvironment=\"Java\" instanceId=\"" ) . append ( headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_SERVER_NAME ) ) . append ( "\"" ) ; sb . append ( " location=\"" ) . append ( hostAddr ) . append ( "\" locationType=\"" ) . append ( hostType ) . append ( "\"" ) ; sb . append ( " processId=\"" ) . append ( headerProps . getProperty ( ServerInstanceLogRecordList . HEADER_PROCESSID ) ) . append ( "\"" ) . append ( " subComponent=\"Logger\"" ) ; sb . append ( " threadId=\"" ) . append ( record . getExtension ( RepositoryLogRecord . PTHREADID ) ) . append ( "\"" ) ; sb . append ( " componentType=\"Logging_Application\"/>" ) ; }
Appends the CBE Source XML element of a record to a String buffer
35,751
private void createMessageElement ( StringBuilder sb , RepositoryLogRecord record ) { sb . append ( lineSeparator ) . append ( INDENT [ 0 ] ) . append ( "<msgDataElement msgLocale=\"" ) . append ( record . getMessageLocale ( ) ) . append ( "\">" ) ; if ( record . getParameters ( ) != null ) { for ( int c = 0 ; c < record . getParameters ( ) . length ; c ++ ) { sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "<msgCatalogTokens value=\"" ) . append ( MessageFormat . format ( "{" + c + "}" , record . getParameters ( ) ) ) . append ( "\"/>" ) ; } } if ( record . getMessageID ( ) != null ) { sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "<msgId>" ) . append ( record . getMessageID ( ) ) . append ( "</msgId>" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "<msgIdType>" ) ; if ( record . getMessageID ( ) . length ( ) == 10 ) sb . append ( "IBM5.4.1" ) ; else sb . append ( "IBM4.4.1" ) ; sb . append ( "</msgIdType>" ) ; } if ( record . getRawMessage ( ) != null && record . getResourceBundleName ( ) != null ) { sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "<msgCatalogId>" ) . append ( record . getRawMessage ( ) ) . append ( "</msgCatalogId>" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "<msgCatalogType>Java</msgCatalogType>" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "<msgCatalog>" ) . append ( record . getResourceBundleName ( ) ) . append ( "</msgCatalog>" ) ; } sb . append ( lineSeparator ) . append ( INDENT [ 0 ] ) . append ( "</msgDataElement>" ) ; }
Appends the CBE Message Element XML element of a record to a String buffer
35,752
private void createExtendedElement ( StringBuilder sb , RepositoryLogRecord record ) { sb . append ( lineSeparator ) . append ( INDENT [ 0 ] ) . append ( "<extendedDataElements name=\"CommonBaseEventLogRecord:level\" type=\"noValue\">" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "<children name=\"CommonBaseEventLogRecord:name\" type=\"string\">" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 2 ] ) . append ( "<values>" ) . append ( record . getLevel ( ) . getName ( ) ) . append ( "</values>" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "</children>" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "<children name=\"CommonBaseEventLogRecord:value\" type=\"int\">" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 2 ] ) . append ( "<values>" ) . append ( record . getLevel ( ) . intValue ( ) ) . append ( "</values>" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "</children>" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 0 ] ) . append ( "</extendedDataElements>" ) ; }
Appends the CBE Extended Data Element of a record to a String buffer
35,753
private void createExtendedElement ( StringBuilder sb , RepositoryLogRecord record , String extensionID ) { String edeValue = record . getExtension ( extensionID ) ; if ( edeValue != null && ! edeValue . isEmpty ( ) ) { createExtendedElement ( sb , extensionID , "string" , edeValue ) ; } }
Appends the CBE Extended Data Element of a record s extension to a String buffer
35,754
private void createExtendedElement ( StringBuilder sb , String edeName , String edeType , String edeValues ) { sb . append ( lineSeparator ) . append ( INDENT [ 0 ] ) . append ( "<extendedDataElements name=\"" ) . append ( edeName ) . append ( "\" type=\"" ) . append ( edeType ) . append ( "\">" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 1 ] ) . append ( "<values>" ) . append ( edeValues ) . append ( "</values>" ) ; sb . append ( lineSeparator ) . append ( INDENT [ 0 ] ) . append ( "</extendedDataElements>" ) ; }
Prints and extendedDataElement for CBE output Formatter s time zone .
35,755
private static Cookie constructLTPACookieObj ( SingleSignonToken ssoToken ) { byte [ ] ssoTokenBytes = ssoToken . getBytes ( ) ; String ssoCookieString = Base64Coder . base64EncodeToString ( ssoTokenBytes ) ; Cookie cookie = new Cookie ( webAppSecConfig . getSSOCookieName ( ) , ssoCookieString ) ; return cookie ; }
builds an LTPACookie object
35,756
static Cookie getLTPACookie ( final Subject subject ) throws Exception { Cookie ltpaCookie = null ; SingleSignonToken ssoToken = null ; Set < SingleSignonToken > ssoTokens = subject . getPrivateCredentials ( SingleSignonToken . class ) ; Iterator < SingleSignonToken > ssoTokensIterator = ssoTokens . iterator ( ) ; if ( ssoTokensIterator . hasNext ( ) ) { ssoToken = ssoTokensIterator . next ( ) ; if ( ssoTokensIterator . hasNext ( ) ) { throw new WSSecurityException ( "More than one ssotoken found in subject" ) ; } } if ( ssoToken != null ) { ltpaCookie = constructLTPACookieObj ( ssoToken ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "No ssotoken found for this subject" ) ; } } return ltpaCookie ; }
Gets the LTPA cookie from the given subject
35,757
public static Cookie getSSOCookieFromSSOToken ( ) throws Exception { Subject subject = null ; Cookie ltpaCookie = null ; if ( webAppSecConfig == null ) { return null ; } try { subject = WSSubject . getRunAsSubject ( ) ; if ( subject == null ) { subject = WSSubject . getCallerSubject ( ) ; } if ( subject != null ) { ltpaCookie = getLTPACookie ( subject ) ; } else { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "No subjects on the thread" ) ; } } } catch ( Exception e ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "getSSOCookieFromSSOToken caught exception: " + e . getMessage ( ) ) ; } throw e ; } return ltpaCookie ; }
Extracts an LTPA sso cookie from the subject of current thread and builds a ltpa cookie out of it for use on downstream web invocations . The caller must check for null return value only when not null that getName and getValue can be invoked on the returned Cookie object
35,758
private ReturnCode packageServerDumps ( File packageFile , List < String > javaDumps ) { DumpProcessor processor = new DumpProcessor ( serverName , packageFile , bootProps , javaDumps ) ; return processor . execute ( ) ; }
Creates an archive containing the server dumps server configurations .
35,759
void deregister ( List < URL > urls ) { for ( URL url : urls ) { _data . remove ( url . getFile ( ) ) ; } }
Remove mappings for the provided urls .
35,760
void register ( URL url , InMemoryMappingFile immf ) { _data . put ( url . getFile ( ) , immf ) ; }
Register the URL mapping to the provided InMemoryMappingFile .
35,761
private boolean isMatchingString ( String value1 , String value2 ) { boolean valuesMatch = true ; if ( value1 == null ) { if ( value2 != null ) { valuesMatch = false ; } } else { valuesMatch = value1 . equals ( value2 ) ; } return valuesMatch ; }
Compare two string values .
35,762
private List < Class < ? > > getListenerInterfaces ( ) { List < Class < ? > > listenerInterfaces = new ArrayList < Class < ? > > ( Arrays . asList ( SERVLET30_LISTENER_INTERFACES ) ) ; if ( com . ibm . ws . webcontainer . osgi . WebContainer . getServletContainerSpecLevel ( ) < com . ibm . ws . webcontainer . osgi . WebContainer . SPEC_LEVEL_31 ) { return listenerInterfaces ; } Class < ? > httpIDListenerInterface ; try { httpIDListenerInterface = Class . forName ( HTTP_ID_LISTENER_CLASS_NAME ) ; } catch ( ClassNotFoundException e ) { httpIDListenerInterface = null ; } if ( httpIDListenerInterface != null ) { listenerInterfaces . add ( httpIDListenerInterface ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Servlet 3.1 is enabled but failed to find the HTTP ID Listener class [ " + HTTP_ID_LISTENER_CLASS_NAME + " ]" ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Supported listener interfaces: " + listenerInterfaces ) ; } return listenerInterfaces ; }
Obtain the list of enabled listener interfaces . The list contents depends on servlet 3 . 1 enablement .
35,763
public void configureWebAppHelperFactory ( WebAppConfiguratorHelperFactory webAppConfiguratorHelperFactory , ResourceRefConfigFactory resourceRefConfigFactory ) { webAppHelper = webAppConfiguratorHelperFactory . createWebAppConfiguratorHelper ( this , resourceRefConfigFactory , getListenerInterfaces ( ) ) ; this . configHelpers . add ( webAppHelper ) ; }
Configure the WebApp helper factory
35,764
public < T > void validateDuplicateKeyValueConfiguration ( String parentElementName , String keyElementName , String keyElementValue , String valueElementName , T newValue , ConfigItem < T > priorConfigItem ) { T priorValue = priorConfigItem . getValue ( ) ; if ( priorValue == null ) { if ( newValue == null ) { return ; } else { } } else if ( newValue == null ) { } else if ( priorConfigItem . compareValue ( newValue ) ) { return ; } ConfigSource priorSource = priorConfigItem . getSource ( ) ; ConfigSource newSource = getConfigSource ( ) ; if ( priorSource == ConfigSource . WEB_XML ) { if ( newSource == ConfigSource . WEB_FRAGMENT ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "{0} {1} == {2} {3} == {4} is configured in web.xml, the value {5} from web-fragment.xml in {6} is ignored" , parentElementName , keyElementName , keyElementValue , valueElementName , priorValue , newValue , getLibraryURI ( ) ) ; } } else { } } else if ( priorSource == ConfigSource . WEB_FRAGMENT ) { String priorLibraryURI = priorConfigItem . getLibraryURI ( ) ; String newLibraryURI = getLibraryURI ( ) ; if ( ! priorLibraryURI . equals ( newLibraryURI ) ) { errorMessages . add ( nls . getFormattedMessage ( "CONFLICT_KEY_VALUE_CONFIG_BETWEEN_WEB_FRAGMENT_XML" , new Object [ ] { valueElementName , parentElementName , keyElementName , keyElementValue , priorValue , priorLibraryURI , newValue , newLibraryURI } , "Conflict configurations are found in the web-fragment.xml files" ) ) ; } else { } } }
Validate configuration items which are elements of keyed collections in two configurations .
35,765
public void validateDuplicateDefaultErrorPageConfiguration ( String newLocation , ConfigItem < String > priorLocationItem ) { String priorLocation = priorLocationItem . getValue ( ) ; if ( priorLocation == null ) { if ( newLocation == null ) { return ; } else { } } else if ( newLocation == null ) { } else if ( priorLocation . equals ( newLocation ) ) { return ; } ConfigSource priorSource = priorLocationItem . getSource ( ) ; ConfigSource newSource = getConfigSource ( ) ; if ( priorSource == ConfigSource . WEB_XML ) { if ( newSource == ConfigSource . WEB_FRAGMENT ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Default error page with location {0} in web.xml overrides default error page with location {1} in web-fragment.xml in {2}." , priorLocation , newLocation , getLibraryURI ( ) ) ; } } else { } } else if ( priorSource == ConfigSource . WEB_FRAGMENT ) { String priorLibraryURI = priorLocationItem . getLibraryURI ( ) ; String newLibraryURI = getLibraryURI ( ) ; if ( ! priorLibraryURI . equals ( newLibraryURI ) ) { errorMessages . add ( nls . getFormattedMessage ( "CONFLICT_DEFAULT_ERROR_PAGE_WEB_FRAGMENT_XML" , new Object [ ] { priorLocation , priorLibraryURI , newLocation , newLibraryURI } , "Multiple default error pages with different locations in one or more web-fragment.xml." ) ) ; } else { } } }
Validate default error page configuration items .
35,766
@ SuppressWarnings ( "unchecked" ) public < T > Map < String , ConfigItem < T > > getConfigItemMap ( String key ) { Map < String , ConfigItem < T > > configItemMap = ( Map < String , ConfigItem < T > > ) attributes . get ( key ) ; if ( configItemMap == null ) { configItemMap = new HashMap < String , ConfigItem < T > > ( ) ; attributes . put ( key , configItemMap ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "ConfigContext create map instance for {0}" , key ) ; } } return configItemMap ; }
Obtain an attribute value as a mapping . Create and return a new empty mapping if one is not yet present .
35,767
@ SuppressWarnings ( "unchecked" ) public < T > Set < T > getContextSet ( String key ) { Set < T > set = ( Set < T > ) attributes . get ( key ) ; if ( set == null ) { set = new HashSet < T > ( ) ; attributes . put ( key , set ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "ConfigContext create set instance for {0}" , key ) ; } } return set ; }
Obtain an attribute value as a sset . Create and return a new empty set if one is not yet present .
35,768
public < T > ConfigItem < T > createConfigItem ( T value , MergeComparator < T > comparator ) { return new ConfigItemImpl < T > ( value , getConfigSource ( ) , getLibraryURI ( ) , comparator ) ; }
Create a configuration item using the current source .
35,769
public boolean isExpired ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "isExpired" ) ; boolean expired = false ; long curTime = System . currentTimeMillis ( ) ; if ( curTime - _leaseTime > _leaseTimeout * 1000 ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Lease has EXPIRED for " + _recoveryIdentity + ", currenttime: " + curTime + ", storedTime: " + _leaseTime ) ; expired = true ; } else { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Lease has not expired for " + _recoveryIdentity + ", currenttime: " + curTime + ", storedTime: " + _leaseTime ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "isExpired" , expired ) ; return expired ; }
Has the peer expired?
35,770
protected void returnToFreePool ( MCWrapper mcWrapper ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( this , tc , "returnToFreePool" , gConfigProps . cfName ) ; } if ( mcWrapper . shouldBeDestroyed ( ) || mcWrapper . hasFatalErrorNotificationOccurred ( fatalErrorNotificationTime ) || ( ( pm . agedTimeout != - 1 ) && ( mcWrapper . hasAgedTimedOut ( pm . agedTimeoutMillis ) ) ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { if ( mcWrapper . shouldBeDestroyed ( ) ) { Tr . debug ( this , tc , "Connection destroy flag is set, removing connection " + mcWrapper ) ; } if ( mcWrapper . hasFatalErrorNotificationOccurred ( fatalErrorNotificationTime ) ) { Tr . debug ( this , tc , "Fatal error occurred, removing connection " + mcWrapper ) ; } if ( ( ( pm . agedTimeout != - 1 ) && ( mcWrapper . hasAgedTimedOut ( pm . agedTimeoutMillis ) ) ) ) { Tr . debug ( this , tc , "Aged timeout exceeded, removing connection " + mcWrapper ) ; } if ( mcWrapper . isDestroyState ( ) ) { Tr . debug ( this , tc , "Mbean method purgePoolContents with option immediate was used." + " Connection cleanup and destroy is being processed." ) ; } } if ( mcWrapper . isDestroyState ( ) ) { final FreePool tempFP = this ; final MCWrapper tempMCWrapper = mcWrapper ; ThreadSupportedCleanupAndDestroy tscd = new ThreadSupportedCleanupAndDestroy ( pm . tscdList , tempFP , tempMCWrapper ) ; pm . tscdList . add ( tscd ) ; pm . connectorSvc . execSvcRef . getServiceWithException ( ) . submit ( tscd ) ; } else { cleanupAndDestroyMCWrapper ( mcWrapper ) ; removeMCWrapperFromList ( mcWrapper , _mcWrapperDoesNotExistInFreePool , _synchronizeInMethod , _notifyWaiter , _decrementTotalCounter ) ; } } else { returnToFreePoolDelegated ( mcWrapper ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( this , tc , "returnToFreePool" ) ; } }
Return the mcWrapper to the free pool .
35,771
protected void removeMCWrapperFromList ( MCWrapper mcWrapper , boolean removeFromFreePool , boolean synchronizationNeeded , boolean skipWaiterNotify , boolean decrementTotalCounter ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( this , tc , "removeMCWrapperFromList" ) ; } if ( synchronizationNeeded ) { synchronized ( pm . waiterFreePoolLock ) { synchronized ( freeConnectionLockObject ) { if ( removeFromFreePool ) { mcWrapperList . remove ( mcWrapper ) ; mcWrapper . setPoolState ( 0 ) ; } -- numberOfConnectionsAssignedToThisFreePool ; if ( decrementTotalCounter ) { pm . totalConnectionCount . decrementAndGet ( ) ; } if ( ! skipWaiterNotify ) { pm . waiterFreePoolLock . notify ( ) ; } } } } else { if ( removeFromFreePool ) { mcWrapperList . remove ( mcWrapper ) ; mcWrapper . setPoolState ( 0 ) ; -- numberOfConnectionsAssignedToThisFreePool ; } if ( decrementTotalCounter ) { pm . totalConnectionCount . decrementAndGet ( ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( this , tc , "removeMCWrapperFromList" ) ; } }
This method will try to cleanup and destroy the connection and remove the mcWrapper from the free pool .
35,772
protected void removeParkedConnection ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( this , tc , "removeParkedConnection" ) ; } if ( pm . parkedMCWrapper != null ) { synchronized ( pm . parkedConnectionLockObject ) { if ( pm . parkedMCWrapper != null ) { cleanupAndDestroyMCWrapper ( pm . parkedMCWrapper ) ; pm . parkedMCWrapper = null ; pm . createParkedConnection = true ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Reset the createParkedConnection flag to recreate a new parked connection" ) ; } } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( this , tc , "removeParkedConnection" ) ; } }
Remove the parked managed connection . This method should only be called if do not have SmartHandleSupport in effect . The PoolManager controls the SmartHandleSupported flag so we have to trust the PM not to call this method when smart handles is in effect .
35,773
protected void removeCleanupAndDestroyAllFreeConnections ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( this , tc , "removeCleanupAndDestroyAllFreeConnections" ) ; } int mcWrapperListIndex = mcWrapperList . size ( ) - 1 ; for ( int i = mcWrapperListIndex ; i >= 0 ; -- i ) { MCWrapper mcw = ( MCWrapper ) mcWrapperList . remove ( i ) ; mcw . setPoolState ( 0 ) ; -- numberOfConnectionsAssignedToThisFreePool ; cleanupAndDestroyMCWrapper ( mcw ) ; pm . totalConnectionCount . decrementAndGet ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( this , tc , "removeCleanupAndDestroyAllFreeConnections" ) ; } }
Remove the mcWrappers from the arraylist . Cleanup and destroy the managed connections .
35,774
protected void cleanupAndDestroyAllFreeConnections ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( this , tc , "cleanupAndDestroyAllFreeConnections" ) ; } int mcWrapperListIndex = mcWrapperList . size ( ) - 1 ; for ( int i = mcWrapperListIndex ; i >= 0 ; -- i ) { MCWrapper mcw = ( MCWrapper ) mcWrapperList . remove ( i ) ; mcw . setPoolState ( 0 ) ; pm . totalConnectionCount . decrementAndGet ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Calling cleanup and destroy on MCWrapper " + mcw ) ; } cleanupAndDestroyMCWrapper ( mcw ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( this , tc , "cleanupAndDestroyAllFreeConnections" ) ; } }
During server shutdown try to cleanup and destroy the managed connections nicely . This method should only be called during server server shutdown .
35,775
protected void incrementFatalErrorValue ( int value1 ) { if ( fatalErrorNotificationTime == Integer . MAX_VALUE - 1 ) { fatalErrorNotificationTime = 0 ; if ( value1 == 0 ) { pm . mcToMCWMapWrite . lock ( ) ; try { Collection < MCWrapper > mcWrappers = pm . mcToMCWMap . values ( ) ; Iterator < MCWrapper > mcWrapperIt = mcWrappers . iterator ( ) ; while ( mcWrapperIt . hasNext ( ) ) { MCWrapper mcw = mcWrapperIt . next ( ) ; if ( ! mcw . isParkedWrapper ( ) ) { mcw . setFatalErrorValue ( 0 ) ; } } } finally { pm . mcToMCWMapWrite . unlock ( ) ; } } } else { ++ fatalErrorNotificationTime ; } }
This method should only be called when a fatal error occurs or when an attempt is made to remove all of the connections from the pool .
35,776
public static < K > UserConverter < K > newInstance ( Converter < K > converter ) { return newInstance ( getType ( converter ) , converter ) ; }
Construct a new PriorityConverter using discovered or default type and priority
35,777
public static < K > UserConverter < K > newInstance ( Type type , Converter < K > converter ) { return newInstance ( type , getPriority ( converter ) , converter ) ; }
Construct a new PriorityConverter using discovered or default priority
35,778
private static Type getType ( Converter < ? > converter ) { Type type = null ; Type [ ] itypes = converter . getClass ( ) . getGenericInterfaces ( ) ; for ( Type itype : itypes ) { ParameterizedType ptype = ( ParameterizedType ) itype ; if ( ptype . getRawType ( ) == Converter . class ) { Type [ ] atypes = ptype . getActualTypeArguments ( ) ; if ( atypes . length == 1 ) { type = atypes [ 0 ] ; break ; } else { throw new ConfigException ( Tr . formatMessage ( tc , "unable.to.determine.conversion.type.CWMCG0009E" , converter . getClass ( ) . getName ( ) ) ) ; } } } if ( type == null ) { throw new ConfigException ( Tr . formatMessage ( tc , "unable.to.determine.conversion.type.CWMCG0009E" , converter . getClass ( ) . getName ( ) ) ) ; } return type ; }
Reflectively work out the Type of a Converter
35,779
public static File deleteWithRetry ( File file ) { String methodName = "deleteWithRetry" ; String filePath ; if ( tc . isDebugEnabled ( ) ) { filePath = file . getAbsolutePath ( ) ; Tr . debug ( tc , methodName + ": Recursively delete [ " + filePath + " ]" ) ; } else { filePath = null ; } File firstFailure = delete ( file ) ; if ( firstFailure == null ) { if ( filePath != null ) { Tr . debug ( tc , methodName + ": Successful first delete [ " + filePath + " ]" ) ; } return null ; } if ( filePath != null ) { Tr . debug ( tc , methodName + ": Failed first delete [ " + filePath + " ]: Sleep up to 50 ms and retry" ) ; } File secondFailure = firstFailure ; for ( int tryNo = 0 ; ( secondFailure != null ) && tryNo < RETRY_COUNT ; tryNo ++ ) { try { Thread . sleep ( RETRY_AMOUNT ) ; } catch ( InterruptedException e ) { } secondFailure = delete ( file ) ; } if ( secondFailure == null ) { if ( filePath != null ) { Tr . debug ( tc , methodName + ": Successful first delete [ " + filePath + " ]" ) ; } return null ; } else { if ( filePath != null ) { Tr . debug ( tc , methodName + ": Failed second delete [ " + filePath + " ]" ) ; } return secondFailure ; } }
Attempt to recursively delete a target file .
35,780
public static File delete ( File file ) { String methodName = "delete" ; String filePath ; if ( tc . isDebugEnabled ( ) ) { filePath = file . getAbsolutePath ( ) ; } else { filePath = null ; } if ( file . isDirectory ( ) ) { if ( filePath != null ) { Tr . debug ( tc , methodName + ": Delete directory [ " + filePath + " ]" ) ; } File firstFailure = null ; File [ ] subFiles = file . listFiles ( ) ; if ( subFiles != null ) { for ( File subFile : subFiles ) { File nextFailure = delete ( subFile ) ; if ( ( nextFailure != null ) && ( firstFailure == null ) ) { firstFailure = nextFailure ; } } } if ( firstFailure != null ) { if ( filePath != null ) { Tr . debug ( tc , methodName + ": Cannot delete [ " + filePath + " ]" + " Child [ " + firstFailure . getAbsolutePath ( ) + " ] could not be deleted." ) ; } return firstFailure ; } } else { if ( filePath != null ) { Tr . debug ( tc , methodName + ": Delete simple file [ " + filePath + " ]" ) ; } } if ( ! file . delete ( ) ) { if ( filePath != null ) { Tr . debug ( tc , methodName + ": Failed to delete [ " + filePath + " ]" ) ; } return file ; } else { if ( filePath != null ) { Tr . debug ( tc , methodName + ": Deleted [ " + filePath + " ]" ) ; } return null ; } }
Attempt to recursively delete a file .
35,781
public static void unzip ( File source , File target , boolean isEar , long lastModified ) throws IOException { byte [ ] transferBuffer = new byte [ 16 * 1024 ] ; unzip ( source , target , isEar , lastModified , transferBuffer ) ; }
Unpack a source archive into a target directory .
35,782
public static ELResolver makeResolverForJSP ( ) { Map < String , ImplicitObject > forJSPList = new HashMap < String , ImplicitObject > ( 8 ) ; ImplicitObject io1 = new FacesContextImplicitObject ( ) ; forJSPList . put ( io1 . getName ( ) , io1 ) ; ImplicitObject io2 = new ViewImplicitObject ( ) ; forJSPList . put ( io2 . getName ( ) , io2 ) ; ImplicitObject io3 = new ResourceImplicitObject ( ) ; forJSPList . put ( io3 . getName ( ) , io3 ) ; ImplicitObject io4 = new ViewScopeImplicitObject ( ) ; forJSPList . put ( io4 . getName ( ) , io4 ) ; return new ImplicitObjectResolver ( forJSPList ) ; }
Static factory for an ELResolver for resolving implicit objects in JSPs . See JSF 1 . 2 spec section 5 . 6 . 1 . 1
35,783
public static ELResolver makeResolverForFaces ( ) { Map < String , ImplicitObject > forFacesList = new HashMap < String , ImplicitObject > ( 30 ) ; ImplicitObject io1 = new ApplicationImplicitObject ( ) ; forFacesList . put ( io1 . getName ( ) , io1 ) ; ImplicitObject io2 = new ApplicationScopeImplicitObject ( ) ; forFacesList . put ( io2 . getName ( ) , io2 ) ; ImplicitObject io3 = new CookieImplicitObject ( ) ; forFacesList . put ( io3 . getName ( ) , io3 ) ; ImplicitObject io4 = new FacesContextImplicitObject ( ) ; forFacesList . put ( io4 . getName ( ) , io4 ) ; ImplicitObject io5 = new HeaderImplicitObject ( ) ; forFacesList . put ( io5 . getName ( ) , io5 ) ; ImplicitObject io6 = new HeaderValuesImplicitObject ( ) ; forFacesList . put ( io6 . getName ( ) , io6 ) ; ImplicitObject io7 = new InitParamImplicitObject ( ) ; forFacesList . put ( io7 . getName ( ) , io7 ) ; ImplicitObject io8 = new ParamImplicitObject ( ) ; forFacesList . put ( io8 . getName ( ) , io8 ) ; ImplicitObject io9 = new ParamValuesImplicitObject ( ) ; forFacesList . put ( io9 . getName ( ) , io9 ) ; ImplicitObject io10 = new RequestImplicitObject ( ) ; forFacesList . put ( io10 . getName ( ) , io10 ) ; ImplicitObject io11 = new RequestScopeImplicitObject ( ) ; forFacesList . put ( io11 . getName ( ) , io11 ) ; ImplicitObject io12 = new SessionImplicitObject ( ) ; forFacesList . put ( io12 . getName ( ) , io12 ) ; ImplicitObject io13 = new SessionScopeImplicitObject ( ) ; forFacesList . put ( io13 . getName ( ) , io13 ) ; ImplicitObject io14 = new ViewImplicitObject ( ) ; forFacesList . put ( io14 . getName ( ) , io14 ) ; ImplicitObject io15 = new ComponentImplicitObject ( ) ; forFacesList . put ( io15 . getName ( ) , io15 ) ; ImplicitObject io16 = new ResourceImplicitObject ( ) ; forFacesList . put ( io16 . getName ( ) , io16 ) ; ImplicitObject io17 = new ViewScopeImplicitObject ( ) ; forFacesList . put ( io17 . getName ( ) , io17 ) ; ImplicitObject io18 = new CompositeComponentImplicitObject ( ) ; forFacesList . put ( io18 . getName ( ) , io18 ) ; ImplicitObject io19 = new FlowScopeImplicitObject ( ) ; forFacesList . put ( io19 . getName ( ) , io19 ) ; return new ImplicitObjectResolver ( forFacesList ) ; }
Static factory for an ELResolver for resolving implicit objects in all of Faces . See JSF 1 . 2 spec section 5 . 6 . 1 . 2
35,784
public void parse ( WsByteBuffer transmissionData ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "parse" , transmissionData ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JFapUtils . debugTraceWsByteBufferInfo ( this , tc , transmissionData , "transmissionBuffer" ) ; needMoreData = false ; boolean encounteredError = false ; while ( ! needMoreData && ! encounteredError ) { switch ( state ) { case ( STATE_PARSING_PRIMARY_HEADER ) : parsePrimaryHeader ( transmissionData ) ; break ; case ( STATE_PARSING_CONVERSATION_HEADER ) : parseConversationHeader ( transmissionData ) ; break ; case ( STATE_PARSING_SEGMENT_START_HEADER ) : parseSegmentStartHeader ( transmissionData ) ; break ; case ( STATE_PARSING_PRIMARY_ONLY_PAYLOAD ) : parsePrimaryOnlyPayload ( transmissionData ) ; break ; case ( STATE_PARSE_CONVERSATION_PAYLOAD ) : parseConversationPayload ( transmissionData ) ; break ; case ( STATE_PARSE_SEGMENT_START_PAYLOAD ) : parseSegmentStartPayload ( transmissionData ) ; break ; case ( STATE_PARSE_SEGMENT_MIDDLE_PAYLOAD ) : parseSegmentMiddlePayload ( transmissionData ) ; break ; case ( STATE_PARSE_SEGMENT_END_PAYLOAD ) : parseSegmentEndPayload ( transmissionData ) ; break ; case ( STATE_ERROR ) : encounteredError = true ; break ; default : if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "got into default branch of parse() method case statement" ) ; throwable = new SIErrorException ( "Should not have entered default branch of parse() method case statement" ) ; FFDCFilter . processException ( throwable , "com.ibm.ws.sib.jfapchannel.impl.InboundTransmissionParser" , JFapChannelConstants . INBOUNDXMITPARSER_PARSE_01 ) ; state = STATE_ERROR ; break ; } } if ( encounteredError ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "encountered error parsing" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) SibTr . exception ( this , tc , throwable ) ; connection . invalidate ( false , throwable , "parse error while parsing transmission" ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "parse" ) ; }
Parses a chunk of inbound data into discrete transmissions . The headers for these transmissions are decoded and the payload data is dispatched to the appropriate method for processing .
35,785
private void parseSegmentStartHeader ( WsByteBuffer contextBuffer ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "parseSegmentStartHeader" , contextBuffer ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JFapUtils . debugTraceWsByteBufferInfo ( this , tc , contextBuffer , "contextBuffer" ) ; WsByteBuffer rawData = readData ( contextBuffer , unparsedFirstSegment ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JFapUtils . debugTraceWsByteBufferInfo ( this , tc , rawData , "rawData" ) ; if ( rawData != null ) { segmentedTransmissionHeaderFields [ primaryHeaderFields . priority ] . totalLength = rawData . getLong ( ) ; transmissionPayloadRemaining -= JFapChannelConstants . SIZEOF_SEGMENT_START_HEADER ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "totalLenght: " + segmentedTransmissionHeaderFields [ primaryHeaderFields . priority ] . totalLength ) ; if ( segmentedTransmissionHeaderFields [ primaryHeaderFields . priority ] . totalLength < 0 ) { throwable = new SIConnectionLostException ( nls . getFormattedMessage ( "TRANSPARSER_PROTOCOLERROR_SICJ0053" , new Object [ ] { connection . remoteHostAddress , connection . chainName } , "TRANSPARSER_PROTOCOLERROR_SICJ0053" ) ) ; FFDCFilter . processException ( throwable , "com.ibm.ws.sib.jfapchannel.impl.InboundTransmissionParser" , JFapChannelConstants . INBOUNDXMITPARSER_PARSESSHDR_01 , getFormattedBytes ( contextBuffer ) ) ; state = STATE_ERROR ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Conversation lost after peer transmitted more data than initially indicated in first part of segmented transmission" ) ; } else { segmentedTransmissionHeaderFields [ primaryHeaderFields . priority ] . segmentType = rawData . get ( ) ; if ( segmentedTransmissionHeaderFields [ primaryHeaderFields . priority ] . segmentType < 0 ) segmentedTransmissionHeaderFields [ primaryHeaderFields . priority ] . segmentType += 256 ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "segmentType: " + segmentedTransmissionHeaderFields [ primaryHeaderFields . priority ] . segmentType ) ; rawData . position ( rawData . position ( ) + 3 ) ; transmissionPayloadDataLength = primaryHeaderFields . segmentLength - ( JFapChannelConstants . SIZEOF_PRIMARY_HEADER + JFapChannelConstants . SIZEOF_CONVERSATION_HEADER + JFapChannelConstants . SIZEOF_SEGMENT_START_HEADER ) ; state = STATE_PARSE_SEGMENT_START_PAYLOAD ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "need more data" ) ; needMoreData = true ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "parseSegmentStartHeader" ) ; }
Invoked to parse a start segment header structure from the supplied buffer . May be invoked multiple times to incrementally parse the structure . Once the structure has been fully parsed transitions the state machine into the appropriate next state based on the layout of the transmission .
35,786
private void parsePrimaryOnlyPayload ( WsByteBuffer contextBuffer ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "parsePrimaryOnlyPayload" , contextBuffer ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JFapUtils . debugTraceWsByteBufferInfo ( this , tc , contextBuffer , "contextBuffer" ) ; WsByteBuffer dispatchToConnectionData = null ; if ( ( unparsedPayloadData == null ) && ( transmissionPayloadDataLength > contextBuffer . remaining ( ) ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "allocating unparsed payload data area, size=" + transmissionPayloadDataLength ) ; unparsedPayloadData = allocateWsByteBuffer ( transmissionPayloadDataLength , false ) ; unparsedPayloadData . position ( 0 ) ; unparsedPayloadData . limit ( transmissionPayloadDataLength ) ; } if ( state != STATE_ERROR ) { if ( unparsedPayloadData != null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JFapUtils . debugTraceWsByteBufferInfo ( this , tc , unparsedPayloadData , "unparsedPayloadData" ) ; dispatchToConnectionData = readData ( contextBuffer , unparsedPayloadData ) ; if ( dispatchToConnectionData != null ) { final boolean closed = dispatchToConnection ( dispatchToConnectionData ) ; if ( closed ) { needMoreData = true ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Connection closed, breaking out of loop" ) ; } reset ( ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "need more data" ) ; needMoreData = true ; } } else { int contextBufferPosition = contextBuffer . position ( ) ; int contextBufferLimit = contextBuffer . limit ( ) ; contextBuffer . limit ( contextBufferPosition + transmissionPayloadDataLength ) ; final boolean closed = dispatchToConnection ( contextBuffer ) ; if ( closed ) { needMoreData = true ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Connection closed, breaking out of loop" ) ; } else { contextBuffer . limit ( contextBufferLimit ) ; contextBuffer . position ( contextBufferPosition + transmissionPayloadDataLength ) ; } reset ( ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "parsePrimaryOnlyPayload" ) ; }
Invoked to parse a primary header payload structure from the supplied buffer . May be invoked multiple times to incrementally parse the structure . Once the structure has been fully parsed transitions the state machine into the appropriate next state based on the layout of the transmission .
35,787
private void parseConversationPayload ( WsByteBuffer contextBuffer ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "parseConversationPayload" , contextBuffer ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JFapUtils . debugTraceWsByteBufferInfo ( this , tc , contextBuffer , "contextBuffer" ) ; if ( unparsedPayloadData == null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "allocating unparsed data buffer, size=" + transmissionPayloadDataLength ) ; unparsedPayloadData = allocateWsByteBuffer ( transmissionPayloadDataLength , primaryHeaderFields . isPooled ) ; unparsedPayloadData . position ( 0 ) ; unparsedPayloadData . limit ( transmissionPayloadDataLength ) ; } if ( state != STATE_ERROR ) { int unparsedDataRemaining = unparsedPayloadData . remaining ( ) ; int amountCopied = JFapUtils . copyWsByteBuffer ( contextBuffer , unparsedPayloadData , unparsedDataRemaining ) ; if ( amountCopied == unparsedDataRemaining ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "dispatching to conversation - amount cpoied = " + amountCopied ) ; dispatchToConversation ( unparsedPayloadData ) ; if ( state != STATE_ERROR ) reset ( ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "need more data" ) ; needMoreData = true ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "parseConversationPayload" ) ; }
Invoked to parse a conversation payload structure from the supplied buffer . May be invoked multiple times to incrementally parse the structure . Once the structure has been fully parsed transitions the state machine into the appropriate next state based on the layout of the transmission .
35,788
private void parseSegmentStartPayload ( WsByteBuffer contextBuffer ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "parseSegmentStartPayload" , contextBuffer ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JFapUtils . debugTraceWsByteBufferInfo ( this , tc , contextBuffer , "contextBuffer" ) ; if ( unparsedPayloadData == null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "allocating unparsed payload data buffe, size=" + segmentedTransmissionHeaderFields [ primaryHeaderFields . priority ] . totalLength ) ; unparsedPayloadData = allocateWsByteBuffer ( ( int ) segmentedTransmissionHeaderFields [ primaryHeaderFields . priority ] . totalLength , primaryHeaderFields . isPooled ) ; unparsedPayloadData . position ( 0 ) ; unparsedPayloadData . limit ( ( int ) segmentedTransmissionHeaderFields [ primaryHeaderFields . priority ] . totalLength ) ; } if ( state != STATE_ERROR ) { int amountCopied = JFapUtils . copyWsByteBuffer ( contextBuffer , unparsedPayloadData , transmissionPayloadRemaining ) ; transmissionPayloadRemaining -= amountCopied ; if ( inFlightSegmentedTransmissions [ primaryHeaderFields . priority ] != null ) { throwable = new SIConnectionLostException ( nls . getFormattedMessage ( "TRANSPARSER_PROTOCOLERROR_SICJ0053" , new Object [ ] { connection . remoteHostAddress , connection . chainName } , "TRANSPARSER_PROTOCOLERROR_SICJ0053" ) ) ; FFDCFilter . processException ( throwable , "com.ibm.ws.sib.jfapchannel.impl.InboundTransmissionParser" , JFapChannelConstants . INBOUNDXMITPARSER_PARSESSPAYLOAD_01 , getFormattedBytes ( contextBuffer ) ) ; state = STATE_ERROR ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Received the start of a segmented transmission whilst already processing a segmented transmission at the same priority level" ) ; } else { needMoreData = ( contextBuffer . remaining ( ) == 0 ) ; if ( ! needMoreData ) { inFlightSegmentedTransmissions [ primaryHeaderFields . priority ] = unparsedPayloadData ; if ( type == Conversation . ME ) meReadBytes += unparsedPayloadData . remaining ( ) ; else if ( type == Conversation . CLIENT ) clientReadBytes -= unparsedPayloadData . remaining ( ) ; reset ( ) ; } } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "parseSegmentStartPayload" ) ; }
Invoked to parse a segmented transmission start payload from the supplied buffer . May be invoked multiple times to incrementally parse the structure . Once the structure has been fully parsed transitions the state machine into the appropriate next state based on the layout of the transmission .
35,789
private void parseSegmentMiddlePayload ( WsByteBuffer contextBuffer ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "parseSegmentMiddlePayload" , contextBuffer ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JFapUtils . debugTraceWsByteBufferInfo ( this , tc , contextBuffer , "contextBuffer" ) ; WsByteBuffer partialTransmission = inFlightSegmentedTransmissions [ primaryHeaderFields . priority ] ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "partial transmission in slot " + primaryHeaderFields . priority + " = " + partialTransmission ) ; int contextBufferRemaining = contextBuffer . remaining ( ) ; if ( partialTransmission == null ) { throwable = new SIConnectionLostException ( nls . getFormattedMessage ( "TRANSPARSER_PROTOCOLERROR_SICJ0053" , new Object [ ] { connection . remoteHostAddress , connection . chainName } , "TRANSPARSER_PROTOCOLERROR_SICJ0053" ) ) ; FFDCFilter . processException ( throwable , "com.ibm.ws.sib.jfapchannel.impl.InboundTransmissionParser" , JFapChannelConstants . INBOUNDXMITPARSER_PARSESMPAYLOAD_01 , getFormattedBytes ( contextBuffer ) ) ; state = STATE_ERROR ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Received the middle segment of a segmented transmission prior to receiving a start segment." ) ; } else if ( partialTransmission . remaining ( ) < transmissionPayloadRemaining ) { throwable = new SIConnectionLostException ( nls . getFormattedMessage ( "TRANSPARSER_PROTOCOLERROR_SICJ0053" , new Object [ ] { connection . remoteHostAddress , connection . chainName } , "TRANSPARSER_PROTOCOLERROR_SICJ0053" ) ) ; FFDCFilter . processException ( throwable , "com.ibm.ws.sib.jfapchannel.impl.InboundTransmissionParser" , JFapChannelConstants . INBOUNDXMITPARSER_PARSESMPAYLOAD_02 , getFormattedBytes ( contextBuffer ) ) ; state = STATE_ERROR ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Received a middle segment for a segmented transmission which makes the transmission larger than the peer indicated in the first segment." ) ; } else { int amountCopied = JFapUtils . copyWsByteBuffer ( contextBuffer , partialTransmission , transmissionPayloadRemaining ) ; transmissionPayloadRemaining -= amountCopied ; if ( type == Conversation . ME ) meReadBytes -= amountCopied ; else if ( type == Conversation . CLIENT ) clientReadBytes -= amountCopied ; needMoreData = ( amountCopied == contextBufferRemaining ) ; if ( ! needMoreData ) reset ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "parseSegmentMiddlePayload" ) ; }
Invoked to parse a segmented transmission middle payload from the supplied buffer . May be invoked multiple times to incrementally parse the structure . Once the structure has been fully parsed transitions the state machine into the appropriate next state based on the layout of the transmission .
35,790
private boolean dispatchToConnection ( WsByteBuffer data ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "dispatchToConnection" , data ) ; if ( TraceComponent . isAnyTracingEnabled ( ) ) JFapUtils . debugSummaryMessage ( tc , connection , null , "received connection data with segment " + Integer . toHexString ( primaryHeaderFields . segmentType ) + " (" + JFapChannelConstants . getSegmentName ( primaryHeaderFields . segmentType ) + ")" ) ; final boolean closed = connection . processData ( primaryHeaderFields . segmentType , primaryHeaderFields . priority , primaryHeaderFields . isPooled , primaryHeaderFields . isExchange , data ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "dispatchToConnection" , Boolean . valueOf ( closed ) ) ; return closed ; }
Dispatches a payload to the appropriate connection for processing . The implication of dispatching to a connection is that the payload did not have a conversation header on its transmission .
35,791
private void reset ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "reset" ) ; throwable = null ; state = STATE_PARSING_PRIMARY_HEADER ; unparsedPrimaryHeader . position ( 0 ) ; unparsedPrimaryHeader . limit ( JFapChannelConstants . SIZEOF_PRIMARY_HEADER ) ; unparsedConversationHeader . position ( 0 ) ; unparsedConversationHeader . limit ( JFapChannelConstants . SIZEOF_CONVERSATION_HEADER ) ; unparsedFirstSegment . position ( 0 ) ; unparsedFirstSegment . limit ( JFapChannelConstants . SIZEOF_SEGMENT_START_HEADER ) ; unparsedPayloadData = null ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "reset" ) ; }
Resets the state of the parsing state machine so that it is read to parse another transmission .
35,792
private WsByteBuffer readData ( WsByteBuffer unparsedData , WsByteBuffer scratchArea ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "readData" , new Object [ ] { unparsedData , scratchArea } ) ; int scratchAreaRemaining = scratchArea . remaining ( ) ; int scratchAreaUsed = scratchArea . position ( ) ; WsByteBuffer retBuffer = null ; if ( ( scratchAreaUsed == 0 ) && ( unparsedData . remaining ( ) >= scratchAreaRemaining ) ) { retBuffer = unparsedData ; } else { int amountCopied = JFapUtils . copyWsByteBuffer ( unparsedData , scratchArea , scratchAreaRemaining ) ; if ( amountCopied >= scratchAreaRemaining ) { retBuffer = scratchArea ; retBuffer . flip ( ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "readData" , retBuffer ) ; return retBuffer ; }
Reads data from a buffer into a scratch area .
35,793
@ SuppressWarnings ( "unchecked" ) private Object createManagedBean ( final ManagedBean managedBean , final FacesContext facesContext ) throws ELException { final ExternalContext extContext = facesContext . getExternalContext ( ) ; final Map < Object , Object > facesContextMap = facesContext . getAttributes ( ) ; final String managedBeanName = managedBean . getManagedBeanName ( ) ; List < String > beansUnderConstruction = ( List < String > ) facesContextMap . get ( BEANS_UNDER_CONSTRUCTION ) ; if ( beansUnderConstruction == null ) { beansUnderConstruction = new ArrayList < String > ( ) ; facesContextMap . put ( BEANS_UNDER_CONSTRUCTION , beansUnderConstruction ) ; } else if ( beansUnderConstruction . contains ( managedBeanName ) ) { throw new ELException ( "Detected cyclic reference to managedBean " + managedBeanName ) ; } beansUnderConstruction . add ( managedBeanName ) ; Object obj = null ; try { obj = beanBuilder . buildManagedBean ( facesContext , managedBean ) ; } finally { beansUnderConstruction . remove ( managedBeanName ) ; } putInScope ( managedBean , facesContext , extContext , obj ) ; return obj ; }
adapted from Manfred s JSF 1 . 1 VariableResolverImpl
35,794
public Object run ( ) { Thread currentThread = Thread . currentThread ( ) ; oldClassLoader = threadContextAccessor . getContextClassLoader ( currentThread ) ; if ( newClassLoader == oldClassLoader ) { wasChanged = false ; } else if ( ( newClassLoader == null && oldClassLoader != null ) || ( newClassLoader != null && ( oldClassLoader == null || ! ( newClassLoader . equals ( oldClassLoader ) ) ) ) ) { threadContextAccessor . setContextClassLoader ( currentThread , newClassLoader ) ; wasChanged = true ; } else wasChanged = false ; return oldClassLoader ; }
146064 . 3
35,795
public static final boolean isPassword ( String name ) { return PASSWORD_PROPS . contains ( name ) || name . toLowerCase ( ) . contains ( DataSourceDef . password . name ( ) ) ; }
Determines based on the name of a property if we expect the value might contain a password .
35,796
public static void parseDurationProperties ( Map < String , Object > vendorProps , String className , ConnectorService connectorSvc ) throws Exception { for ( String propName : PropertyService . DURATION_MS_LONG_PROPS ) { Object propValue = vendorProps . remove ( propName ) ; if ( propValue != null ) try { vendorProps . put ( propName , MetatypeUtils . evaluateDuration ( ( String ) propValue , TimeUnit . MILLISECONDS ) ) ; } catch ( Exception x ) { x = connectorSvc . ignoreWarnOrFail ( tc , x , x . getClass ( ) , "UNSUPPORTED_VALUE_J2CA8011" , propValue , propName , className ) ; if ( x != null ) throw x ; } } for ( String propName : PropertyService . DURATION_MS_INT_PROPS ) { Object propValue = vendorProps . remove ( propName ) ; if ( propValue != null ) try { vendorProps . put ( propName , MetatypeUtils . evaluateDuration ( ( String ) propValue , TimeUnit . MILLISECONDS ) . intValue ( ) ) ; } catch ( Exception x ) { x = connectorSvc . ignoreWarnOrFail ( tc , x , x . getClass ( ) , "UNSUPPORTED_VALUE_J2CA8011" , propValue , propName , className ) ; if ( x != null ) throw x ; } } for ( String propName : PropertyService . DURATION_S_INT_PROPS ) { Object propValue = vendorProps . remove ( propName ) ; if ( propValue != null ) if ( propValue instanceof String ) try { vendorProps . put ( propName , MetatypeUtils . evaluateDuration ( ( String ) propValue , TimeUnit . SECONDS ) . intValue ( ) ) ; } catch ( Exception x ) { x = connectorSvc . ignoreWarnOrFail ( tc , x , x . getClass ( ) , "UNSUPPORTED_VALUE_J2CA8011" , propValue , propName , className ) ; if ( x != null ) throw x ; } else vendorProps . put ( propName , propValue ) ; } Object lockTimeout = vendorProps . remove ( "lockTimeout" ) ; if ( lockTimeout != null ) try { if ( className . startsWith ( "com.microsoft" ) ) vendorProps . put ( "lockTimeout" , MetatypeUtils . evaluateDuration ( ( String ) lockTimeout , TimeUnit . MILLISECONDS ) ) ; else vendorProps . put ( "lockTimeout" , MetatypeUtils . evaluateDuration ( ( String ) lockTimeout , TimeUnit . SECONDS ) . intValue ( ) ) ; } catch ( Exception x ) { x = connectorSvc . ignoreWarnOrFail ( tc , x , x . getClass ( ) , "UNSUPPORTED_VALUE_J2CA8011" , lockTimeout , "lockTimeout" , className ) ; if ( x != null ) throw x ; } }
Parse and convert duration type properties .
35,797
public static final void parsePasswordProperties ( Map < String , Object > vendorProps ) { for ( String propName : PASSWORD_PROPS ) { String propValue = ( String ) vendorProps . remove ( propName ) ; if ( propValue != null ) vendorProps . put ( propName , new SerializableProtectedString ( propValue . toCharArray ( ) ) ) ; } }
Parse and convert password properties to SerializableProtectedString .
35,798
public QueueElement removeTail ( ) { if ( head == null ) { return null ; } QueueElement result = tail ; if ( result . previous == null ) { head = null ; tail = null ; } else { tail = result . previous ; tail . next = null ; } result . previous = null ; result . next = null ; result . queue = null ; numElements -- ; return result ; }
Remove the element at the tail of this queue and return it .
35,799
public RemoteAllResults getLogLists ( LogQueryBean logQueryBean , RepositoryPointer after ) throws LogRepositoryException { RemoteAllResults result = new RemoteAllResults ( logQueryBean ) ; Iterable < ServerInstanceLogRecordList > lists ; if ( after == null ) { lists = logReader . getLogLists ( logQueryBean ) ; } else { lists = logReader . getLogLists ( after , logQueryBean ) ; } for ( ServerInstanceLogRecordList instance : lists ) { result . addInstance ( instance . getStartTime ( ) ) ; } return result ; }
retrieves results for all server instances in the repository .