idx
int64 0
165k
| question
stringlengths 73
5.81k
| target
stringlengths 5
918
|
---|---|---|
162,400 | private void parseAccessLog ( Map < String , Object > config ) { String filename = ( String ) config . get ( "access.filePath" ) ; if ( null == filename || 0 == filename . trim ( ) . length ( ) ) { return ; } try { this . ncsaLog = new AccessLogger ( filename . trim ( ) ) ; } catch ( Throwable t ) { FFDCFilter . processException ( t , getClass ( ) . getName ( ) + ".parseAccessLog" , "1" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "Logging service was unable to open a file: " + filename + "; " + t ) ; } return ; } String format = ( String ) config . get ( "access.logFormat" ) ; this . ncsaLog . setFormat ( LogUtils . convertNCSAFormat ( format ) ) ; String size = ( String ) config . get ( "access.maximumSize" ) ; if ( null != size ) { if ( ! this . ncsaLog . setMaximumSize ( convertInt ( size , 0 ) * 1048576L ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Logging service has invalid access log size: " + size ) ; } } } String backups = ( String ) config . get ( "access.maximumBackupFiles" ) ; if ( null != backups ) { this . ncsaLog . setMaximumBackupFiles ( convertInt ( backups , 1 ) ) ; } } | Parse the access log related information from the config . |
162,401 | private void parseErrorLog ( Map < String , Object > config ) { String filename = ( String ) config . get ( "error.filePath" ) ; if ( null == filename || 0 == filename . trim ( ) . length ( ) ) { return ; } try { this . debugLog = new DebugLogger ( filename ) ; } catch ( Throwable t ) { FFDCFilter . processException ( t , getClass ( ) . getName ( ) + ".parseErrorLog" , "1" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "Logging service was unable to open debug file: " + filename + "; " + t ) ; } return ; } String levelName = ( String ) config . get ( "error.logLevel" ) ; this . debugLog . setCurrentLevel ( LogUtils . convertDebugLevel ( levelName ) ) ; String size = ( String ) config . get ( "error.maximumSize" ) ; if ( null != size ) { if ( ! this . debugLog . setMaximumSize ( convertInt ( size , 0 ) * 1048576L ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Logging service has invalid error log size: " + size ) ; } } } String backups = ( String ) config . get ( "error.maximumBackupFiles" ) ; if ( null != backups ) { this . debugLog . setMaximumBackupFiles ( convertInt ( backups , 1 ) ) ; } } | Parse the error log related information from the config . |
162,402 | public void stop ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "stop" ) ; } if ( this . bRunning ) { this . bRunning = false ; this . ncsaLog . stop ( ) ; this . frcaLog . stop ( ) ; this . debugLog . stop ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "stop" ) ; } } | Stop this service . It can be restarted after this method call . |
162,403 | public void destroy ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "destroy" ) ; } this . bRunning = false ; this . ncsaLog . disable ( ) ; this . frcaLog . disable ( ) ; this . debugLog . disable ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "destroy" ) ; } } | Final call when the service is being destroyed . The service cannot be restarted once this is used . |
162,404 | private int convertInt ( String input , int defaultValue ) { try { return Integer . parseInt ( input . trim ( ) ) ; } catch ( NumberFormatException nfe ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "Malformed input: " + input ) ; } return defaultValue ; } } | Convert the input string to an int value . |
162,405 | public void findClients ( @ WithAnnotations ( { RegisterRestClient . class } ) ProcessAnnotatedType < ? > pat ) { Class < ? > restClient = pat . getAnnotatedType ( ) . getJavaClass ( ) ; if ( restClient . isInterface ( ) ) { restClientClasses . add ( restClient ) ; pat . veto ( ) ; } else { errors . add ( new IllegalArgumentException ( "The class " + restClient + " is not an interface" ) ) ; } } | Liberty change - removed static |
162,406 | protected void setOpen ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setOpen" ) ; closed = false ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setOpen" ) ; } | Marks this proxy object as being open . |
162,407 | public boolean isClosed ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "isClosed" ) ; boolean retValue = false ; if ( connectionProxy == null ) { retValue = closed ; } else { retValue = closed || connectionProxy . isClosed ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "isClosed" , "" + retValue ) ; return retValue ; } | This method identifies whether we are able to close this proxy object . If this object represents a session object then this can only be closed if we have not been closed and if the connection has not been closed . If it represents a connection then we can only close if we have not already been closed . |
162,408 | protected void setClosed ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setClosed" ) ; closed = true ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setClosed" ) ; } | Marks this proxy object as being closed . |
162,409 | public short getProxyID ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getProxyID" ) ; if ( ! proxyIDSet ) { SIErrorException e = new SIErrorException ( nls . getFormattedMessage ( "PROXY_ID_NOT_SET_SICO1052" , null , null ) ) ; FFDCFilter . processException ( e , CLASS_NAME + ".getProxyID" , CommsConstants . PROXY_GETPROXYID_01 , this ) ; throw e ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getProxyID" , "" + proxyID ) ; return proxyID ; } | Returns the proxy s Id correspondoing to the real object on the server |
162,410 | protected ConnectionProxy getConnectionProxy ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getConnectionProxy" ) ; if ( connectionProxy == null ) { SIErrorException e = new SIErrorException ( nls . getFormattedMessage ( "CONNECTION_PROXY_NOT_SET_SICO1053" , null , null ) ) ; FFDCFilter . processException ( e , CLASS_NAME + ".getConnectionProxy" , CommsConstants . PROXY_GETCONNECTIONPROXY_01 , this ) ; throw e ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getConnectionProxy" , connectionProxy ) ; return connectionProxy ; } | Returns a reference to the Connection Proxy |
162,411 | protected void setProxyID ( short s ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setProxyID" , "" + s ) ; proxyID = s ; proxyIDSet = true ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setProxyID" ) ; } | Sets the ID corresponding to the real object on the server |
162,412 | public InputStream getAttachment ( final Asset asset , final Attachment attachment ) throws IOException , BadVersionException , RequestFailureException { final ZipFile repoZip = createZipFile ( ) ; if ( null == repoZip ) { return null ; } InputStream retInputStream = null ; String attachmentId = attachment . get_id ( ) ; try { if ( attachmentId . contains ( "#" ) ) { String assetId = asset . get_id ( ) ; ZipEntry entry = createFromRelative ( assetId ) ; if ( null == entry ) { return null ; } ZipInputStream zis = new ZipInputStream ( repoZip . getInputStream ( entry ) ) ; retInputStream = getInputStreamToLicenseInsideZip ( zis , assetId , attachmentId ) ; } else { ZipEntry entry = createFromRelative ( attachmentId ) ; retInputStream = repoZip . getInputStream ( entry ) ; } } finally { if ( retInputStream == null ) { repoZip . close ( ) ; } } final InputStream is = retInputStream ; InputStream wrappedIs = new InputStream ( ) { public int read ( byte [ ] b ) throws IOException { return is . read ( b ) ; } public int read ( byte [ ] b , int off , int len ) throws IOException { return is . read ( b , off , len ) ; } public long skip ( long n ) throws IOException { return is . skip ( n ) ; } public int available ( ) throws IOException { return is . available ( ) ; } public synchronized void mark ( int readlimit ) { is . mark ( readlimit ) ; } public synchronized void reset ( ) throws IOException { is . reset ( ) ; } public boolean markSupported ( ) { return is . markSupported ( ) ; } public int read ( ) throws IOException { return is . read ( ) ; } public void close ( ) throws IOException { is . close ( ) ; repoZip . close ( ) ; } } ; return wrappedIs ; } | This gets an input stream to the specified attachment in the zip . |
162,413 | protected boolean hasChildren ( final String relative ) throws IOException { ZipFile zip = createZipFile ( ) ; if ( null == zip ) { return false ; } Enumeration < ? extends ZipEntry > entries = zip . entries ( ) ; while ( entries . hasMoreElements ( ) ) { ZipEntry entry = entries . nextElement ( ) ; if ( ( relative . equals ( "" ) ) || entry . getName ( ) . startsWith ( relative + File . separator ) ) { return true ; } } zip . close ( ) ; return false ; } | See if there are any assets under the specified directory in the zip |
162,414 | protected Collection < String > getChildren ( final String relative ) throws IOException { ZipFile zip = createZipFile ( ) ; if ( null == zip ) { return Collections . emptyList ( ) ; } Collection < String > children = new ArrayList < String > ( ) ; Enumeration < ? extends ZipEntry > entries = zip . entries ( ) ; while ( entries . hasMoreElements ( ) ) { ZipEntry entry = entries . nextElement ( ) ; if ( entry . isDirectory ( ) ) { continue ; } if ( ( relative . equals ( "" ) ) || entry . getName ( ) . startsWith ( relative + File . separator ) ) { children . add ( entry . getName ( ) ) ; } } zip . close ( ) ; return children ; } | Gets the entries under the specified directory in the zip file . This currently gets all entries in all sub directories too but does not return other directories as I think this will be more efficient than trying to recursively go through sub directories and we only call this method when we want all entries under the specified directory including all sub directories . |
162,415 | protected long getSize ( final String relative ) { ZipEntry entry = createFromRelative ( relative ) ; return ( entry == null ? 0 : entry . getSize ( ) ) ; } | Gets the uncompressed size of the file specified will return 0 if the entry was not found |
162,416 | final JMFNativePart getEncodingMessage ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . entry ( this , tc , "getEncodingMessage" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) JmfTr . exit ( this , tc , "getEncodingMessage" , encoding ) ; return encoding ; } | Return the underlying encoding |
162,417 | public static String getRuntimeProperty ( String property , String defaultValue ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getRuntimeProperty" , new Object [ ] { property , defaultValue } ) ; String runtimeProp = RuntimeInfo . getPropertyWithMsg ( property , defaultValue ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getRuntimeProperty" , runtimeProp ) ; return runtimeProp ; } | This method will get a runtime property from the sib . properties file . |
162,418 | public static boolean getRuntimeBooleanProperty ( String property , String defaultValue ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getRuntimeBooleanProperty" , new Object [ ] { property , defaultValue } ) ; boolean runtimeProp = Boolean . valueOf ( RuntimeInfo . getPropertyWithMsg ( property , defaultValue ) ) . booleanValue ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getRuntimeBooleanProperty" , "" + runtimeProp ) ; return runtimeProp ; } | This method will get a runtime property from the sib . properties file as a boolean . |
162,419 | public static void checkFapLevel ( HandshakeProperties handShakeProps , short fapLevel ) throws SIIncorrectCallException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "checkFapLevel" , "" + fapLevel ) ; short actualFapVersion = handShakeProps . getFapLevel ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Actual FAP Level: " , "" + actualFapVersion ) ; if ( fapLevel > actualFapVersion ) { throw new SIIncorrectCallException ( nls . getFormattedMessage ( "CALL_NOT_SUPPORTED_AT_FAP_LEVEL_SICO0101" , new Object [ ] { "" + actualFapVersion } , "CALL_NOT_SUPPORTED_AT_FAP_LEVEL_SICO0101" ) ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "checkFapLevel" ) ; } | This method is used on API calls when checking to see if the call is supported for the current FAP level . Before making a call in a method that is only supported in a particular FAP version call this method passing in the lowest FAP version this method is supported in . If the current negotiated FAP version is lower than this then an SIIncorrectCallException will be thrown . |
162,420 | public static boolean isRecoverable ( final SIBusMessage mess , final Reliability maxUnrecoverableReliability ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "isRecoverable" , new Object [ ] { mess , maxUnrecoverableReliability } ) ; final Reliability messageReliability = mess . getReliability ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Message Reliability: " , messageReliability ) ; final boolean recoverable = messageReliability . compareTo ( maxUnrecoverableReliability ) > 0 ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "isRecoverable" , recoverable ) ; return recoverable ; } | Determines whether a message is recoverable compared to the supplied maxUnrecoverableReliability . |
162,421 | protected ThirdPartyAlpnNegotiator tryToRegisterAlpnNegotiator ( SSLEngine engine , SSLConnectionLink link , boolean useAlpn ) { if ( isNativeAlpnActive ( ) ) { if ( useAlpn ) { registerNativeAlpn ( engine ) ; } } else if ( isIbmAlpnActive ( ) ) { registerIbmAlpn ( engine , useAlpn ) ; } else if ( this . isJettyAlpnActive ( ) && useAlpn ) { return registerJettyAlpn ( engine , link ) ; } else if ( this . isGrizzlyAlpnActive ( ) && useAlpn ) { return registerGrizzlyAlpn ( engine , link ) ; } return null ; } | Check for the Java 9 ALPN API IBM s ALPNJSSEExt jetty - alpn and grizzly - npn ; if any are present set up the connection for ALPN . Order of preference is Java 9 ALPN API IBM s ALPNJSSEExt jetty - alpn then grizzly - npn . |
162,422 | protected void tryToRemoveAlpnNegotiator ( ThirdPartyAlpnNegotiator negotiator , SSLEngine engine , SSLConnectionLink link ) { if ( negotiator == null && isNativeAlpnActive ( ) ) { getNativeAlpnChoice ( engine , link ) ; } else if ( negotiator == null && isIbmAlpnActive ( ) ) { getAndRemoveIbmAlpnChoice ( engine , link ) ; } else if ( negotiator != null && isJettyAlpnActive ( ) && negotiator instanceof JettyServerNegotiator ) { ( ( JettyServerNegotiator ) negotiator ) . removeEngine ( ) ; } else if ( negotiator != null && isGrizzlyAlpnActive ( ) && negotiator instanceof GrizzlyAlpnNegotiator ) { ( ( GrizzlyAlpnNegotiator ) negotiator ) . removeServerNegotiatorEngine ( ) ; } } | If ALPN is active try to remove the ThirdPartyAlpnNegotiator from the map of active negotiators |
162,423 | protected void getAndRemoveIbmAlpnChoice ( SSLEngine engine , SSLConnectionLink link ) { if ( this . isIbmAlpnActive ( ) ) { try { String [ ] alpnResult = ( String [ ] ) ibmAlpnGet . invoke ( null , engine ) ; ibmAlpnDelete . invoke ( null , engine ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { StringBuilder sb = new StringBuilder ( ) ; sb . append ( "getAndRemoveIbmAlpnChoice" ) ; if ( alpnResult != null && alpnResult . length > 0 ) { sb . append ( " results:" ) ; for ( String s : alpnResult ) { sb . append ( " " + s ) ; } sb . append ( " " + engine ) ; } else { sb . append ( ": ALPN not used for " + engine ) ; } Tr . debug ( tc , sb . toString ( ) ) ; } if ( alpnResult != null && alpnResult . length == 1 && h2 . equals ( alpnResult [ 0 ] ) ) { if ( link . getAlpnProtocol ( ) == null ) { link . setAlpnProtocol ( h2 ) ; } } } catch ( InvocationTargetException ie ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "getAndRemoveIbmAlpnChoice exception: " + ie . getTargetException ( ) ) ; } } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "getAndRemoveIbmAlpnChoice exception: " + e ) ; } } } } | Ask the JSSE ALPN provider for the protocol selected for the given SSLEngine then delete the engine from the ALPN provider s map . If the selected protocol was h2 set that as the protocol to use on the given link . |
162,424 | protected GrizzlyAlpnNegotiator registerGrizzlyAlpn ( SSLEngine engine , SSLConnectionLink link ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "registerGrizzlyAlpn entry " + engine ) ; } if ( grizzlyNegotiationSupport != null && grizzlyAlpnClientNegotiator != null && grizzlyAlpnServerNegotiator != null && grizzlyNegotiationSupportObject != null ) { try { GrizzlyAlpnNegotiator negotiator = new GrizzlyAlpnNegotiator ( engine , link ) ; if ( ! engine . getUseClientMode ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "initializeAlpn invoke AlpnServerNegotiator " + engine ) ; } Method m = grizzlyNegotiationSupport . getMethod ( "addNegotiator" , SSLEngine . class , grizzlyAlpnServerNegotiator ) ; m . invoke ( grizzlyNegotiationSupportObject , new Object [ ] { engine , java . lang . reflect . Proxy . newProxyInstance ( grizzlyAlpnServerNegotiator . getClassLoader ( ) , new java . lang . Class [ ] { grizzlyAlpnServerNegotiator } , negotiator ) } ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "initializeAlpn invoke AlpnClientNegotiator " + engine ) ; } Method m = grizzlyNegotiationSupport . getMethod ( "addNegotiator" , SSLEngine . class , grizzlyAlpnClientNegotiator ) ; m . invoke ( grizzlyNegotiationSupportObject , new Object [ ] { engine , java . lang . reflect . Proxy . newProxyInstance ( grizzlyAlpnClientNegotiator . getClassLoader ( ) , new java . lang . Class [ ] { grizzlyAlpnClientNegotiator } , negotiator ) } ) ; } return negotiator ; } catch ( InvocationTargetException ie ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "registerGrizzlyAlpn exception: " + ie . getTargetException ( ) ) ; } } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "registerGrizzlyAlpn grizzly-npn exception: " + e ) ; } } } return null ; } | Using grizzly - npn set up a new GrizzlyAlpnNegotiator to handle ALPN for a given SSLEngine and link |
162,425 | protected JettyServerNegotiator registerJettyAlpn ( final SSLEngine engine , SSLConnectionLink link ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "registerJettyAlpn entry " + engine ) ; } try { JettyServerNegotiator negotiator = new JettyServerNegotiator ( engine , link ) ; Method m = jettyAlpn . getMethod ( "put" , SSLEngine . class , jettyProviderInterface ) ; m . invoke ( null , new Object [ ] { engine , java . lang . reflect . Proxy . newProxyInstance ( jettyServerProviderInterface . getClassLoader ( ) , new java . lang . Class [ ] { jettyServerProviderInterface } , negotiator ) } ) ; return negotiator ; } catch ( InvocationTargetException ie ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "registerJettyAlpn exception: " + ie . getTargetException ( ) ) ; } } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "registerJettyAlpn jetty-alpn exception: " + e ) ; } } return null ; } | Using jetty - alpn set up a new JettyServerNotiator to handle ALPN for a given SSLEngine and link |
162,426 | public void addCase ( JMFType theCase ) { if ( theCase == null ) throw new NullPointerException ( "Variant case cannot be null" ) ; JSType newCase = ( JSType ) theCase ; if ( cases == null ) cases = new JSType [ 1 ] ; else { JSType [ ] oldCases = cases ; cases = new JSType [ oldCases . length + 1 ] ; System . arraycopy ( oldCases , 0 , cases , 0 , oldCases . length ) ; } newCase . parent = this ; newCase . siblingPosition = cases . length - 1 ; cases [ newCase . siblingPosition ] = newCase ; } | Add a case to the variant . Note that every variant must have at least one case . |
162,427 | BigInteger setMultiChoiceCount ( ) { if ( boxed == null ) { multiChoiceCount = BigInteger . ZERO ; for ( int i = 0 ; i < cases . length ; i ++ ) multiChoiceCount = multiChoiceCount . add ( cases [ i ] . setMultiChoiceCount ( ) ) ; } return multiChoiceCount ; } | otherwise it s the sum of the multiChoice counts for the cases . |
162,428 | public JSVariant [ ] getDominatedVariants ( int i ) { if ( dominated == null ) dominated = new JSVariant [ cases . length ] [ ] ; if ( dominated [ i ] == null ) { JSType acase = cases [ i ] ; if ( acase instanceof JSVariant ) dominated [ i ] = new JSVariant [ ] { ( JSVariant ) acase } ; else if ( acase instanceof JSTuple ) dominated [ i ] = ( ( JSTuple ) acase ) . getDominatedVariants ( ) ; else dominated [ i ] = new JSVariant [ 0 ] ; } return dominated [ i ] ; } | Get the unboxed variants dominated by a case of this variant |
162,429 | JSchema box ( Map context ) { if ( boxed != null ) return boxed ; JSVariant subTop = new JSVariant ( ) ; subTop . cases = cases ; subTop . boxedBy = this ; boxed = ( JSchema ) context . get ( subTop ) ; if ( boxed == null ) { boxed = new JSchema ( subTop , context ) ; for ( int i = 0 ; i < cases . length ; i ++ ) cases [ i ] . parent = subTop ; context . put ( subTop , boxed ) ; } return boxed ; } | includes a cyclic reference to a JSchema already under construction . |
162,430 | public int getBoxAccessor ( JMFSchema schema ) { for ( Accessor acc = boxAccessor ; acc != null ; acc = acc . next ) if ( schema == acc . schema ) return acc . accessor ; return - 1 ; } | Implement the general form of getBoxAccessor |
162,431 | public void setPrimaryRolePlayer ( com . ibm . wsspi . security . wim . model . RolePlayer value ) { this . primaryRolePlayer = value ; } | Sets the value of the primaryRolePlayer property . |
162,432 | public List < com . ibm . wsspi . security . wim . model . RolePlayer > getRelatedRolePlayer ( ) { if ( relatedRolePlayer == null ) { relatedRolePlayer = new ArrayList < com . ibm . wsspi . security . wim . model . RolePlayer > ( ) ; } return this . relatedRolePlayer ; } | Gets the value of the relatedRolePlayer property . |
162,433 | void stop ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "Stopping the HPEL managed service" ) ; } this . configRef . unregister ( ) ; } | Stop this service and free any allocated resources when the owning bundle is being stopped . |
162,434 | private static void reconcile ( JSType top , List defs , Map refs ) { List unres = ( List ) refs . get ( top . getFeatureName ( ) ) ; if ( unres != null ) for ( Iterator iter = unres . iterator ( ) ; iter . hasNext ( ) ; ) ( ( JSDynamic ) iter . next ( ) ) . setExpectedType ( top ) ; for ( Iterator iter = defs . iterator ( ) ; iter . hasNext ( ) ; ) { JSType one = ( JSType ) iter . next ( ) ; List ur = ( List ) refs . get ( one . getFeatureName ( ) ) ; if ( ur != null ) for ( Iterator jter = ur . iterator ( ) ; jter . hasNext ( ) ; ) ( ( JSDynamic ) jter . next ( ) ) . setExpectedType ( one ) ; } } | Subroutine to resolve dangling expected references |
162,435 | private static void addRef ( Map refs , String key , JSDynamic unres ) { List thisKey = ( List ) refs . get ( key ) ; if ( thisKey == null ) { thisKey = new ArrayList ( ) ; refs . put ( key , thisKey ) ; } thisKey . add ( unres ) ; } | Subroutine to enter a dangling expected reference in the refs map |
162,436 | private RepositoryResource getNewerResource ( RepositoryResource res1 , RepositoryResource res2 ) throws RepositoryResourceValidationException { RepositoryResource singleNonBetaResource = returnNonBetaResourceOrNull ( res1 , res2 ) ; if ( singleNonBetaResource != null ) { return singleNonBetaResource ; } if ( res1 . getType ( ) == ResourceType . INSTALL ) { Version4Digit res1Version = null ; Version4Digit res2Version = null ; try { res1Version = new Version4Digit ( ( ( ProductResourceWritable ) res1 ) . getProductVersion ( ) ) ; } catch ( IllegalArgumentException iae ) { throw new RepositoryResourceValidationException ( "The product version was invalid: " + res1Version , res1 . getId ( ) , iae ) ; } try { res2Version = new Version4Digit ( ( ( ProductResourceWritable ) res2 ) . getProductVersion ( ) ) ; } catch ( IllegalArgumentException iae ) { throw new RepositoryResourceValidationException ( "The product version was invalid: " + res2Version , res2 . getId ( ) , iae ) ; } if ( res1Version . compareTo ( res2Version ) > 0 ) { return res1 ; } else { return res2 ; } } else if ( res1 . getType ( ) == ResourceType . TOOL ) { return res1 ; } else { return compareNonProductResourceAppliesTo ( res1 , res2 ) ; } } | Return the higher version of the resource or the first one if this cannot be determined . For Products this is based off the ProductVersion and for everything else it is based of the appliesTo information . |
162,437 | private RepositoryResource compareNonProductResourceAppliesTo ( RepositoryResource res1 , RepositoryResource res2 ) { String res1AppliesTo = ( ( ApplicableToProduct ) res1 ) . getAppliesTo ( ) ; String res2AppliesTo = ( ( ApplicableToProduct ) res2 ) . getAppliesTo ( ) ; if ( res1AppliesTo == null && res2AppliesTo == null ) { return getNonProductResourceWithHigherVersion ( res1 , res2 ) ; } else if ( res1AppliesTo == null || res2AppliesTo == null ) { return res1 ; } MinAndMaxVersion res1MinMax = getMinAndMaxAppliesToVersionFromAppliesTo ( res1AppliesTo ) ; MinAndMaxVersion res2MinMax = getMinAndMaxAppliesToVersionFromAppliesTo ( res2AppliesTo ) ; if ( res1MinMax . min . compareTo ( res2MinMax . min ) > 0 ) { return res1 ; } else if ( res1MinMax . min . compareTo ( res2MinMax . min ) == 0 ) { if ( res1MinMax . max . compareTo ( res2MinMax . max ) > 0 ) { return res1 ; } else if ( res1MinMax . max . compareTo ( res2MinMax . max ) < 0 ) { return res2 ; } else { return getNonProductResourceWithHigherVersion ( res1 , res2 ) ; } } else { return res2 ; } } | This routine handles non product resources |
162,438 | private RepositoryResource getNonProductResourceWithHigherVersion ( RepositoryResource res1 , RepositoryResource res2 ) { if ( res1 . getVersion ( ) == null || res2 . getVersion ( ) == null ) { return res1 ; } Version4Digit res1Version = null ; Version4Digit res2Version = null ; try { res1Version = new Version4Digit ( res1 . getVersion ( ) ) ; res2Version = new Version4Digit ( res2 . getVersion ( ) ) ; } catch ( IllegalArgumentException iae ) { return res1 ; } if ( res1Version . compareTo ( res2Version ) > 0 ) { return res1 ; } else { return res2 ; } } | Return the resource with the highest version for when the appliesTo versions are equal |
162,439 | private MinAndMaxVersion getMinAndMaxAppliesToVersionFromAppliesTo ( String appliesTo ) { List < AppliesToFilterInfo > res1Filters = AppliesToProcessor . parseAppliesToHeader ( appliesTo ) ; Version4Digit highestVersion = null ; Version4Digit lowestVersion = null ; for ( AppliesToFilterInfo f : res1Filters ) { Version4Digit vHigh = ( f . getMaxVersion ( ) == null ) ? MAX_VERSION : new Version4Digit ( f . getMaxVersion ( ) . getValue ( ) ) ; Version4Digit vLow = ( f . getMinVersion ( ) == null ) ? MIN_VERSION : new Version4Digit ( f . getMinVersion ( ) . getValue ( ) ) ; if ( highestVersion == null || vHigh . compareTo ( highestVersion ) > 0 ) { highestVersion = vHigh ; lowestVersion = vLow ; } else if ( vHigh . compareTo ( highestVersion ) == 0 ) { if ( lowestVersion == null || vLow . compareTo ( lowestVersion ) > 0 ) { highestVersion = vHigh ; lowestVersion = vLow ; } } } return new MinAndMaxVersion ( lowestVersion , highestVersion ) ; } | Parse an appliesTo to get the lowest and highest version that this asset applies to and return an object describing this . |
162,440 | public boolean rarFileExists ( ) { final File zipFile = new File ( rarFilePath ) ; return AccessController . doPrivileged ( new PrivilegedAction < Boolean > ( ) { public Boolean run ( ) { return zipFile . exists ( ) ; } } ) ; } | Check that resource adapter path exists |
162,441 | public ClassLoader getClassLoader ( ) throws UnableToAdaptException , MalformedURLException { lock . readLock ( ) . lock ( ) ; try { if ( classloader != null ) return classloader ; } finally { lock . readLock ( ) . unlock ( ) ; } if ( ! rarFileExists ( ) ) return null ; lock . writeLock ( ) . lock ( ) ; try { if ( classloader == null ) { classloader = createRarClassLoader ( ) ; } return classloader ; } finally { lock . writeLock ( ) . unlock ( ) ; } } | Returns the class loader for the resource adapter . |
162,442 | private ProtectionDomain getProtectionDomain ( Container rarContainer ) throws UnableToAdaptException , MalformedURLException { PermissionCollection perms = new Permissions ( ) ; CodeSource codeSource ; try { String loc = rarFilePath ; codeSource = new CodeSource ( new URL ( "file://" + ( loc . startsWith ( "/" ) ? "" : "/" ) + loc ) , ( java . security . cert . Certificate [ ] ) null ) ; } catch ( MalformedURLException e ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "CodeSource could not be created for RA file path of: rarFilePath" , e ) ; } throw e ; } if ( ! java2SecurityEnabled ( ) ) { perms . add ( new AllPermission ( ) ) ; } else { PermissionsConfig permissionsConfig = null ; try { permissionsConfig = rarContainer . adapt ( PermissionsConfig . class ) ; } catch ( UnableToAdaptException ex ) { Tr . error ( tc , "J2CA8817.parse.deployment.descriptor.failed" , rarContainer . getName ( ) , "META-INF/permissions.xml" , ex ) ; throw ex ; } if ( permissionsConfig != null ) { List < com . ibm . ws . javaee . dd . permissions . Permission > configuredPermissions = permissionsConfig . getPermissions ( ) ; addPermissions ( codeSource , configuredPermissions ) ; } ArrayList < Permission > mergedPermissions = permissionManager . getEffectivePermissions ( rarFilePath ) ; int count = mergedPermissions . size ( ) ; for ( int i = 0 ; i < count ; i ++ ) perms . add ( mergedPermissions . get ( i ) ) ; } return new ProtectionDomain ( codeSource , perms ) ; } | Create a protection domain for the given RA that includes the effective server java security permissions as well as those defined in the RA s permissions . xml . |
162,443 | private boolean deleteBundleCacheDir ( File path ) { final boolean trace = TraceComponent . isAnyTracingEnabled ( ) ; if ( FileUtils . fileExists ( path ) ) { if ( trace && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Path specified exists: " + path . getPath ( ) ) ; } } else { if ( trace && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Path specified does not exist: " + path . getPath ( ) ) ; } return true ; } boolean deleteWorked = true ; for ( File file : FileUtils . listFiles ( path ) ) { if ( FileUtils . fileIsDirectory ( file ) ) { if ( trace && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Delete directory contents: " + file . toString ( ) ) ; } deleteWorked &= deleteBundleCacheDir ( file ) ; } else { if ( trace && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Delete file: " + file . toString ( ) ) ; } if ( ! FileUtils . fileDelete ( file ) ) { deleteWorked = false ; if ( trace && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Directory or file not deleted" ) ; } } } } if ( trace && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Delete path: " + path ) ; } if ( ! FileUtils . fileDelete ( path ) ) { deleteWorked = false ; if ( trace && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Path not deleted" ) ; } } return deleteWorked ; } | Deletes the directory and its contents or the file that is specified |
162,444 | public boolean addTransformer ( final ClassFileTransformer cft ) { boolean added = false ; for ( ClassLoader loader : followOnClassLoaders ) { if ( loader instanceof SpringLoader ) { added |= ( ( SpringLoader ) loader ) . addTransformer ( cft ) ; } } return added ; } | Spring to register the given ClassFileTransformer on this ClassLoader |
162,445 | public ClassLoader getThrowawayClassLoader ( ) { ClassLoader newParent = getThrowawayVersion ( getParent ( ) ) ; ClassLoader [ ] newFollowOns = new ClassLoader [ followOnClassLoaders . size ( ) ] ; for ( int i = 0 ; i < newFollowOns . length ; i ++ ) { newFollowOns [ i ] = getThrowawayVersion ( followOnClassLoaders . get ( i ) ) ; } return new UnifiedClassLoader ( newParent , newFollowOns ) ; } | Special method used by Spring to obtain a throwaway class loader for this ClassLoader |
162,446 | public void throwing ( Level level , String sourceClass , String sourceMethod , Throwable thrown ) { logp ( level , sourceClass , sourceMethod , null , thrown ) ; } | Log throwing an exception . |
162,447 | public Dispatchable addDispatchableForLocalTransaction ( int clientTransactionId ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "addDispatchableForLocalTransaction" , "" + clientTransactionId ) ; if ( idToFirstLevelEntryMap . containsKey ( clientTransactionId ) ) { final SIErrorException exception = new SIErrorException ( CommsConstants . TRANTODISPATCHMAP_ADDDISPATCHLOCALTX_01 ) ; FFDCFilter . processException ( exception , CLASS_NAME + ".addDispatchableForLocalTransaction" , CommsConstants . TRANTODISPATCHMAP_ADDDISPATCHLOCALTX_01 , new Object [ ] { "" + clientTransactionId , idToFirstLevelEntryMap , this } ) ; if ( tc . isEventEnabled ( ) ) SibTr . exception ( this , tc , exception ) ; throw exception ; } LocalFirstLevelMapEntry entry = new LocalFirstLevelMapEntry ( ) ; Dispatchable result = entry . getDispatchable ( ) ; idToFirstLevelEntryMap . put ( clientTransactionId , entry ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "addDispatchableForLocalTransaction" , result ) ; return result ; } | Adds a dispatchable for use with a specific local transaction . Typically this is done by the done by the TCP channel thread when it determines it is about to pass the transmission relating to the start of a local transaction to the receive listener dispatcher . |
162,448 | public Dispatchable addEnlistedDispatchableForGlobalTransaction ( int clientXAResourceId , XidProxy xid ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "addEnlistedDispatchableForGlobalTransaction" , new Object [ ] { "" + clientXAResourceId } ) ; AbstractFirstLevelMapEntry firstLevelEntry = null ; if ( idToFirstLevelEntryMap . containsKey ( clientXAResourceId ) ) { firstLevelEntry = ( AbstractFirstLevelMapEntry ) idToFirstLevelEntryMap . get ( clientXAResourceId ) ; } GlobalFirstLevelMapEntry entry = null ; if ( firstLevelEntry == null ) { entry = new GlobalFirstLevelMapEntry ( ) ; idToFirstLevelEntryMap . put ( clientXAResourceId , entry ) ; } else { if ( firstLevelEntry . isLocalTransaction ( ) ) { final SIErrorException exception = new SIErrorException ( CommsConstants . TRANTODISPATCHMAP_ADDENLISTEDGLOBALTX_01 ) ; FFDCFilter . processException ( exception , CLASS_NAME + ".addEnlistedDispatchableForGlobalTransaction" , CommsConstants . TRANTODISPATCHMAP_ADDENLISTEDGLOBALTX_01 , new Object [ ] { "" + clientXAResourceId , idToFirstLevelEntryMap , this } ) ; if ( tc . isEventEnabled ( ) ) SibTr . exception ( this , tc , exception ) ; throw exception ; } entry = ( GlobalFirstLevelMapEntry ) firstLevelEntry ; } final Dispatchable result = entry . createNewEnlistedDispatchable ( xid ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "addEnlistedDispatchableForGlobalTransaction" , result ) ; return result ; } | Adds a dispatchable for use with a specific SIXAResource which is currently enlisted in a global transaction . Typically this is done by the TCP channel thread when it determines that it is about to pass the transmission relating to the XA_START of enlistment into a global transaction to the receive listener dispatcher . |
162,449 | public Dispatchable getDispatchable ( int clientId ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getDispatchable" , "" + clientId ) ; AbstractFirstLevelMapEntry firstLevelEntry = null ; if ( idToFirstLevelEntryMap . containsKey ( clientId ) ) { firstLevelEntry = ( AbstractFirstLevelMapEntry ) idToFirstLevelEntryMap . get ( clientId ) ; } final Dispatchable result ; if ( firstLevelEntry == null ) { result = null ; } else if ( firstLevelEntry . isLocalTransaction ( ) ) { result = ( ( LocalFirstLevelMapEntry ) firstLevelEntry ) . getDispatchable ( ) ; } else { result = ( ( GlobalFirstLevelMapEntry ) firstLevelEntry ) . getEnlistedDispatchable ( ) ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getDispatchable" , result ) ; return result ; } | Obtains a dispatchable for the specified client side transaction ID . The dispatchable returned will either correspond to an in - flight local transaction or an inflight enlisted SIXAResource . If there is no corresponding dispatchable in the table the a value of null is returned . |
162,450 | public Dispatchable removeDispatchableForLocalTransaction ( int clientId ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "removeDispatchableForLocalTransaction" , "" + clientId ) ; AbstractFirstLevelMapEntry firstLevelEntry = null ; if ( idToFirstLevelEntryMap . containsKey ( clientId ) ) { firstLevelEntry = ( AbstractFirstLevelMapEntry ) idToFirstLevelEntryMap . get ( clientId ) ; } final Dispatchable result ; if ( firstLevelEntry == null ) { result = null ; } else { if ( firstLevelEntry . isLocalTransaction ( ) ) { result = ( ( LocalFirstLevelMapEntry ) firstLevelEntry ) . getDispatchable ( ) ; idToFirstLevelEntryMap . remove ( clientId ) ; } else { final SIErrorException exception = new SIErrorException ( CommsConstants . TRANTODISPATCHMAP_REMOVEFORLOCALTX_01 ) ; FFDCFilter . processException ( exception , CLASS_NAME + ".removeDispatchableForLocalTransaction" , CommsConstants . TRANTODISPATCHMAP_REMOVEFORLOCALTX_01 , new Object [ ] { "" + clientId , firstLevelEntry , idToFirstLevelEntryMap , this } ) ; if ( tc . isEventEnabled ( ) ) SibTr . exception ( this , tc , exception ) ; throw exception ; } } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "removeDispatchableForLocalTransaction" , result ) ; return result ; } | Removes from the table the dispatchable corresponding to a local transaction . |
162,451 | public void removeAllDispatchablesForTransaction ( int clientId ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "removeAllDispatchablesForTransaction" , clientId ) ; idToFirstLevelEntryMap . remove ( clientId ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "removeAllDispatchablesForTransaction" ) ; } | In the event that the connection is going down we need to ensure that the dispatchable table is cleared of all references to transactions that were created by that connection . |
162,452 | public Dispatchable addDispatchableForOptimizedLocalTransaction ( int transactionId ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "addDispatchableForOptimizedLocalTransaction" , "" + transactionId ) ; final Dispatchable result = addDispatchableForLocalTransaction ( transactionId ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "addDispatchableForOptimizedLocalTransaction" , result ) ; return result ; } | Adds a new dispatchable to the map for an optimized local transaction . |
162,453 | public int getTotalDispatchables ( ) { int count = 0 ; Iterator i = idToFirstLevelEntryMap . iterator ( ) ; while ( i . hasNext ( ) ) ++ count ; return count ; } | For unit test use only! |
162,454 | @ SuppressWarnings ( "unchecked" ) protected < T extends RepositoryResourceImpl > T createNewResource ( ) { T result ; if ( null == getType ( ) ) { result = ( T ) createTestResource ( getRepositoryConnection ( ) ) ; } else { result = ResourceFactory . getInstance ( ) . createResource ( getType ( ) , getRepositoryConnection ( ) , null ) ; } return result ; } | Creates a new resource using the same logon infomation as this resource |
162,455 | public MatchResult matches ( ProductDefinition def ) { Collection < AppliesToFilterInfo > atfiList = _asset . getWlpInformation ( ) . getAppliesToFilterInfo ( ) ; if ( atfiList == null || atfiList . isEmpty ( ) ) { return MatchResult . NOT_APPLICABLE ; } MatchResult matchResult = MatchResult . MATCHED ; for ( AppliesToFilterInfo atfi : atfiList ) { if ( ! ! ! atfi . getProductId ( ) . equals ( def . getId ( ) ) ) { matchResult = MatchResult . NOT_APPLICABLE ; continue ; } else { if ( def . getVersion ( ) != null && ! def . getVersion ( ) . isEmpty ( ) ) { Version checkVersion = new Version ( def . getVersion ( ) ) ; VersionRange vr = FilterVersion . getFilterRange ( atfi . getMinVersion ( ) , atfi . getMaxVersion ( ) ) ; if ( ! vr . includes ( checkVersion ) ) { return MatchResult . INVALID_VERSION ; } } if ( atfi . getRawEditions ( ) != null && ! ! ! atfi . getRawEditions ( ) . isEmpty ( ) && ! ! ! atfi . getRawEditions ( ) . contains ( def . getEdition ( ) ) ) { return MatchResult . INVALID_EDITION ; } if ( atfi . getInstallType ( ) != null && ! ! ! atfi . getInstallType ( ) . equals ( def . getInstallType ( ) ) ) { return MatchResult . INVALID_INSTALL_TYPE ; } return MatchResult . MATCHED ; } } return matchResult ; } | Check if this resources matches the supplied product definition |
162,456 | private synchronized void readAttachmentsFromAsset ( Asset ass ) { Collection < Attachment > attachments = ass . getAttachments ( ) ; _attachments = new HashMap < String , AttachmentResourceImpl > ( ) ; if ( attachments != null ) { for ( Attachment at : attachments ) { _attachments . put ( at . getName ( ) , new AttachmentResourceImpl ( at ) ) ; if ( at . getType ( ) == AttachmentType . CONTENT ) { _contentAttached = true ; } } } } | Read the attachments from the supplied asset and create an AttachmentResource to represent them and then store them in our AttachmentResource list |
162,457 | public UpdateType updateRequired ( RepositoryResourceImpl matching ) { if ( null == matching ) { return UpdateType . ADD ; } if ( equivalentWithoutAttachments ( matching ) ) { return UpdateType . NOTHING ; } else { _asset . set_id ( matching . getId ( ) ) ; return UpdateType . UPDATE ; } } | Decide whether an attachment needs updating . |
162,458 | public RepositoryResourceMatchingData createMatchingData ( ) { RepositoryResourceMatchingData matchingData = new RepositoryResourceMatchingData ( ) ; matchingData . setName ( getName ( ) ) ; matchingData . setProviderName ( getProviderName ( ) ) ; matchingData . setType ( getType ( ) ) ; return matchingData ; } | Creates an object which can be used to compare with another resource s to determine if they represent the same asset . |
162,459 | public List < RepositoryResourceImpl > findMatchingResource ( ) throws RepositoryResourceValidationException , RepositoryBackendException , RepositoryBadDataException , RepositoryResourceNoConnectionException { List < RepositoryResourceImpl > matchingRes ; try { matchingRes = performMatching ( ) ; if ( matchingRes != null && matchingRes . size ( ) > 1 ) { StringBuilder warningMessage = new StringBuilder ( "More than one match found for " + getName ( ) + ":" ) ; for ( RepositoryResourceImpl massiveResource : matchingRes ) { warningMessage . append ( "\n\t" + massiveResource . getName ( ) + " (" + massiveResource . getId ( ) + ")" ) ; } logger . warning ( warningMessage . toString ( ) ) ; } } catch ( BadVersionException bvx ) { throw new RepositoryBadDataException ( "BadDataException accessing asset" , getId ( ) , bvx ) ; } catch ( RequestFailureException bfe ) { throw new RepositoryBackendRequestFailureException ( bfe , getRepositoryConnection ( ) ) ; } return matchingRes ; } | This method tries to find out if there is a match for this resource already in massive . |
162,460 | protected void copyFieldsFrom ( RepositoryResourceImpl fromResource , boolean includeAttachmentInfo ) { setName ( fromResource . getName ( ) ) ; setDescription ( fromResource . getDescription ( ) ) ; setShortDescription ( fromResource . getShortDescription ( ) ) ; setProviderName ( fromResource . getProviderName ( ) ) ; setProviderUrl ( fromResource . getProviderUrl ( ) ) ; setVersion ( fromResource . getVersion ( ) ) ; setDownloadPolicy ( fromResource . getDownloadPolicy ( ) ) ; setLicenseId ( fromResource . getLicenseId ( ) ) ; setLicenseType ( fromResource . getLicenseType ( ) ) ; setMainAttachmentSize ( fromResource . getMainAttachmentSize ( ) ) ; setMainAttachmentSHA256 ( fromResource . getMainAttachmentSHA256 ( ) ) ; setFeaturedWeight ( fromResource . getFeaturedWeight ( ) ) ; setDisplayPolicy ( fromResource . getDisplayPolicy ( ) ) ; setVanityURL ( fromResource . getVanityURL ( ) ) ; setWlpInformationVersion ( fromResource . getWlpInformationVersion ( ) ) ; setMavenCoordinates ( fromResource . getMavenCoordinates ( ) ) ; if ( includeAttachmentInfo ) { setMainAttachmentSize ( fromResource . getMainAttachmentSize ( ) ) ; } _asset . getWlpInformation ( ) . setAppliesToFilterInfo ( fromResource . getAsset ( ) . getWlpInformation ( ) . getAppliesToFilterInfo ( ) ) ; } | Resources should override this method to copy fields that should be used as part of an update |
162,461 | public void overWriteAssetData ( RepositoryResourceImpl fromResource , boolean includeAttachmentInfo ) throws RepositoryResourceValidationException { if ( ! fromResource . getClass ( ) . getName ( ) . equals ( getClass ( ) . getName ( ) ) ) { throw new RepositoryResourceValidationException ( "Expected class of type " + getClass ( ) . getName ( ) + " but was " + fromResource . getClass ( ) . getName ( ) , this . getId ( ) ) ; } fromResource . copyFieldsFrom ( this , includeAttachmentInfo ) ; _asset = fromResource . _asset ; } | This method copies the fields from this that we care about to the fromResource . Then we set our asset to point to the one in fromResource . In effect this means we get all the details from the fromResource and override fields we care about and store the merged result in our asset . |
162,462 | public void moveToState ( State state ) throws RepositoryBackendException , RepositoryResourceException { if ( getState ( ) == null ) { return ; } int counter = 0 ; while ( getState ( ) != state ) { counter ++ ; StateAction nextAction = getState ( ) . getNextAction ( state ) ; performLifeCycle ( nextAction ) ; if ( counter >= 10 ) { throw new RepositoryResourceLifecycleException ( "Unable to move to state " + state + " after 10 state transistion attempts. Resource left in state " + getState ( ) , getId ( ) , getState ( ) , nextAction ) ; } } } | Moves the resource to the desired state |
162,463 | public boolean equivalent ( Object obj ) { if ( this == obj ) return true ; if ( obj == null ) return false ; if ( getClass ( ) != obj . getClass ( ) ) return false ; RepositoryResourceImpl other = ( RepositoryResourceImpl ) obj ; if ( _asset == null ) { if ( other . _asset != null ) return false ; } else if ( ! _asset . equivalent ( other . _asset ) ) return false ; return true ; } | Checks if the two resources are equivalent by checking if the assets are equivalent . |
162,464 | private static long getCRC ( InputStream is ) throws IOException { CheckedInputStream check = new CheckedInputStream ( is , new CRC32 ( ) ) ; BufferedInputStream in = new BufferedInputStream ( check ) ; while ( in . read ( ) != - 1 ) { } long crc = check . getChecksum ( ) . getValue ( ) ; return crc ; } | Get the CRC of a file from an InputStream |
162,465 | public boolean record ( String holderName , String heldName ) { return i_record ( internHolder ( holderName , Util_InternMap . DO_FORCE ) , internHeld ( heldName , Util_InternMap . DO_FORCE ) ) ; } | Or rely on the caller to know to make no store calls? |
162,466 | private static TraceComponent getTc ( ) { if ( tc == null ) { tc = Tr . register ( FileLogHolder . class , null , "com.ibm.ws.logging.internal.resources.LoggingMessages" ) ; } return tc ; } | This method will get an instance of TraceComponent |
162,467 | private PrintStream getPrimaryStream ( boolean showError ) { File primaryFile = getPrimaryFile ( ) ; setStreamFromFile ( primaryFile , false , primaryFile . length ( ) , showError ) ; return currentPrintStream ; } | This assume that the primary file exists . |
162,468 | public ManagedServiceFactory addingService ( ServiceReference < ManagedServiceFactory > reference ) { String [ ] factoryPids = getServicePid ( reference ) ; if ( factoryPids == null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "handleRegistration(): Invalid service.pid type: " + reference ) ; } return null ; } ManagedServiceFactory msf = context . getService ( reference ) ; if ( msf == null ) return null ; synchronized ( caFactory . getConfigurationStore ( ) ) { for ( String factoryPid : factoryPids ) { add ( reference , factoryPid , msf ) ; } } return msf ; } | Processes registered ManagedServiceFactory and updates each with their own configuration properties . |
162,469 | public void removedService ( ServiceReference < ManagedServiceFactory > reference , ManagedServiceFactory service ) { String [ ] factoryPids = getServicePid ( reference ) ; if ( factoryPids == null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "removedService(): Invalid service.pid type: " + reference ) ; } return ; } synchronized ( caFactory . getConfigurationStore ( ) ) { for ( String pid : factoryPids ) { remove ( reference , pid ) ; } } context . ungetService ( reference ) ; } | MangedServiceFactory service removed . Process removal and unget service from its context . |
162,470 | private Container getContainerRootParent ( Container base ) { Container puBase = base . getEnclosingContainer ( ) ; while ( puBase != null && ! puBase . isRoot ( ) ) { puBase = puBase . getEnclosingContainer ( ) ; } if ( puBase != null && puBase . isRoot ( ) ) { Container parent = puBase . getEnclosingContainer ( ) ; if ( parent != null ) { puBase = parent ; } } return puBase ; } | Navigates to the root of the base container and returns the parent container |
162,471 | protected boolean isAutocompleteOff ( FacesContext facesContext , UIComponent component ) { if ( component instanceof HtmlInputText ) { String autocomplete = ( ( HtmlInputText ) component ) . getAutocomplete ( ) ; if ( autocomplete != null ) { return autocomplete . equals ( AUTOCOMPLETE_VALUE_OFF ) ; } } return false ; } | If autocomplete is on or not set do not render it |
162,472 | private MasterEntry updateLpMaps ( LWMConfig lp ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , "updateLpMaps" , lp ) ; } SIBLocalizationPoint lpConfig = ( ( SIBLocalizationPoint ) lp ) ; String lpName = lpConfig . getIdentifier ( ) ; if ( lpMap . containsKey ( lpName ) ) { lpMap . remove ( lpName ) ; } LocalizationDefinition ld = ( ( JsAdminFactoryImpl ) jsaf ) . createLocalizationDefinition ( lpConfig ) ; LocalizationEntry lEntry = new LocalizationEntry ( ld ) ; lpMap . put ( lpName , lEntry ) ; String destName = lpName . substring ( 0 , lpName . indexOf ( "@" ) ) ; MasterEntry masterEntry = masterMap . get ( destName ) ; if ( masterEntry == null ) { masterEntry = new MasterEntry ( ) ; } masterEntry . setDestinationLocalization ( ld ) ; masterMap . put ( destName , masterEntry ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , "updateLpMaps" , lpMap ) ; } return masterEntry ; } | Update the given SIBLocalizationPoint in the internal data structures lpMap |
162,473 | public boolean addLocalizationPoint ( LWMConfig lp , DestinationDefinition dd ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , "addLocalizationPoint" , lp ) ; } boolean valid = false ; LocalizationDefinition ld = ( ( JsAdminFactoryImpl ) jsaf ) . createLocalizationDefinition ( lp ) ; if ( ! isInZOSServentRegion ( ) ) { _mpAdmin = ( ( SIMPAdmin ) _me . getMessageProcessor ( ) ) . getAdministrator ( ) ; } try { _mpAdmin . createDestinationLocalization ( dd , ld ) ; updatedDestDefList . add ( dd ) ; updatedLocDefList . add ( ld ) ; LocalizationEntry lEntry = new LocalizationEntry ( ld ) ; lpMap . put ( ld . getName ( ) , lEntry ) ; MasterEntry newMasterEntry = new MasterEntry ( ) ; newMasterEntry . setDestinationLocalization ( ld ) ; masterMap . put ( dd . getName ( ) , newMasterEntry ) ; valid = true ; } catch ( Exception e ) { SibTr . error ( tc , "LOCALIZATION_EXCEPTION_SIAS0113" , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , "addLocalizationPoint" , Boolean . valueOf ( valid ) ) ; } return valid ; } | Add a single localization point to this JsLocalizer object and tell MP about it . This method is used by dynamic config in tWAS . |
162,474 | private boolean isNewDestination ( String key ) { Object dd = null ; try { dd = _me . getSIBDestinationByUuid ( _me . getBusName ( ) , key , false ) ; } catch ( Exception e ) { } return ( dd == null ) ; } | Check the old destination cache if the destination is not found then it has just been created . This method assumes that the destination is in the new cache - this is not checked . |
162,475 | public void alterLocalizationPoint ( BaseDestination destination , LWMConfig lp ) throws Exception { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , "alterLocalizationPoint" , lp ) ; } boolean valid = true ; DestinationDefinition dd = null ; DestinationAliasDefinition dAliasDef = null ; String key = getMasterMapKey ( lp ) ; MasterEntry m = updateLpMaps ( lp ) ; if ( m == null ) { String reason = CLASS_NAME + ".alterLocalizationPoint(): Entry for name " + key + " not found in cache" ; SibTr . error ( tc , "INTERNAL_ERROR_SIAS0003" , reason ) ; valid = false ; } else { try { BaseDestinationDefinition bdd = _me . getSIBDestination ( _me . getBusName ( ) , key ) ; if ( destination . isAlias ( ) ) { AliasDestination aliasDest = ( AliasDestination ) destination ; dAliasDef = modifyAliasDestDefinition ( aliasDest , ( DestinationAliasDefinition ) bdd ) ; } else { dd = ( DestinationDefinition ) modifyDestDefinition ( destination , bdd ) ; } } catch ( Exception e ) { com . ibm . ws . ffdc . FFDCFilter . processException ( e , CLASS_NAME + ".alterLocalizationPoint" , "1" , this ) ; SibTr . exception ( tc , e ) ; String reason = m . getDestinationLocalization ( ) . getName ( ) ; valid = false ; } } if ( valid == true && ! isInZOSServentRegion ( ) && _mpAdmin != null ) { if ( destination . isAlias ( ) ) { _mpAdmin . alterDestinationAlias ( dAliasDef ) ; } else { LocalizationDefinition ld = m . getDestinationLocalization ( ) ; ld . setAlterationTime ( dd . getAlterationTime ( ) ) ; ld . setSendAllowed ( dd . isSendAllowed ( ) ) ; _mpAdmin . alterDestinationLocalization ( dd , ld ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "alterLocalizationPoint: LP altered on existing destination deferring alter until end, UUID=" + key + " Name=" + dd . getName ( ) ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , "alterLocalizationPoint" ) ; } } | Modify the given localization point and tell MP . The parameter is a new SIBLocalizationPoint which will replace the existing object inside of this . This method is used by dynamic config . |
162,476 | private String getMasterMapKey ( LWMConfig lp ) { String key = null ; String lpIdentifier = ( ( SIBLocalizationPoint ) lp ) . getIdentifier ( ) ; key = lpIdentifier . substring ( 0 , lpIdentifier . indexOf ( "@" ) ) ; return key ; } | Returns the name of the destination associated with the supplied localization point . |
162,477 | private void deleteDestLocalizations ( JsBus bus ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , "deleteDestLocalizations" , this ) ; } Iterator i = alterDestinations . iterator ( ) ; while ( i . hasNext ( ) ) { String key = ( String ) i . next ( ) ; try { DestinationDefinition dd = ( DestinationDefinition ) _me . getSIBDestination ( bus . getName ( ) , key ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "deleteDestLocalizations: deleting DestinationLocalization, name =" + key + " Name=" ) ; } if ( ! isInZOSServentRegion ( ) && _mpAdmin != null ) { LocalizationEntry dldEntry = ( LocalizationEntry ) lpMap . get ( dd . getName ( ) + "@" + _me . getName ( ) ) ; LocalizationDefinition dld = ( LocalizationDefinition ) dldEntry . getLocalizationDefinition ( ) ; _mpAdmin . deleteDestinationLocalization ( dd . getUUID ( ) . toString ( ) , null ) ; } } catch ( Exception e ) { com . ibm . ws . ffdc . FFDCFilter . processException ( e , CLASS_NAME + ".deleteDestLocalizations" , "1" , this ) ; SibTr . exception ( tc , e ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , "deleteDestLocalizations" ) ; } } | Tell MP about all deleted LPs that previously existed on locations which have also been deleted . |
162,478 | static File getLogDirectory ( Object newValue , File defaultDirectory ) { File newDirectory = defaultDirectory ; if ( newValue != null && newValue instanceof String ) { newDirectory = new File ( ( String ) newValue ) ; } if ( newDirectory == null ) { String value = "." ; try { value = AccessController . doPrivileged ( new java . security . PrivilegedExceptionAction < String > ( ) { public String run ( ) throws Exception { return System . getProperty ( "user.dir" ) ; } } ) ; } catch ( Exception ex ) { } newDirectory = new File ( value ) ; } return LoggingFileUtils . validateDirectory ( newDirectory ) ; } | Find create and validate the log directory . |
162,479 | public static String getStringValue ( Object newValue , String defaultValue ) { if ( newValue == null ) return defaultValue ; return ( String ) newValue ; } | If the value is null return the defaultValue . Otherwise return the new value . |
162,480 | public static TraceFormat getFormatValue ( Object newValue , TraceFormat defaultValue ) { if ( newValue != null && newValue instanceof String ) { String strValue = ( ( String ) newValue ) . toUpperCase ( ) ; try { return TraceFormat . valueOf ( strValue ) ; } catch ( Exception e ) { } } return defaultValue ; } | Convert the property value to a TraceFormat type |
162,481 | public static String getStringFromCollection ( Collection < String > values ) { StringBuilder builder = new StringBuilder ( ) ; if ( values != null ) { for ( String value : values ) { builder . append ( value ) . append ( ',' ) ; } if ( builder . charAt ( builder . length ( ) - 1 ) == ',' ) builder . deleteCharAt ( builder . length ( ) - 1 ) ; } return builder . toString ( ) ; } | Convert a collection of String values back into a comma separated list |
162,482 | private Number readNumber ( ) throws IOException { StringBuffer sb = new StringBuffer ( ) ; int l = lineNo ; int c = colNo ; while ( isDigitChar ( lastChar ) ) { sb . append ( ( char ) lastChar ) ; readChar ( ) ; } String string = sb . toString ( ) ; try { if ( - 1 != string . indexOf ( '.' ) ) { return Double . valueOf ( string ) ; } String sign = "" ; if ( string . startsWith ( "-" ) ) { sign = "-" ; string = string . substring ( 1 ) ; } if ( string . toUpperCase ( ) . startsWith ( "0X" ) ) { return Long . valueOf ( sign + string . substring ( 2 ) , 16 ) ; } if ( string . equals ( "0" ) ) { return new Long ( 0 ) ; } else if ( string . startsWith ( "0" ) && string . length ( ) > 1 ) { return Long . valueOf ( sign + string . substring ( 1 ) , 8 ) ; } if ( string . indexOf ( "e" ) != - 1 || string . indexOf ( "E" ) != - 1 ) { return Double . valueOf ( sign + string ) ; } else { return Long . valueOf ( sign + string , 10 ) ; } } catch ( NumberFormatException e ) { IOException iox = new IOException ( "Invalid number literal " + onLineCol ( l , c ) ) ; iox . initCause ( e ) ; throw iox ; } } | Method to read a number from the JSON string . |
162,483 | private String readIdentifier ( ) throws IOException { StringBuffer sb = new StringBuffer ( ) ; while ( ( - 1 != lastChar ) && Character . isLetter ( ( char ) lastChar ) ) { sb . append ( ( char ) lastChar ) ; readChar ( ) ; } return sb . toString ( ) ; } | Method to read a partular character string . only really need to handle null true and false |
162,484 | public static AuthenticationData createAuthenticationData ( String userName , UserRegistry userRegistry ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , CLASS_NAME + "createAuthenticationData" , userName ) ; } AuthenticationData authData = new WSAuthenticationData ( ) ; if ( userName == null ) { userName = "" ; } String realm = getDefaultRealm ( userRegistry ) ; authData . set ( AuthenticationData . USERNAME , userName ) ; authData . set ( AuthenticationData . REALM , realm ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , CLASS_NAME + "createAuthenticationData" , authData ) ; } return authData ; } | Create the AuthenticationData from the UserName |
162,485 | public static AuthenticationData createAuthenticationData ( byte [ ] token ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , CLASS_NAME + "createAuthenticationData" , token ) ; } AuthenticationData authData = new WSAuthenticationData ( ) ; authData . set ( AuthenticationData . TOKEN , token ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , CLASS_NAME + "createAuthenticationData" , authData ) ; } return authData ; } | Create AuthenticationData object from the Token passed |
162,486 | public static AuthenticationData createAuthenticationData ( String userName , String password ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , CLASS_NAME + "createAuthenticationData" , new Object [ ] { userName , "Password Not Traced" } ) ; } AuthenticationData authData = new WSAuthenticationData ( ) ; if ( userName == null ) userName = "" ; if ( password == null ) password = "" ; authData . set ( AuthenticationData . USERNAME , userName ) ; authData . set ( AuthenticationData . PASSWORD , new ProtectedString ( password . toCharArray ( ) ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , CLASS_NAME + "createAuthenticationData" , authData ) ; } return authData ; } | Create AuthenticationData Object from the UserName and Password passed |
162,487 | public static AuthenticationData createAuthenticationData ( Certificate [ ] certs , UserRegistry userRegistry ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , CLASS_NAME + "createAuthenticationData" , certs ) ; } AuthenticationData authData = new WSAuthenticationData ( ) ; X509Certificate [ ] _certs ; _certs = new X509Certificate [ certs . length ] ; for ( int i = 0 ; i < certs . length ; i ++ ) { if ( certs [ i ] instanceof X509Certificate ) { _certs [ i ] = ( X509Certificate ) certs [ i ] ; } else { _certs = null ; break ; } } authData . set ( AuthenticationData . CERTCHAIN , _certs ) ; authData . set ( AuthenticationData . REALM , getDefaultRealm ( userRegistry ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , CLASS_NAME + "createAuthenticationData" , authData ) ; } return authData ; } | Create AuthenticationData object from the Certificate |
162,488 | private static String getDefaultRealm ( UserRegistry _userRegistry ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , CLASS_NAME + "getDefaultRealm" ) ; } String realm = DEFAULT_REALM ; if ( _userRegistry != null ) { realm = _userRegistry . getRealm ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , CLASS_NAME + "getDefaultRealm" , realm ) ; } return realm ; } | Get the Default Realm |
162,489 | public static String getUniqueUserName ( Subject subject ) throws MessagingSecurityException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , CLASS_NAME + "getUniqueUserName" , subject ) ; } if ( subject == null ) { return null ; } WSCredential cred = subjectHelper . getWSCredential ( subject ) ; String userName = null ; if ( cred != null ) { try { userName = cred . getSecurityName ( ) ; } catch ( CredentialException ce ) { throw new MessagingSecurityException ( ce ) ; } catch ( CredentialDestroyedException e ) { throw new MessagingSecurityException ( e ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , CLASS_NAME + "getUniqueUserName" , userName ) ; } return userName ; } | This method returns the unique name of the user that was being authenticated . This is a best can do process and a user name may not be available in which case null should be returned . This method should not return an empty string . |
162,490 | public static boolean isUnauthenticated ( Subject subject ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . entry ( tc , CLASS_NAME + "isUnauthenticated" , subject ) ; } boolean result = subjectHelper . isUnauthenticated ( subject ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { SibTr . exit ( tc , CLASS_NAME + "isUnauthenticated" , result ) ; } return result ; } | Check if the Subject is Authenticated |
162,491 | public E pop ( ) throws EmptyStackException { E answer = peek ( ) ; _elements . get ( ) . remove ( _elements . get ( ) . size ( ) - 1 ) ; return answer ; } | Pop and return the top element of the stack for this thread |
162,492 | public ThreadContextDescriptor deserializeThreadContext ( Map < String , String > execProps ) throws IOException , ClassNotFoundException { return threadContextBytes == null ? null : ThreadContextDeserializer . deserialize ( threadContextBytes , execProps ) ; } | Returns the thread context that was captured at the point when the task was submitted . |
162,493 | public static HandlerChainInfo buildHandlerChainInfoFromXML ( HandlerChain hChain ) { HandlerChainInfo hcInfo = new HandlerChainInfo ( ) ; if ( hChain . getServiceNamePattern ( ) != null ) { hcInfo . setServiceNamePattern ( new QName ( hChain . getServiceNamePattern ( ) . getNamespaceURI ( ) , hChain . getServiceNamePattern ( ) . getLocalPart ( ) ) ) ; } else { hcInfo . setServiceNamePattern ( new QName ( "*" ) ) ; } if ( hChain . getPortNamePattern ( ) != null ) { hcInfo . setPortNamePattern ( new QName ( hChain . getPortNamePattern ( ) . getNamespaceURI ( ) , hChain . getPortNamePattern ( ) . getLocalPart ( ) ) ) ; } else { hcInfo . setPortNamePattern ( new QName ( "*" ) ) ; } hcInfo . addProtocolBindings ( hChain . getProtocolBindings ( ) ) ; for ( com . ibm . ws . javaee . dd . common . wsclient . Handler handler : hChain . getHandlers ( ) ) { hcInfo . addHandlerInfo ( buildHandlerInfoFromXML ( handler ) ) ; } return hcInfo ; } | Build the handlerChain info from web . xml |
162,494 | public static HandlerInfo buildHandlerInfoFromXML ( com . ibm . ws . javaee . dd . common . wsclient . Handler handler ) { HandlerInfo hInfo = new HandlerInfo ( ) ; hInfo . setHandlerClass ( handler . getHandlerClassName ( ) ) ; hInfo . setHandlerName ( handler . getHandlerName ( ) ) ; for ( ParamValue pv : handler . getInitParams ( ) ) { hInfo . addInitParam ( new ParamValueInfo ( pv . getName ( ) , pv . getValue ( ) ) ) ; } for ( String soapRole : handler . getSoapRoles ( ) ) { hInfo . addSoapRole ( soapRole ) ; } for ( com . ibm . ws . javaee . dd . common . QName header : handler . getSoapHeaders ( ) ) { hInfo . addSoapHeader ( new XsdQNameInfo ( new QName ( header . getNamespaceURI ( ) , header . getLocalPart ( ) ) , "" ) ) ; } return hInfo ; } | Build the handler info from web . xml |
162,495 | protected URL resolveHandlerChainFileName ( String clzName , String fileName ) { URL handlerFile = null ; InputStream in = null ; String handlerChainFileName = fileName ; URL baseUrl = classLoader . getResource ( getClassResourceName ( clzName ) ) ; try { if ( handlerChainFileName . charAt ( 0 ) == '/' ) { return classLoader . getResource ( handlerChainFileName . substring ( 1 ) ) ; } handlerFile = new URL ( baseUrl , handlerChainFileName ) ; in = handlerFile . openStream ( ) ; } catch ( Exception e ) { } finally { if ( in != null ) { try { in . close ( ) ; } catch ( Exception e ) { } } } return handlerFile ; } | Resolve handler chain configuration file associated with the given class |
162,496 | @ SuppressWarnings ( "rawtypes" ) public static List < Handler > sortHandlers ( List < Handler > handlers ) { List < LogicalHandler < ? > > logicalHandlers = new ArrayList < LogicalHandler < ? > > ( ) ; List < Handler < ? > > protocolHandlers = new ArrayList < Handler < ? > > ( ) ; for ( Handler < ? > handler : handlers ) { if ( handler instanceof LogicalHandler ) { logicalHandlers . add ( ( LogicalHandler < ? > ) handler ) ; } else { protocolHandlers . add ( handler ) ; } } List < Handler > sortedHandlers = new ArrayList < Handler > ( logicalHandlers . size ( ) + protocolHandlers . size ( ) ) ; sortedHandlers . addAll ( logicalHandlers ) ; sortedHandlers . addAll ( protocolHandlers ) ; return sortedHandlers ; } | sorts the handlers into correct order . All of the logical handlers first followed by the protocol handlers |
162,497 | private Dictionary < String , Object > buildServicePropsAndFilterTargets ( String pid , Dictionary < String , Object > config ) throws IOException , InvalidSyntaxException { Dictionary < String , Object > result = new Hashtable < String , Object > ( ) ; result . put ( "classloader.config.pid" , pid ) ; String appFilter = "(classloader=" + pid + ")" ; Configuration [ ] appConfigs = configAdmin . listConfigurations ( appFilter ) ; if ( appConfigs . length == 1 ) { Configuration appConfig = appConfigs [ 0 ] ; Dictionary < String , Object > properties = appConfig . getProperties ( ) ; String appName = ( String ) properties . get ( "name" ) ; if ( appName != null ) { result . put ( "application.name" , appName ) ; } String appConfigPid = ( String ) properties . get ( "service.pid" ) ; try { result . put ( "application.pid" , appConfigPid ) ; } catch ( NullPointerException swallowed ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "service.pid is null" , swallowed ) ; } if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Creating ApplicationClassloadingService for application" + appName ) ; } List < String > allLibraries = new ArrayList < String > ( ) ; String [ ] privateLibraryRefs = ( String [ ] ) config . get ( LIBRARY_REF_ATT ) ; if ( privateLibraryRefs != null ) { allLibraries . addAll ( Arrays . asList ( privateLibraryRefs ) ) ; } String [ ] commonLibraryRefs = ( String [ ] ) config . get ( COMMON_LIBRARY_REF_ATT ) ; if ( commonLibraryRefs != null ) { allLibraries . addAll ( Arrays . asList ( commonLibraryRefs ) ) ; } if ( allLibraries . size ( ) > 0 ) { String filter = buildTargetString ( allLibraries ) ; result . put ( "libraryStatus.target" , filter ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "This application will wait for the following libraries " , filter ) ; } else { result . put ( "libraryStatus.target" , "(id=global)" ) ; } return result ; } | Add the properties for this new service to allow other components locate this service |
162,498 | private String buildTargetString ( List < String > privateLibraries ) { StringBuilder filter = new StringBuilder ( ) ; filter . append ( "(&" ) ; for ( String lib : privateLibraries ) filter . append ( String . format ( "(|(%s=%s)(%s=%s))" , LibraryStatusService . LIBRARY_IDS , lib , LibraryStatusService . LIBRARY_PIDS , lib ) ) ; filter . append ( ")" ) ; return filter . toString ( ) ; } | This filter will cause the new application classloading service to block until these libraries are active Each library is added twice as it may be an automatic librari in which case its pid will not yet be known so we use the id . |
162,499 | @ SuppressWarnings ( "unchecked" ) public Class < Object > matchCaller ( String className ) { Class < Object > stack [ ] = ( Class < Object > [ ] ) this . getClassContext ( ) ; for ( Class < Object > bClass : stack ) { if ( bClass . getName ( ) . equals ( className ) ) return bClass ; } return null ; } | Return the class if the given classname is found on the stack . |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.