idx
int64 0
165k
| question
stringlengths 73
5.81k
| target
stringlengths 5
918
|
---|---|---|
163,000 | static Class < ? > getTypeFromMember ( Member member ) throws InjectionException { Class < ? > memberType = null ; if ( member instanceof Field ) { memberType = ( ( Field ) member ) . getType ( ) ; } else if ( member instanceof Method ) { Method method = ( Method ) member ; if ( method . getParameterTypes ( ) == null || method . getParameterTypes ( ) . length != 1 ) { String msg = Tr . formatMessage ( tc , "error.service.ref.member.level.annotation.wrong.method.name" , method . getName ( ) , method . getDeclaringClass ( ) . getName ( ) ) ; throw new InjectionException ( msg ) ; } memberType = method . getParameterTypes ( ) [ 0 ] ; } return memberType ; } | This returns the type of the injection being requested based on either the annotated field or annotated method . |
163,001 | public static void sendExceptionToClient ( Throwable throwable , String probeId , Conversation conversation , int requestNumber ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "sendExceptionToClient" , new Object [ ] { throwable , probeId , conversation , requestNumber } ) ; CommsByteBuffer buffer = poolManager . allocate ( ) ; buffer . putException ( throwable , probeId , conversation ) ; if ( CommsServerServiceFacade . getJsAdminService ( ) != null ) { try { conversation . send ( buffer , JFapChannelConstants . SEG_EXCEPTION , requestNumber , JFapChannelConstants . PRIORITY_MEDIUM , true , ThrottlingPolicy . BLOCK_THREAD , null ) ; } catch ( SIException c ) { FFDCFilter . processException ( c , CLASS_NAME + ".sendExceptionToClient" , CommsConstants . STATICCATHELPER_SEND_EXCEP_01 ) ; SibTr . error ( tc , "COMMUNICATION_ERROR_SICO2023" , c ) ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "conversation send is not being called as jmsadminService is null" ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "sendExceptionToClient" ) ; } | Sends an exception response back to the client . |
163,002 | public static void sendAsyncExceptionToClient ( Throwable throwable , String probeId , short clientSessionId , Conversation conversation , int requestNumber ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "sendAsyncExceptionToClient" , new Object [ ] { throwable , probeId , "" + clientSessionId , conversation , "" + requestNumber } ) ; CommsByteBuffer buffer = poolManager . allocate ( ) ; buffer . putShort ( 0 ) ; buffer . putShort ( CommsConstants . EVENTID_ASYNC_EXCEPTION ) ; buffer . putShort ( clientSessionId ) ; buffer . putException ( throwable , probeId , conversation ) ; try { conversation . send ( buffer , JFapChannelConstants . SEG_EVENT_OCCURRED , requestNumber , JFapChannelConstants . PRIORITY_MEDIUM , true , ThrottlingPolicy . BLOCK_THREAD , null ) ; } catch ( SIException c ) { FFDCFilter . processException ( c , CLASS_NAME + ".sendAsyncExceptionToClient" , CommsConstants . STATICCATHELPER_SEND_ASEXCEP_01 ) ; SibTr . error ( tc , "COMMUNICATION_ERROR_SICO2023" , c ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "sendAsyncExceptionToClient" ) ; } | This method is used to flow a message down to the client that will get picked up and delivered to the asynchronousException method of any listeners that the client has registered . |
163,003 | public static void sendSessionCreateResponse ( int segmentType , int requestNumber , Conversation conversation , short sessionId , DestinationSession session , SIDestinationAddress originalDestinationAddr ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "sendSessionCreateResponse" ) ; CommsByteBuffer buffer = poolManager . allocate ( ) ; if ( segmentType == JFapChannelConstants . SEG_CREATE_CONS_FOR_DURABLE_SUB_R || segmentType == JFapChannelConstants . SEG_CREATE_CONSUMER_SESS_R ) { long id = 0 ; try { id = ( ( ConsumerSession ) session ) . getId ( ) ; } catch ( SIException e ) { if ( ! ( ( ConversationState ) conversation . getAttachment ( ) ) . hasMETerminated ( ) ) { FFDCFilter . processException ( e , CLASS_NAME + ".sendSessionCreateResponse" , CommsConstants . STATICCATHELPER_SENDSESSRESPONSE_02 ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Unable to get session id" , e ) ; } buffer . putLong ( id ) ; } if ( segmentType == JFapChannelConstants . SEG_CREATE_CONSUMER_SESS_R ) { buffer . putShort ( CommsConstants . CF_UNICAST ) ; } buffer . putShort ( sessionId ) ; JsDestinationAddress destAddress = ( JsDestinationAddress ) session . getDestinationAddress ( ) ; if ( originalDestinationAddr == null || ( ! originalDestinationAddr . toString ( ) . equals ( destAddress . toString ( ) ) ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Destination address is different: Orig, New" , new Object [ ] { originalDestinationAddr , destAddress } ) ; buffer . putSIDestinationAddress ( destAddress , conversation . getHandshakeProperties ( ) . getFapLevel ( ) ) ; } try { conversation . send ( buffer , segmentType , requestNumber , JFapChannelConstants . PRIORITY_MEDIUM , true , ThrottlingPolicy . BLOCK_THREAD , null ) ; } catch ( SIException e ) { FFDCFilter . processException ( e , CLASS_NAME + ".sendSessionCreateResponse" , CommsConstants . STATICCATHELPER_SENDSESSRESPONSE_01 ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , e . getMessage ( ) , e ) ; SibTr . error ( tc , "COMMUNICATION_ERROR_SICO2023" , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "sendSessionCreateResponse" ) ; } | Because of the larger amount of data needed to be sent back on the response to a session create I have split this into a seperate method so that we are not repeating code all over the place . |
163,004 | private static JavaDumper createInstance ( ) { try { Class < ? > dumpClass = Class . forName ( "com.ibm.jvm.Dump" ) ; try { Class < ? > [ ] paramTypes = new Class < ? > [ ] { String . class } ; Method javaDumpToFileMethod = dumpClass . getMethod ( "javaDumpToFile" , paramTypes ) ; Method heapDumpToFileMethod = dumpClass . getMethod ( "heapDumpToFile" , paramTypes ) ; Method systemDumpToFileMethod = dumpClass . getMethod ( "systemDumpToFile" , paramTypes ) ; return new IBMJavaDumperImpl ( javaDumpToFileMethod , heapDumpToFileMethod , systemDumpToFileMethod ) ; } catch ( NoSuchMethodException e ) { return new IBMLegacyJavaDumperImpl ( dumpClass ) ; } } catch ( ClassNotFoundException ex ) { ObjectName diagName ; ObjectName diagCommandName ; try { diagName = new ObjectName ( "com.sun.management:type=HotSpotDiagnostic" ) ; diagCommandName = new ObjectName ( "com.sun.management:type=DiagnosticCommand" ) ; } catch ( MalformedObjectNameException ex2 ) { throw new IllegalStateException ( ex2 ) ; } MBeanServer mbeanServer = ManagementFactory . getPlatformMBeanServer ( ) ; if ( ! mbeanServer . isRegistered ( diagName ) ) { diagName = null ; } if ( ! mbeanServer . isRegistered ( diagCommandName ) ) { diagCommandName = null ; } return new HotSpotJavaDumperImpl ( mbeanServer , diagName , diagCommandName ) ; } } | Create a dumper for the current JVM . |
163,005 | private Map < String , String > filterProps ( Map < String , Object > props ) { HashMap < String , String > filteredProps = new HashMap < > ( ) ; Iterator < String > it = props . keySet ( ) . iterator ( ) ; boolean debug = tc . isDebugEnabled ( ) && TraceComponent . isAnyTracingEnabled ( ) ; while ( it . hasNext ( ) ) { String key = it . next ( ) ; String newKey = null ; if ( debug ) { Tr . debug ( tc , "key: " + key + " value: " + props . get ( key ) ) ; } if ( propertiesToRemove . contains ( key ) ) { continue ; } newKey = key ; if ( propsToTranslate . containsKey ( key . toLowerCase ( ) ) ) { newKey = propsToTranslate . get ( key . toLowerCase ( ) ) ; if ( debug ) { Tr . debug ( tc , " translated " + key + " to " + newKey ) ; } } filteredProps . put ( newKey , props . get ( key ) . toString ( ) ) ; if ( newKey . compareTo ( "authnToken" ) == 0 ) { String replacementKey = validateAuthn ( props . get ( key ) . toString ( ) ) ; if ( replacementKey != null ) { filteredProps . remove ( newKey ) ; filteredProps . put ( replacementKey , "true" ) ; } else { filteredProps . remove ( newKey ) ; } } } return filteredProps ; } | given the map of properties remove ones we don t care about and translate some others . If it s not one we re familiar with transfer it unaltered |
163,006 | private String validateAuthn ( String value ) { String result = null ; String valueLower = value . toLowerCase ( ) ; do { if ( valueLower . equals ( "saml" ) ) { result = JAXRSClientConstants . SAML_HANDLER ; break ; } if ( valueLower . equals ( "oauth" ) ) { result = JAXRSClientConstants . OAUTH_HANDLER ; break ; } if ( valueLower . equals ( "ltpa" ) ) { result = JAXRSClientConstants . LTPA_HANDLER ; } } while ( false ) ; if ( result == null ) { Tr . warning ( tc , "warn.invalid.authorization.token.type" , value ) ; } return result ; } | validate the value for authnToken key and select appropriate new key Note that the check is not case sensitive . |
163,007 | private String getURI ( Map < String , Object > props ) { if ( props == null ) return null ; if ( props . keySet ( ) . contains ( URI ) ) { return ( props . get ( URI ) . toString ( ) ) ; } else { return null ; } } | find the uri parameter which we will key off of |
163,008 | private static XMLInputFactory getXMLInputFactory ( ) { if ( SAFE_INPUT_FACTORY != null ) { return SAFE_INPUT_FACTORY ; } XMLInputFactory f = NS_AWARE_INPUT_FACTORY_POOL . poll ( ) ; if ( f == null ) { f = createXMLInputFactory ( true ) ; } return f ; } | Return a cached namespace - aware factory . |
163,009 | public static void copy ( XMLStreamReader reader , XMLStreamWriter writer ) throws XMLStreamException { copy ( reader , writer , false , false ) ; } | Copies the reader to the writer . The start and end document methods must be handled on the writer manually . |
163,010 | public static QName readQName ( XMLStreamReader reader ) throws XMLStreamException { String value = reader . getElementText ( ) ; if ( value == null ) { return null ; } value = value . trim ( ) ; int index = value . indexOf ( ":" ) ; if ( index == - 1 ) { return new QName ( value ) ; } String prefix = value . substring ( 0 , index ) ; String localName = value . substring ( index + 1 ) ; String ns = reader . getNamespaceURI ( prefix ) ; if ( ( ! StringUtils . isEmpty ( prefix ) && ns == null ) || localName == null ) { throw new RuntimeException ( "Invalid QName in mapping: " + value ) ; } if ( ns == null ) { return new QName ( localName ) ; } return new QName ( ns , localName , prefix ) ; } | Reads a QName from the element text . Reader must be positioned at the start tag . |
163,011 | public boolean addReference ( ServiceReference < T > reference ) { if ( reference == null ) return false ; ConcurrentServiceReferenceElement < T > element = new ConcurrentServiceReferenceElement < T > ( referenceName , reference ) ; synchronized ( elementMap ) { ConcurrentServiceReferenceElement < T > oldElement = elementMap . put ( reference , element ) ; if ( oldElement != null ) { if ( ! element . getRanking ( ) . equals ( oldElement . getRanking ( ) ) ) { elementSetUnsorted = true ; } return true ; } elementSet . add ( element ) ; } return false ; } | Adds the service reference to the set or notifies the set that the service ranking for the reference might have been updated . |
163,012 | public boolean removeReference ( ServiceReference < T > reference ) { synchronized ( elementMap ) { ConcurrentServiceReferenceElement < T > element = elementMap . remove ( reference ) ; if ( element == null ) { return false ; } elementSet . remove ( element ) ; return true ; } } | Removes the service reference from the set |
163,013 | private Iterator < ConcurrentServiceReferenceElement < T > > elements ( ) { Collection < ConcurrentServiceReferenceElement < T > > set ; synchronized ( elementMap ) { if ( elementSetUnsorted ) { elementSet = new ConcurrentSkipListSet < ConcurrentServiceReferenceElement < T > > ( elementMap . values ( ) ) ; elementSetUnsorted = false ; } set = elementSet ; } return set . iterator ( ) ; } | Return an iterator for the elements in service ranking order . |
163,014 | public void setChannelData ( ChannelData data ) throws ChannelException { this . channelData = data ; setValues ( data . getPropertyBag ( ) ) ; if ( tc . isDebugEnabled ( ) ) outputConfigToTrace ( ) ; } | Update the configuration with a new channel framework configuration object . |
163,015 | public void setChannelReceiveBufferSize ( int size ) { this . channelReceiveBufferSize = size ; if ( size < 0 || size > UDPConfigConstants . MAX_UDP_PACKET_SIZE ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Channel Receive buffer size not within Limits: " + size + " setting to default: " + UDPConfigConstants . MAX_UDP_PACKET_SIZE ) ; } this . channelReceiveBufferSize = UDPConfigConstants . MAX_UDP_PACKET_SIZE ; } } | Set the size of the bytebuffer to allocate when receiving data . |
163,016 | public void addSICoreConnection ( SICoreConnection conn , Conversation conversation ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "addSICoreConnection" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { SibTr . debug ( tc , "Params: connection, conversation" , new Object [ ] { conn , conversation } ) ; } conversationTable . put ( conn , conversation ) ; quiesceNotif . remove ( conn . getMeUuid ( ) ) ; termNotif . remove ( conn . getMeUuid ( ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addSICoreConnection" ) ; } | Creates a new SICoreConnection that this listener is listening for events from . |
163,017 | public void asynchronousException ( ConsumerSession session , Throwable e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "asynchronousException" , new Object [ ] { session , e } ) ; FFDCFilter . processException ( e , CLASS_NAME + ".asynchronousException" , CommsConstants . SERVERSICORECONNECTIONLISTENER_ASYNC_01 , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Caught an async exception:" , e ) ; try { sendMeNotificationEvent ( CommsConstants . EVENTID_ASYNC_EXCEPTION , null , session , e ) ; } catch ( SIException e2 ) { FFDCFilter . processException ( e , CLASS_NAME + ".asynchronousException" , CommsConstants . SERVERSICORECONNECTIONLISTENER_ASYNC_02 , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , e . getMessage ( ) , e ) ; SibTr . error ( tc , "COMMUNICATION_ERROR_SICO2018" , e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "asynchronousException" ) ; } | This event is generated if an exception is thrown during the processing of an asynchronous callback . In practise this should never occur as we should ensure that we catch all the errors in the place they occur as no state is available here . |
163,018 | public void meTerminated ( SICoreConnection conn ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "meTerminated" ) ; final Conversation conversation = conversationTable . get ( conn ) ; if ( conversation != null ) { final ConversationState convState = ( ConversationState ) conversation . getAttachment ( ) ; convState . setMETerminated ( ) ; } String meUuid = conn . getMeUuid ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "ME Uuid: " , meUuid ) ; if ( termNotif . get ( meUuid ) == null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "We have not sent a notification about this ME" ) ; try { sendMeNotificationEvent ( CommsConstants . EVENTID_ME_TERMINATED , conn , null , null ) ; termNotif . put ( meUuid , new Object ( ) ) ; } catch ( SIException e ) { FFDCFilter . processException ( e , CLASS_NAME + ".meTerminated" , CommsConstants . SERVERSICORECONNECTIONLISTENER_MET_01 , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , e . getMessage ( ) , e ) ; SibTr . error ( tc , "COMMUNICATION_ERROR_SICO2018" , e ) ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Already sent notification about this ME" ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "meTerminated" ) ; } | This method is called when the ME terminates . |
163,019 | public void commsFailure ( SICoreConnection conn , SIConnectionLostException e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "commsFailure" , new Object [ ] { conn , e } ) ; FFDCFilter . processException ( e , CLASS_NAME + ".commsFailure" , CommsConstants . SERVERSICORECONNECTIONLISTENER_COMMS_01 , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Caught a comms exception:" , e ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "commsFailure" ) ; } | This is used to indicate a communication failure on the client . Seeing as we are the only people who would ever generate this event for the client if this gets invoked on the server then someone has done something not bad not even wrong but silly . |
163,020 | public String getRequestURL ( ) { HttpServletRequest httpReq = getRequest ( ) ; if ( httpReq == null ) return null ; else return httpReq . getRequestURL ( ) . toString ( ) ; } | Get the URL of this invocation . |
163,021 | public HttpServletRequest getRequest ( ) { ServletRequest sReq = null ; if ( _req == null ) return null ; try { sReq = ServletUtil . unwrapRequest ( _req ) ; } catch ( RuntimeException re ) { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "getRequest" , "Caught RuntimeException unwrapping the request" , re ) ; return null ; } if ( sReq instanceof HttpServletRequest ) return ( HttpServletRequest ) sReq ; else return null ; } | Get the request used for the servlet invocation . |
163,022 | public HttpServletResponse getResponse ( ) { ServletResponse sRes = null ; if ( _resp == null ) return null ; try { sRes = ServletUtil . unwrapResponse ( _resp ) ; } catch ( RuntimeException re ) { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "getResponse" , "Caught RuntimeException unwrapping the response" , re ) ; return null ; } if ( sRes instanceof HttpServletResponse ) return ( HttpServletResponse ) sRes ; else return null ; } | Get the response used for the servlet invocation . |
163,023 | public boolean isAvailableInPlatform ( String p ) { if ( this . platform . equals ( PLATFORM_ALL ) ) return true ; else return ( this . platform . equals ( p ) ) ; } | Return true if this statistic is available in the given platform |
163,024 | protected byte [ ] loadClassDataFromFile ( String fileName ) { byte [ ] classBytes = null ; try { InputStream in = getResourceAsStream ( fileName ) ; if ( in == null ) { return null ; } ByteArrayOutputStream baos = new ByteArrayOutputStream ( ) ; byte buf [ ] = new byte [ 1024 ] ; for ( int i = 0 ; ( i = in . read ( buf ) ) != - 1 ; ) baos . write ( buf , 0 , i ) ; in . close ( ) ; baos . close ( ) ; classBytes = baos . toByteArray ( ) ; } catch ( Exception ex ) { return null ; } return classBytes ; } | Load JSP class data from file . |
163,025 | private final Object typeCheck ( Object value , int type ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "typecheck: value = " + value + ", " + value . getClass ( ) + " , type=" + type ) ; switch ( type ) { case Selector . UNKNOWN : return value ; case Selector . STRING : return ( value instanceof String ) ? value : null ; case Selector . BOOLEAN : return ( value instanceof Boolean ) ? value : null ; default : return ( value instanceof Number ) ? value : null ; } } | Check the type of the value obtained from the message . |
163,026 | final Serializable restoreMapObject ( byte [ ] mapItemArray ) throws IOException , ClassNotFoundException { Serializable item = null ; ; if ( ( mapItemArray [ 0 ] == HEADER_BYTE_0 ) && ( mapItemArray [ 1 ] == HEADER_BYTE_1 ) ) { item = new byte [ mapItemArray . length - 2 ] ; System . arraycopy ( mapItemArray , 2 , item , 0 , ( ( byte [ ] ) item ) . length ) ; } else { ByteArrayInputStream bai = new ByteArrayInputStream ( mapItemArray ) ; ObjectInputStream wsin = null ; if ( RuntimeInfo . isThinClient ( ) || RuntimeInfo . isFatClient ( ) ) { Class < ? > clazz = Class . forName ( "com.ibm.ws.util.WsObjectInputStream" ) ; try { wsin = ( ObjectInputStream ) clazz . getConstructor ( ByteArrayInputStream . class ) . newInstance ( bai ) ; } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Exception closing the ObjectInputStream" , e ) ; } } else { ClassLoader cl = AccessController . doPrivileged ( new PrivilegedAction < ClassLoader > ( ) { public ClassLoader run ( ) { return Thread . currentThread ( ) . getContextClassLoader ( ) ; } } ) ; wsin = new DeserializationObjectInputStream ( bai , cl ) ; } item = ( Serializable ) wsin . readObject ( ) ; try { if ( wsin != null ) { wsin . close ( ) ; } } catch ( IOException ex ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Exception closing the ObjectInputStream" , ex ) ; } } return item ; } | Restore an item retrieved from a Property or SystemContext map as a byte array into whatever it originally was . |
163,027 | final void setTransportVersion ( Object value ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setTransportVersion" , value ) ; getHdr2 ( ) . setField ( JsHdr2Access . TRANSPORTVERSION_DATA , value ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setTransportVersion" ) ; } | Set the transportVersion field in the message header to the given value . This method is package visibility as it is also used by JsJmsMessageImpl |
163,028 | final void clearTransportVersion ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "clearTransportVersion" ) ; getHdr2 ( ) . setChoiceField ( JsHdr2Access . TRANSPORTVERSION , JsHdr2Access . IS_TRANSPORTVERSION_EMPTY ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "clearTransportVersion" ) ; } | Clear the transportVersion field in the message header . This method is package visibility as it is also used by JsJmsMessageImpl |
163,029 | public Object getInstanceOf ( String key ) { try { ClassLoader loader = Thread . currentThread ( ) . getContextClassLoader ( ) ; return Class . forName ( ( String ) classesMap . get ( key ) , true , loader ) . newInstance ( ) ; } catch ( IllegalAccessException e ) { logger . logp ( Level . SEVERE , "JspClassFactory" , "getInstanceOf" , "jsp.error.function.classnotfound" , ( String ) classesMap . get ( key ) ) ; } catch ( InstantiationException e ) { logger . logp ( Level . SEVERE , "JspClassFactory" , "getInstanceOf" , "jsp.error.function.classnotfound" , ( String ) classesMap . get ( key ) ) ; } catch ( ClassNotFoundException e ) { logger . logp ( Level . SEVERE , "JspClassFactory" , "getInstanceOf" , "jsp.error.function.classnotfound" , ( String ) classesMap . get ( key ) ) ; } return null ; } | Creates an instance of the type of class specified by the key arg dependent on the value stored in the classesMap . |
163,030 | static ImmutableAttributes loadAttributes ( String repoType , File featureFile , ProvisioningDetails details ) throws IOException { details . ensureValid ( ) ; String symbolicName = details . getNameAttribute ( null ) ; int featureVersion = details . getIBMFeatureVersion ( ) ; Visibility visibility = Visibility . fromString ( details . getNameAttribute ( "visibility:" ) ) ; boolean isSingleton = Boolean . parseBoolean ( details . getNameAttribute ( "singleton:" ) ) ; String shortName = ( visibility != Visibility . PUBLIC ? null : details . getMainAttributeValue ( SHORT_NAME ) ) ; Version version = VersionUtility . stringToVersion ( details . getMainAttributeValue ( VERSION ) ) ; AppForceRestart appRestart = AppForceRestart . fromString ( details . getMainAttributeValue ( IBM_APP_FORCE_RESTART ) ) ; String subsystemType = details . getMainAttributeValue ( TYPE ) ; String value = details . getCachedRawHeader ( IBM_PROVISION_CAPABILITY ) ; boolean isAutoFeature = value != null && SubsystemContentType . FEATURE_TYPE . getValue ( ) . equals ( subsystemType ) ; value = details . getCachedRawHeader ( IBM_API_SERVICE ) ; boolean hasApiServices = value != null ; value = details . getCachedRawHeader ( IBM_API_PACKAGE ) ; boolean hasApiPackages = value != null ; value = details . getCachedRawHeader ( IBM_SPI_PACKAGE ) ; boolean hasSpiPackages = value != null ; EnumSet < ProcessType > processTypes = ProcessType . fromString ( details . getCachedRawHeader ( IBM_PROCESS_TYPES ) ) ; ImmutableAttributes iAttr = new ImmutableAttributes ( emptyIfNull ( repoType ) , symbolicName , nullIfEmpty ( shortName ) , featureVersion , visibility , appRestart , version , featureFile , featureFile == null ? - 1 : featureFile . lastModified ( ) , featureFile == null ? - 1 : featureFile . length ( ) , isAutoFeature , hasApiServices , hasApiPackages , hasSpiPackages , isSingleton , processTypes ) ; details . setImmutableAttributes ( iAttr ) ; return iAttr ; } | Create the ImmutableAttributes based on the contents read from a subsystem manifest . |
163,031 | static ImmutableAttributes loadAttributes ( String line , ImmutableAttributes cachedAttributes ) { int index = line . indexOf ( '=' ) ; String key = line . substring ( 0 , index ) ; String repoType = FeatureDefinitionUtils . EMPTY ; String symbolicName = key ; int pfxIndex = key . indexOf ( ':' ) ; if ( pfxIndex > - 1 ) { repoType = key . substring ( 0 , pfxIndex ) ; symbolicName = key . substring ( pfxIndex + 1 ) ; } String [ ] parts = splitPattern . split ( line . substring ( index + 1 ) ) ; if ( parts . length < 9 ) return null ; String path = parts [ 0 ] ; File featureFile = new File ( path ) ; if ( featureFile . exists ( ) ) { if ( cachedAttributes != null ) { return cachedAttributes ; } long lastModified = getLongValue ( parts [ 1 ] , - 1 ) ; long fileSize = getLongValue ( parts [ 2 ] , - 1 ) ; String shortName = parts [ 3 ] ; int featureVersion = getIntegerValue ( parts [ 4 ] , 2 ) ; Visibility visibility = Visibility . fromString ( parts [ 5 ] ) ; AppForceRestart appRestart = AppForceRestart . fromString ( parts [ 6 ] ) ; Version version = VersionUtility . stringToVersion ( parts [ 7 ] ) ; String flags = parts [ 8 ] ; boolean isAutoFeature = toBoolean ( flags . charAt ( 0 ) ) ; boolean hasApiServices = toBoolean ( flags . charAt ( 1 ) ) ; boolean hasApiPackages = toBoolean ( flags . charAt ( 2 ) ) ; boolean hasSpiPackages = toBoolean ( flags . charAt ( 3 ) ) ; boolean isSingleton = flags . length ( ) > 4 ? toBoolean ( flags . charAt ( 4 ) ) : false ; EnumSet < ProcessType > processTypes = ProcessType . fromString ( parts . length > 9 ? parts [ 9 ] : null ) ; return new ImmutableAttributes ( emptyIfNull ( repoType ) , symbolicName , nullIfEmpty ( shortName ) , featureVersion , visibility , appRestart , version , featureFile , lastModified , fileSize , isAutoFeature , hasApiServices , hasApiPackages , hasSpiPackages , isSingleton , processTypes ) ; } return null ; } | Create the ImmutableAttributes based on an line in a cache file . There is no validation or warnings in this load path as it is assumed the definition would not have been added to the cache if it were invalid . |
163,032 | public final synchronized void commitDecrementReferenceCount ( PersistentTransaction transaction ) throws SevereMessageStoreException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "commitDecrementReferenceCount" ) ; if ( _referenceCount < 1 ) { SevereMessageStoreException e = new SevereMessageStoreException ( "Reference count decrement cannot be committed" ) ; FFDCFilter . processException ( e , "com.ibm.ws.sib.msgstore.cache.links.ItemLink.commitDecrementReferenceCount" , "1:131:1.104.1.1" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) SibTr . event ( this , tc , "Reference count decrement cannot be committed" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "commitDecrementReferenceCount" ) ; throw e ; } _referenceCount -- ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "reference count dropped to: " + _referenceCount ) ; if ( 0 == _referenceCount ) { transaction . registerCallback ( this ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "commitDecrementReferenceCount" ) ; } | This method is called when committing the removal of a reference . It should only be called by the message store code . |
163,033 | public final synchronized void incrementReferenceCount ( ) throws SevereMessageStoreException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "incrementReferenceCount" ) ; if ( _referenceCountIsDecreasing ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) SibTr . event ( this , tc , "Cannot increment! Reference count has begun decreasing." ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "incrementReferenceCount" ) ; throw new SevereMessageStoreException ( "Cannot add more references to an item after one has been removed" ) ; } _referenceCount ++ ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "incrementReferenceCount" ) ; } | This method is called when a reference is being added by an active transaction and when a reference is being restored . It should only be called by the message store code . |
163,034 | public final synchronized void rollbackIncrementReferenceCount ( PersistentTransaction transaction ) throws SevereMessageStoreException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "rollbackIncrementReferenceCount" ) ; if ( _referenceCount < 1 ) { SevereMessageStoreException e = new SevereMessageStoreException ( "Reference count increment cannot be rolled back" ) ; FFDCFilter . processException ( e , "com.ibm.ws.sib.msgstore.cache.links.ItemLink.rollbackIncrementReferenceCount" , "1:212:1.104.1.1" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Reference count increment cannot be rolled back" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "rollbackIncrementReferenceCount" ) ; throw e ; } _referenceCount -- ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "rollbackIncrementReferenceCount" ) ; } | This method is called when rolling back the addition of a reference . It should only be called by the message store code . |
163,035 | public void performFileBasedAction ( Collection < File > modifiedFiles ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "performFileBasedAction" , new Object [ ] { modifiedFiles } ) ; try { com . ibm . ws . ssl . config . KeyStoreManager . getInstance ( ) . clearJavaKeyStoresFromKeyStoreMap ( modifiedFiles ) ; com . ibm . ws . ssl . provider . AbstractJSSEProvider . clearSSLContextCache ( modifiedFiles ) ; com . ibm . ws . ssl . config . SSLConfigManager . getInstance ( ) . resetDefaultSSLContextIfNeeded ( modifiedFiles ) ; Tr . audit ( tc , "ssl.keystore.modified.CWPKI0811I" , modifiedFiles . toArray ( ) ) ; } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Exception while trying to reload keystore file, exception is: " + e . getMessage ( ) ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "performFileBasedAction" ) ; } | The specified files have been modified and we need to clear the SSLContext caches and keystore caches . This will cause the new keystore file to get loaded on the next use of the ssl context . If the keystore associated with the SSLContext that the process is using then the process SSLContext needs to be reloaded . |
163,036 | protected void unsetFileMonitorRegistration ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( this , tc , "unsetFileMonitorRegistration" ) ; } if ( keyStoreFileMonitorRegistration != null ) { keyStoreFileMonitorRegistration . unregister ( ) ; keyStoreFileMonitorRegistration = null ; } } | Remove the reference to the file monitor . |
163,037 | protected void setFileMonitorRegistration ( ServiceRegistration < FileMonitor > keyStoreFileMonitorRegistration ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( this , tc , "setFileMonitorRegistration" ) ; } this . keyStoreFileMonitorRegistration = keyStoreFileMonitorRegistration ; } | Sets the keystore file monitor registration . |
163,038 | private void createFileMonitor ( String ID , String keyStoreLocation , String trigger , long interval ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "createFileMonitor" , new Object [ ] { ID , keyStoreLocation , trigger , interval } ) ; try { keyStoreFileMonitor = new SecurityFileMonitor ( this ) ; setFileMonitorRegistration ( keyStoreFileMonitor . monitorFiles ( ID , Arrays . asList ( keyStoreLocation ) , interval , trigger ) ) ; } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Exception creating the keystore file monitor." , e ) ; } FFDCFilter . processException ( e , getClass ( ) . getName ( ) , "createFileMonitor" , this , new Object [ ] { ID , keyStoreLocation , interval } ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "createFileMonitor" ) ; } | Handles the creation of the keystore file monitor . |
163,039 | protected void unsetKeyringMonitorRegistration ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( this , tc , "unsetKeyringMonitorRegistration" ) ; } if ( keyringMonitorRegistration != null ) { keyringMonitorRegistration . unregister ( ) ; keyringMonitorRegistration = null ; } } | Remove the reference to the keyRing monitor . |
163,040 | protected void setKeyringMonitorRegistration ( ServiceRegistration < KeyringMonitor > keyringMonitorRegistration ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( this , tc , "setKeyringMonitorRegistration" ) ; } this . keyringMonitorRegistration = keyringMonitorRegistration ; } | Sets the keyring monitor registration . |
163,041 | private void createKeyringMonitor ( String ID , String trigger , String keyStoreLocation ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "createKeyringMonitor" , new Object [ ] { ID , trigger } ) ; try { KeyringMonitor = new KeyringMonitorImpl ( this ) ; setKeyringMonitorRegistration ( KeyringMonitor . monitorKeyRings ( ID , trigger , keyStoreLocation ) ) ; } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Exception creating the keyring monitor." , e ) ; } FFDCFilter . processException ( e , getClass ( ) . getName ( ) , "createKeyringMonitor" , this , new Object [ ] { ID , keyStoreLocation } ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "createKeyringMonitor" ) ; } | Handles the creation of the keyring monitor . |
163,042 | public static byte [ ] encodeDN ( Codec codec , String distinguishedName ) throws Exception { X500Principal issuer = new X500Principal ( distinguishedName ) ; X509CertSelector certSelector = new X509CertSelector ( ) ; certSelector . setIssuer ( issuer ) ; byte [ ] asnX501DN = certSelector . getIssuerAsBytes ( ) ; Any a = ORB . init ( ) . create_any ( ) ; X501DistinguishedNameHelper . insert ( a , asnX501DN ) ; return codec . encode_value ( a ) ; } | Encode a distinguished name into a codec encoded ASN . 1 X501 encoded Distinguished Name . |
163,043 | public static String decodeDN ( Codec codec , byte [ ] encodedDN ) throws SASException { String dn = null ; try { Any any = codec . decode_value ( encodedDN , X501DistinguishedNameHelper . type ( ) ) ; byte [ ] asnX501DN = X501DistinguishedNameHelper . extract ( any ) ; X500Principal x500Principal = new X500Principal ( asnX501DN ) ; dn = x500Principal . toString ( ) ; } catch ( Exception e ) { throw new SASException ( 1 , e ) ; } return dn ; } | Decode a distinguished name from an ASN . 1 X501 encoded Distinguished Name |
163,044 | private static String upperCaseIndexString ( String iiopName ) { StringBuilder StringBuilder = new StringBuilder ( ) ; for ( int i = 0 ; i < iiopName . length ( ) ; i ++ ) { char c = iiopName . charAt ( i ) ; if ( Character . isUpperCase ( c ) ) { StringBuilder . append ( '_' ) . append ( i ) ; } } return StringBuilder . toString ( ) ; } | Return the a string containing an underscore _ index of each uppercase character in the iiop name . |
163,045 | private static String replace ( String source , char oldChar , String newString ) { StringBuilder StringBuilder = new StringBuilder ( source . length ( ) ) ; for ( int i = 0 ; i < source . length ( ) ; i ++ ) { char c = source . charAt ( i ) ; if ( c == oldChar ) { StringBuilder . append ( newString ) ; } else { StringBuilder . append ( c ) ; } } return StringBuilder . toString ( ) ; } | Replaces any occurnace of the specified oldChar with the nes string . |
163,046 | private static String buildOverloadParameterString ( Class < ? > parameterType ) { String name = "_" ; int arrayDimensions = 0 ; while ( parameterType . isArray ( ) ) { arrayDimensions ++ ; parameterType = parameterType . getComponentType ( ) ; } if ( arrayDimensions > 0 ) { name += "_org_omg_boxedRMI" ; } if ( IDLEntity . class . isAssignableFrom ( parameterType ) ) { name += "_org_omg_boxedIDL" ; } String packageName = specialTypePackages . get ( parameterType . getName ( ) ) ; if ( packageName == null ) { packageName = getPackageName ( parameterType . getName ( ) ) ; } if ( packageName . length ( ) > 0 ) { name += "_" + packageName ; } if ( arrayDimensions > 0 ) { name += "_" + "seq" + arrayDimensions ; } String className = specialTypeNames . get ( parameterType . getName ( ) ) ; if ( className == null ) { className = buildClassName ( parameterType ) ; } name += "_" + className ; return name ; } | Returns a single parameter type encoded using the Java to IDL rules . |
163,047 | private static String buildClassName ( Class < ? > type ) { if ( type . isArray ( ) ) { throw new IllegalArgumentException ( "type is an array: " + type ) ; } String typeName = type . getName ( ) ; int endIndex = typeName . lastIndexOf ( '.' ) ; if ( endIndex < 0 ) { return typeName ; } StringBuilder className = new StringBuilder ( typeName . substring ( endIndex + 1 ) ) ; if ( type . getDeclaringClass ( ) != null ) { String declaringClassName = getClassName ( type . getDeclaringClass ( ) ) ; assert className . toString ( ) . startsWith ( declaringClassName + "$" ) ; className . replace ( declaringClassName . length ( ) , declaringClassName . length ( ) + 1 , "__" ) ; } if ( className . charAt ( 0 ) == '_' ) { className . insert ( 0 , "J" ) ; } return className . toString ( ) ; } | Returns a string contianing an encoded class name . |
163,048 | public List < Persistence . PersistenceUnit > getPersistenceUnit ( ) { if ( persistenceUnit == null ) { persistenceUnit = new ArrayList < Persistence . PersistenceUnit > ( ) ; } return this . persistenceUnit ; } | Gets the value of the persistenceUnit property . |
163,049 | public final static PersistenceType getPersistenceType ( Byte aValue ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Value = " + aValue ) ; return set [ aValue . intValue ( ) ] ; } | Returns the corresponding PersistenceType for a given Byte . This method should NOT be called by any code outside the MFP component . It is only public so that it can be accessed by sub - packages . |
163,050 | protected void register ( String [ ] specificPackageList ) { if ( TraceComponent . isAnyTracingEnabled ( ) && _tc . isEntryEnabled ( ) ) SibTr . entry ( _tc , "register" , new Object [ ] { this , specificPackageList } ) ; synchronized ( SibDiagnosticModule . class ) { if ( ! _registeredMasterDiagnosticModule ) { SibDiagnosticModule masterModule = new SibDiagnosticModule ( ) ; masterModule . registerModule ( SIB_PACKAGE_LIST ) ; _registeredMasterDiagnosticModule = true ; } } this . registerModule ( specificPackageList ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && _tc . isEntryEnabled ( ) ) SibTr . exit ( _tc , "register" ) ; } | Register a subclass of this diagnostic module with FFDC |
163,051 | protected void captureDefaultInformation ( IncidentStream is , Throwable th ) { is . writeLine ( "Platform Messaging :: Messaging engine:" , SibTr . getMEName ( null ) ) ; if ( th != null ) { StackTraceElement [ ] ste = th . getStackTrace ( ) ; Set classes = new HashSet ( ) ; for ( int i = 0 ; i < ste . length ; i ++ ) { final StackTraceElement elem = ste [ i ] ; try { String className = elem . getClassName ( ) ; if ( className . indexOf ( SIB_PACKAGE_NAME ) >= 0 ) { if ( ! classes . contains ( className ) ) { classes . add ( className ) ; } } } catch ( Exception exception ) { } } } } | Capture the default information about the messaging engine exception etc . |
163,052 | public void ffdcDumpDefault ( Throwable t , IncidentStream is , Object callerThis , Object [ ] objs , String sourceId ) { is . writeLine ( "SIB FFDC dump for:" , t ) ; captureDefaultInformation ( is , t ) ; if ( callerThis != null ) { is . writeLine ( "SibDiagnosticModule :: Dump of callerThis (DiagnosticModule)" , toFFDCString ( callerThis ) ) ; is . introspectAndWriteLine ( "Introspection of callerThis:" , callerThis ) ; } if ( objs != null ) { for ( int i = 0 ; i < objs . length ; i ++ ) { is . writeLine ( "callerArg (DiagnosticModule) [" + i + "]" , toFFDCString ( objs [ i ] ) ) ; is . introspectAndWriteLine ( "callerArg [" + i + "] (Introspection)" , objs [ i ] ) ; } } } | Capture information about this problem into the incidentStream |
163,053 | public final String toFFDCString ( Object obj ) { if ( obj instanceof Map ) { return toFFDCString ( ( Map ) obj ) ; } else if ( obj instanceof Collection ) { return toFFDCString ( ( Collection ) obj ) ; } else if ( obj instanceof Object [ ] ) { return toFFDCString ( ( Object [ ] ) obj ) ; } return toFFDCStringSingleObject ( obj ) ; } | Generates a string representation of the object for FFDC . If the object is an Object Array Collection or Map the elements are inspected individually up to a maximum of multiple_object_count_to_ffdc |
163,054 | protected String toFFDCStringSingleObject ( Object obj ) { if ( obj == null ) { return "<null>" ; } else if ( obj instanceof Traceable ) { return ( ( Traceable ) obj ) . toTraceString ( ) ; } else if ( obj instanceof String ) { return ( ( String ) obj ) ; } else if ( obj instanceof byte [ ] ) { return toFFDCString ( ( byte [ ] ) obj ) ; } else { return obj . toString ( ) ; } } | Generates a string representation of an object for FFDC . |
163,055 | public final String toFFDCString ( Collection aCollection ) { StringBuffer buffer = new StringBuffer ( ) ; buffer . append ( '{' ) ; if ( aCollection == null ) { buffer . append ( "<null>" ) ; } else { Iterator i = aCollection . iterator ( ) ; boolean hasNext = i . hasNext ( ) ; int ctr = 0 ; while ( hasNext ) { Object value = i . next ( ) ; buffer . append ( ( value == aCollection ? "<this list>" : toFFDCStringSingleObject ( value ) ) + lineSeparator ) ; hasNext = i . hasNext ( ) ; if ( ctr > multiple_object_count_to_ffdc ) { buffer . append ( "........contd" ) ; hasNext = false ; } } } buffer . append ( '}' ) ; return buffer . toString ( ) ; } | Generates a String representation of a Collection calling toFFDCStringObject for the first multiple_object_count_to_ffdc elements |
163,056 | public final String toFFDCString ( Map aMap ) { StringBuffer buffer = new StringBuffer ( ) ; buffer . append ( '{' ) ; if ( aMap == null ) { buffer . append ( "<null>" ) ; } else { Iterator i = aMap . entrySet ( ) . iterator ( ) ; boolean hasNext = i . hasNext ( ) ; int ctr = 0 ; while ( hasNext ) { Map . Entry entry = ( Map . Entry ) ( i . next ( ) ) ; Object key = entry . getKey ( ) ; Object value = entry . getValue ( ) ; buffer . append ( ( key == aMap ? "<this map>" : toFFDCStringSingleObject ( key ) ) + "=" + ( value == aMap ? "<this map>" : toFFDCStringSingleObject ( value ) ) + lineSeparator ) ; hasNext = i . hasNext ( ) ; if ( ctr > multiple_object_count_to_ffdc ) { buffer . append ( "........contd" ) ; hasNext = false ; } } } buffer . append ( '}' ) ; return buffer . toString ( ) ; } | Generates a String representation of a Map calling toFFDCStringObject for the first multiple_object_count_to_ffdc elements |
163,057 | private boolean removeComments ( DocumentBuilder parser , Document doc ) { try { DOMImplementation impl = parser . getDOMImplementation ( ) ; if ( ! impl . hasFeature ( "traversal" , "2.0" ) ) { return false ; } Node root = doc . getDocumentElement ( ) ; DocumentTraversal traversable = ( DocumentTraversal ) doc ; NodeIterator iterator = traversable . createNodeIterator ( root , NodeFilter . SHOW_COMMENT , null , true ) ; Node node = null ; while ( ( node = iterator . nextNode ( ) ) != null ) { if ( node . getNodeValue ( ) . trim ( ) . compareTo ( "Properties" ) != 0 ) { root . removeChild ( node ) ; } } } catch ( FactoryConfigurationError e ) { return false ; } return true ; } | Removes all comments from the document except for the Properties comment All exceptions are suppressed because this is just a nicety to improve human readability . |
163,058 | public static void nodeListRemoveAll ( Element xEml , NodeList nodes ) { int cnt = nodes . getLength ( ) ; for ( int i = 0 ; i < cnt ; i ++ ) xEml . removeChild ( nodes . item ( 0 ) ) ; } | Removes all nodes contained in the NodeList from the Element . Convenience method because NodeList objects in the DOM are live . |
163,059 | private ServiceRegistration < ? > registerMBeanService ( String jmsResourceName , BundleContext bundleContext ) { Dictionary < String , String > props = new Hashtable < String , String > ( ) ; props . put ( KEY_SERVICE_VENDOR , "IBM" ) ; JmsServiceProviderMBeanImpl jmsProviderMBean = new JmsServiceProviderMBeanImpl ( getServerName ( ) , KEY_JMS2_PROVIDER ) ; props . put ( KEY_JMX_OBJECTNAME , jmsProviderMBean . getobjectName ( ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "JmsQueueMBeanImpl=" + jmsProviderMBean . getobjectName ( ) + " props=" + props ) ; } return bundleContext . registerService ( JmsServiceProviderMBeanImpl . class , jmsProviderMBean , props ) ; } | Registers MBean for JMSServiceProvider .. in future can be made generic . |
163,060 | private static Object invokeDefaultMethodUsingPrivateLookup ( Class < ? > declaringClass , Object o , Method m , Object [ ] params ) throws WrappedException , NoSuchMethodException { try { final Method privateLookup = MethodHandles . class . getDeclaredMethod ( "privateLookupIn" , Class . class , MethodHandles . Lookup . class ) ; return ( ( MethodHandles . Lookup ) privateLookup . invoke ( null , declaringClass , MethodHandles . lookup ( ) ) ) . unreflectSpecial ( m , declaringClass ) . bindTo ( o ) . invokeWithArguments ( params ) ; } catch ( NoSuchMethodException t ) { throw t ; } catch ( Throwable t ) { throw new WrappedException ( t ) ; } } | For JDK 9 + we could use MethodHandles . privateLookupIn which is not available in JDK 8 . |
163,061 | public WsByteBuffer buildFrameForWrite ( ) { WsByteBuffer [ ] output = buildFrameArrayForWrite ( ) ; int size = 0 ; for ( WsByteBuffer b : output ) { if ( b != null ) { size += b . remaining ( ) ; } } WsByteBuffer singleBuffer = this . getBuffer ( size ) ; singleBuffer . put ( output ) ; singleBuffer . flip ( ) ; return singleBuffer ; } | The test code expects a single buffer instead of an array of buffers as returned by buildFrameArrayForWrite |
163,062 | public EJSHome create ( BeanMetaData beanMetaData ) throws RemoteException { J2EEName name = beanMetaData . j2eeName ; HomeRecord hr = beanMetaData . homeRecord ; StatelessBeanO homeBeanO = null ; EJSHome result = null ; try { result = ( EJSHome ) beanMetaData . homeBeanClass . newInstance ( ) ; homeBeanO = ( StatelessBeanO ) beanOFactory . create ( container , null , false ) ; homeBeanO . setEnterpriseBean ( result ) ; } catch ( Exception ex ) { FFDCFilter . processException ( ex , CLASS_NAME + ".create" , "90" , this ) ; throw new InvalidEJBClassNameException ( "" , ex ) ; } homeBeanO . reentrant = true ; hr . beanO = homeBeanO ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "created new home bean" , name ) ; return result ; } | Create a new EJSHome instance . |
163,063 | public void addHome ( BeanMetaData bmd ) throws RemoteException { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "addHome : " + bmd . j2eeName ) ; if ( homesByName . get ( bmd . j2eeName ) != null ) { throw new DuplicateHomeNameException ( bmd . j2eeName . toString ( ) ) ; } homesByName . put ( bmd . j2eeName , bmd . homeRecord ) ; J2EEName j2eeName = bmd . j2eeName ; String application = j2eeName . getApplication ( ) ; AppLinkData linkData ; synchronized ( ivAppLinkData ) { linkData = ivAppLinkData . get ( application ) ; if ( linkData == null ) { if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . debug ( tc , "adding application link data for " + application ) ; linkData = new AppLinkData ( ) ; ivAppLinkData . put ( application , linkData ) ; } } updateAppLinkData ( linkData , true , j2eeName , bmd ) ; if ( bmd . _moduleMetaData . isVersionedModule ( ) ) { EJBModuleMetaDataImpl mmd = bmd . _moduleMetaData ; bmd . ivUnversionedJ2eeName = j2eeNameFactory . create ( mmd . ivVersionedAppBaseName , mmd . ivVersionedModuleBaseName , j2eeName . getComponent ( ) ) ; if ( isTraceOn && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Versioned Mapping Added : " + bmd . ivUnversionedJ2eeName + " -> " + j2eeName ) ; J2EEName dupBaseName = ivVersionedModuleNames . put ( bmd . ivUnversionedJ2eeName , j2eeName ) ; if ( dupBaseName != null ) { ivVersionedModuleNames . put ( bmd . ivUnversionedJ2eeName , dupBaseName ) ; throw new DuplicateHomeNameException ( "Base Name : " + bmd . ivUnversionedJ2eeName ) ; } } if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "addHome" ) ; } | LIDB859 - 4 d429866 . 2 |
163,064 | private void updateAppLinkData ( AppLinkData linkData , boolean add , J2EEName j2eeName , BeanMetaData bmd ) { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "updateAppLinkData: " + j2eeName + ", add=" + add ) ; int numBeans ; synchronized ( linkData ) { linkData . ivNumBeans += add ? 1 : - 1 ; numBeans = linkData . ivNumBeans ; updateAppLinkDataTable ( linkData . ivBeansByName , add , j2eeName . getComponent ( ) , j2eeName , "ivBeansByName" ) ; updateAutoLink ( linkData , add , j2eeName , bmd ) ; updateAppLinkDataTable ( linkData . ivModulesByLogicalName , add , bmd . _moduleMetaData . ivLogicalName , j2eeName . getModule ( ) , "ivModulesByLogicalName" ) ; } if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "updateAppLinkData: " + j2eeName + ", add=" + add + ", numBeans=" + numBeans ) ; } | Updates the EJB - link and auto - link data for a bean . |
163,065 | private static < T > void updateAppLinkDataTable ( Map < String , Set < T > > table , boolean add , String key , T value , String tracePrefix ) { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; Set < T > values = table . get ( key ) ; if ( add ) { if ( isTraceOn && tc . isDebugEnabled ( ) && tracePrefix != null ) Tr . debug ( tc , tracePrefix + ": adding " + key + " = " + value ) ; if ( values == null ) { values = new LinkedHashSet < T > ( ) ; table . put ( key , values ) ; } values . add ( value ) ; } else { if ( isTraceOn && tc . isDebugEnabled ( ) && tracePrefix != null ) Tr . debug ( tc , tracePrefix + ": removing " + key + " = " + value ) ; if ( values != null ) { values . remove ( value ) ; if ( values . size ( ) == 0 ) { if ( isTraceOn && tc . isDebugEnabled ( ) && tracePrefix != null ) Tr . debug ( tc , tracePrefix + ": removing " + key ) ; table . remove ( key ) ; } } else { if ( isTraceOn && tc . isDebugEnabled ( ) && tracePrefix != null ) Tr . debug ( tc , tracePrefix + ": key not found: " + key ) ; } } } | Updates a map from name to set of values . |
163,066 | private void updateAutoLink ( AppLinkData linkData , boolean add , J2EEName j2eeName , BeanMetaData bmd ) { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "updateAutoLink" ) ; String module = j2eeName . getModule ( ) ; String beanInterface = null ; Map < String , Set < J2EEName > > appTable = linkData . ivBeansByType ; Map < String , Set < J2EEName > > moduleTable = linkData . ivBeansByModuleByType . get ( module ) ; if ( moduleTable == null ) { moduleTable = new HashMap < String , Set < J2EEName > > ( 7 ) ; linkData . ivBeansByModuleByType . put ( module , moduleTable ) ; } beanInterface = bmd . homeInterfaceClassName ; if ( beanInterface != null ) { updateAppLinkDataTable ( appTable , add , beanInterface , j2eeName , "ivBeansByType" ) ; updateAppLinkDataTable ( moduleTable , add , beanInterface , j2eeName , null ) ; } beanInterface = bmd . localHomeInterfaceClassName ; if ( beanInterface != null ) { updateAppLinkDataTable ( appTable , add , beanInterface , j2eeName , "ivBeansByType" ) ; updateAppLinkDataTable ( moduleTable , add , beanInterface , j2eeName , null ) ; } String [ ] businessRemoteInterfaceName = bmd . ivBusinessRemoteInterfaceClassNames ; if ( businessRemoteInterfaceName != null ) { for ( String remoteInterface : businessRemoteInterfaceName ) { updateAppLinkDataTable ( appTable , add , remoteInterface , j2eeName , "ivBeansByType" ) ; updateAppLinkDataTable ( moduleTable , add , remoteInterface , j2eeName , null ) ; } } String [ ] businessLocalInterfaceName = bmd . ivBusinessLocalInterfaceClassNames ; if ( businessLocalInterfaceName != null ) { for ( String localInterface : businessLocalInterfaceName ) { updateAppLinkDataTable ( appTable , add , localInterface , j2eeName , "ivBeansByType" ) ; updateAppLinkDataTable ( moduleTable , add , localInterface , j2eeName , null ) ; } } if ( bmd . ivLocalBean ) { beanInterface = bmd . enterpriseBeanClassName ; updateAppLinkDataTable ( appTable , add , beanInterface , j2eeName , "ivBeansByType" ) ; updateAppLinkDataTable ( moduleTable , add , beanInterface , j2eeName , null ) ; } if ( moduleTable . isEmpty ( ) ) { if ( isTraceOn && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "ivBeansByModuleByType: removing " + module ) ; linkData . ivBeansByModuleByType . remove ( module ) ; } if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "updateAutoLink" ) ; } | d429866 . 2 |
163,067 | public BeanO createBeanO ( EJBThreadData threadData , ContainerTx tx , BeanId id ) throws RemoteException { J2EEName homeKey = id . getJ2EEName ( ) ; HomeRecord hr = homesByName . get ( homeKey ) ; BeanO result = null ; if ( hr != null ) { result = hr . beanO ; } if ( result == null ) { String msgTxt = "The referenced version of the " + homeKey . getComponent ( ) + " bean in the " + homeKey . getApplication ( ) + " application has been stopped and may no longer be used. " + "If the " + homeKey . getApplication ( ) + " application has been started again, a new reference for " + "the new image of the " + homeKey . getComponent ( ) + " bean must be obtained. Local references to a bean or home " + "are no longer valid once the application has been stopped." ; throw new EJBStoppedException ( msgTxt ) ; } return result ; } | Added ContainerTx d168509 |
163,068 | public String getEnterpriseBeanClassName ( Object homeKey ) { HomeRecord hr = homesByName . get ( homeKey ) ; return hr . homeInternal . getEnterpriseBeanClassName ( homeKey ) ; } | Return the name of the class that implements the bean s owned by the given home . |
163,069 | public Object resolveVariable ( String pName ) throws ELException { ELContext ctx = this . getELContext ( ) ; return ctx . getELResolver ( ) . getValue ( ctx , null , pName ) ; } | LIDB4147 - 9 Begin - modified for JSP 2 . 1 |
163,070 | private void copyTagToPageScope ( int scope ) { Iterator iter = null ; switch ( scope ) { case VariableInfo . NESTED : if ( nestedVars != null ) { iter = nestedVars . iterator ( ) ; } break ; case VariableInfo . AT_BEGIN : if ( atBeginVars != null ) { iter = atBeginVars . iterator ( ) ; } break ; case VariableInfo . AT_END : if ( atEndVars != null ) { iter = atEndVars . iterator ( ) ; } break ; } while ( ( iter != null ) && iter . hasNext ( ) ) { String varName = ( String ) iter . next ( ) ; Object obj = getAttribute ( varName ) ; varName = findAlias ( varName ) ; if ( obj != null ) { invokingJspCtxt . setAttribute ( varName , obj ) ; } else { invokingJspCtxt . removeAttribute ( varName , PAGE_SCOPE ) ; } } } | Copies the variables of the given scope from the virtual page scope of this JSP context wrapper to the page scope of the invoking JSP context . |
163,071 | private void saveNestedVariables ( ) { if ( nestedVars != null ) { Iterator iter = nestedVars . iterator ( ) ; while ( iter . hasNext ( ) ) { String varName = ( String ) iter . next ( ) ; varName = findAlias ( varName ) ; Object obj = invokingJspCtxt . getAttribute ( varName ) ; if ( obj != null ) { originalNestedVars . put ( varName , obj ) ; } } } } | Saves the values of any NESTED variables that are present in the invoking JSP context so they can later be restored . |
163,072 | private void restoreNestedVariables ( ) { if ( nestedVars != null ) { Iterator iter = nestedVars . iterator ( ) ; while ( iter . hasNext ( ) ) { String varName = ( String ) iter . next ( ) ; varName = findAlias ( varName ) ; Object obj = originalNestedVars . get ( varName ) ; if ( obj != null ) { invokingJspCtxt . setAttribute ( varName , obj ) ; } else { invokingJspCtxt . removeAttribute ( varName , PAGE_SCOPE ) ; } } } } | Restores the values of any NESTED variables in the invoking JSP context . |
163,073 | public RangeObject getNext ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getNext" , Integer . valueOf ( cursor ) ) ; int curr = cursor ; cursor = cursor < ( blockVector . size ( ) - 1 ) ? cursor + 1 : cursor ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getNext" , new Object [ ] { blockVector . get ( curr ) , Integer . valueOf ( cursor ) } ) ; return ( RangeObject ) blockVector . get ( curr ) ; } | Returns the next range object |
163,074 | public void replacePrefix ( RangeObject w ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "replacePrefix" , w ) ; long lstamp = w . endstamp ; int lindex ; RangeObject lastro ; for ( lindex = 0 ; ; lindex ++ ) { lastro = ( RangeObject ) blockVector . get ( lindex ) ; if ( ( lstamp <= lastro . endstamp ) && ( lstamp >= lastro . startstamp ) ) break ; } if ( lstamp < lastro . endstamp ) { lastro . startstamp = lstamp + 1 ; if ( lindex == 0 ) { blockVector . insertNullElementsAt ( 0 , 1 ) ; } else { if ( ( lindex - 1 ) > 0 ) blockVector . removeElementsAt ( 0 , lindex - 1 ) ; } } else { if ( lindex > 0 ) blockVector . removeElementsAt ( 0 , lindex ) ; } blockVector . set ( 0 , w ) ; cursor = 0 ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "replacePrefix" ) ; } | return a list of RangeObjects that are removed |
163,075 | protected final int getIndex ( long stamp ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getIndex" , Long . valueOf ( stamp ) ) ; int first = 0 ; int last = blockVector . size ( ) ; int index = linearSearch ( stamp , first , last - 1 ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getIndex" , index ) ; return index ; } | gets the index in blockVector for the RangeObject containing stamp |
163,076 | protected void handleJwtRequest ( HttpServletRequest request , HttpServletResponse response , ServletContext servletContext , JwtConfig jwtConfig , EndpointType endpointType ) throws IOException { if ( jwtConfig == null ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "No JwtConfig object provided" ) ; } return ; } switch ( endpointType ) { case jwk : processJWKRequest ( response , jwtConfig ) ; return ; case token : try { if ( ! isTransportSecure ( request ) ) { String url = request . getRequestURL ( ) . toString ( ) ; Tr . error ( tc , "SECURITY.JWT.ERROR.WRONG.HTTP.SCHEME" , new Object [ ] { url } ) ; response . sendError ( HttpServletResponse . SC_NOT_FOUND , Tr . formatMessage ( tc , "SECURITY.JWT.ERROR.WRONG.HTTP.SCHEME" , new Object [ ] { url } ) ) ; return ; } boolean result = request . authenticate ( response ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "request.authenticate result: " + result ) ; } if ( result == false ) { return ; } } catch ( ServletException e ) { return ; } processTokenRequest ( response , jwtConfig ) ; return ; default : break ; } } | Handle the request for the respective endpoint to which the request was directed . |
163,077 | private boolean isTransportSecure ( HttpServletRequest req ) { String url = req . getRequestURL ( ) . toString ( ) ; if ( req . getScheme ( ) . equals ( "https" ) ) { return true ; } String value = req . getHeader ( "X-Forwarded-Proto" ) ; if ( value != null && value . toLowerCase ( ) . equals ( "https" ) ) { return true ; } return false ; } | determine if transport is secure . Either the protocol must be https or we must see a forwarding header that indicates it was https upstream of a proxy . Use of a configuration property to allow plain http was rejected in review . |
163,078 | private void processTokenRequest ( HttpServletResponse response , JwtConfig jwtConfig ) throws IOException { String tokenString = new TokenBuilder ( ) . createTokenString ( jwtConfig ) ; addNoCacheHeaders ( response ) ; response . setStatus ( 200 ) ; if ( tokenString == null ) { return ; } try { PrintWriter pw = response . getWriter ( ) ; response . setHeader ( WebConstants . HTTP_HEADER_CONTENT_TYPE , WebConstants . HTTP_CONTENT_TYPE_JSON ) ; pw . write ( "{\"token\": \"" + tokenString + "\"}" ) ; pw . flush ( ) ; pw . close ( ) ; } catch ( IOException e ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Caught an exception attempting to get the response writer: " + e . getLocalizedMessage ( ) ) ; } } } | produces a JWT token based upon the jwt Configuration and the security credentials of the authenticated user that called this method . Returns the token as JSON in the response . |
163,079 | private void processJWKRequest ( HttpServletResponse response , JwtConfig jwtConfig ) throws IOException { String signatureAlg = jwtConfig . getSignatureAlgorithm ( ) ; if ( ! Constants . SIGNATURE_ALG_RS256 . equals ( signatureAlg ) ) { String errorMsg = Tr . formatMessage ( tc , "JWK_ENDPOINT_WRONG_ALGORITHM" , new Object [ ] { jwtConfig . getId ( ) , signatureAlg , Constants . SIGNATURE_ALG_RS256 } ) ; Tr . error ( tc , errorMsg ) ; response . sendError ( HttpServletResponse . SC_BAD_REQUEST , errorMsg ) ; return ; } String jwkString = jwtConfig . getJwkJsonString ( ) ; addNoCacheHeaders ( response ) ; response . setStatus ( 200 ) ; if ( jwkString == null ) { return ; } try { PrintWriter pw = response . getWriter ( ) ; response . setHeader ( WebConstants . HTTP_HEADER_CONTENT_TYPE , WebConstants . HTTP_CONTENT_TYPE_JSON ) ; pw . write ( jwkString ) ; pw . flush ( ) ; pw . close ( ) ; } catch ( IOException e ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Caught an exception attempting to get the response writer: " + e . getLocalizedMessage ( ) ) ; } } } | Obtains the JWK string that is active in the specified config and prints it in JSON format in the response . If a JWK is not found the response will be empty . |
163,080 | protected void addNoCacheHeaders ( HttpServletResponse response ) { String cacheControlValue = response . getHeader ( WebConstants . HEADER_CACHE_CONTROL ) ; if ( cacheControlValue != null && ! cacheControlValue . isEmpty ( ) ) { cacheControlValue = cacheControlValue + ", " + WebConstants . CACHE_CONTROL_NO_STORE ; } else { cacheControlValue = WebConstants . CACHE_CONTROL_NO_STORE ; } response . setHeader ( WebConstants . HEADER_CACHE_CONTROL , cacheControlValue ) ; response . setHeader ( WebConstants . HEADER_PRAGMA , WebConstants . PRAGMA_NO_CACHE ) ; } | Adds header values to avoid caching of the provided response . |
163,081 | protected void activate ( ) throws Exception { String runtimeVersion = getRuntimeClassVersion ( ) ; if ( runtimeVersion != null && ! runtimeVersion . equals ( getCurrentVersion ( ) ) ) { throw new IllegalStateException ( "Incompatible proxy code (version " + runtimeVersion + ")" ) ; } if ( runtimeVersion == null ) { JarFile proxyJar = getBootProxyJarIfCurrent ( ) ; if ( proxyJar == null ) { proxyJar = createBootProxyJar ( ) ; } instrumentation . appendToBootstrapClassLoaderSearch ( proxyJar ) ; } activateProbeProxyTarget ( ) ; activateClassAvailableProxyTarget ( ) ; } | Activate this declarative services component . Bundles that are currently active will be examined for monitoring metadata and registered as appropriate . |
163,082 | @ FFDCIgnore ( Exception . class ) String getRuntimeClassVersion ( ) { String runtimeVersion = null ; try { Class < ? > clazz = Class . forName ( PROBE_PROXY_CLASS_NAME ) ; Field version = ReflectionHelper . getDeclaredField ( clazz , VERSION_FIELD_NAME ) ; runtimeVersion = ( String ) version . get ( null ) ; } catch ( Exception e ) { } return runtimeVersion ; } | Determine if the boot delegated proxy is already available and if so what its version is . |
163,083 | JarFile getBootProxyJarIfCurrent ( ) { File dataFile = bundleContext . getDataFile ( "boot-proxy.jar" ) ; if ( ! dataFile . exists ( ) ) { return null ; } JarFile jarFile = null ; try { jarFile = new JarFile ( dataFile ) ; Manifest manifest = jarFile . getManifest ( ) ; Attributes attrs = manifest . getMainAttributes ( ) ; String jarVersion = attrs . getValue ( MONITORING_VERSION_MANIFEST_HEADER ) ; if ( ! getCurrentVersion ( ) . equals ( jarVersion ) ) { jarFile . close ( ) ; jarFile = null ; } } catch ( Exception e ) { } return jarFile ; } | Get the boot proxy jar from the current data area if the code matches the current bundle version . |
163,084 | JarFile createBootProxyJar ( ) throws IOException { File dataFile = bundleContext . getDataFile ( "boot-proxy.jar" ) ; if ( ! dataFile . exists ( ) ) { dataFile . createNewFile ( ) ; } Manifest manifest = createBootJarManifest ( ) ; FileOutputStream fileOutputStream = new FileOutputStream ( dataFile , false ) ; JarOutputStream jarOutputStream = new JarOutputStream ( fileOutputStream , manifest ) ; createDirectoryEntries ( jarOutputStream , BOOT_DELEGATED_PACKAGE ) ; Bundle bundle = bundleContext . getBundle ( ) ; Enumeration < ? > entryPaths = bundle . getEntryPaths ( TEMPLATE_CLASSES_PATH ) ; if ( entryPaths != null ) { while ( entryPaths . hasMoreElements ( ) ) { URL sourceClassResource = bundle . getEntry ( ( String ) entryPaths . nextElement ( ) ) ; if ( sourceClassResource != null ) writeRemappedClass ( sourceClassResource , jarOutputStream , BOOT_DELEGATED_PACKAGE ) ; } } jarOutputStream . close ( ) ; fileOutputStream . close ( ) ; return new JarFile ( dataFile ) ; } | Create a jar file that contains the proxy code that will live in the boot delegation package . |
163,085 | public void createDirectoryEntries ( JarOutputStream jarStream , String packageName ) throws IOException { StringBuilder entryName = new StringBuilder ( packageName . length ( ) ) ; for ( String str : packageName . split ( "\\." ) ) { entryName . append ( str ) . append ( "/" ) ; JarEntry jarEntry = new JarEntry ( entryName . toString ( ) ) ; jarStream . putNextEntry ( jarEntry ) ; } } | Create the jar directory entries corresponding to the specified package name . |
163,086 | private void writeRemappedClass ( URL classUrl , JarOutputStream jarStream , String targetPackage ) throws IOException { InputStream inputStream = classUrl . openStream ( ) ; String sourceInternalName = getClassInternalName ( classUrl ) ; String targetInternalName = getTargetInternalName ( sourceInternalName , targetPackage ) ; SimpleRemapper remapper = new SimpleRemapper ( sourceInternalName , targetInternalName ) ; ClassReader reader = new ClassReader ( inputStream ) ; ClassWriter writer = new ClassWriter ( reader , ClassWriter . COMPUTE_FRAMES ) ; ClassRemapper remappingVisitor = new ClassRemapper ( writer , remapper ) ; ClassVisitor versionVisitor = new AddVersionFieldClassAdapter ( remappingVisitor , VERSION_FIELD_NAME , getCurrentVersion ( ) ) ; reader . accept ( versionVisitor , ClassReader . EXPAND_FRAMES ) ; JarEntry jarEntry = new JarEntry ( targetInternalName + ".class" ) ; jarStream . putNextEntry ( jarEntry ) ; jarStream . write ( writer . toByteArray ( ) ) ; } | Transform the proxy template class that s in this package into a class that s in a package on the framework boot delegation package list . |
163,087 | String getTargetInternalName ( String sourceInternalName , String targetPackage ) { StringBuilder targetInternalName = new StringBuilder ( ) ; targetInternalName . append ( targetPackage . replaceAll ( "\\." , "/" ) ) ; int lastSlashIndex = sourceInternalName . lastIndexOf ( '/' ) ; targetInternalName . append ( sourceInternalName . substring ( lastSlashIndex ) ) ; return targetInternalName . toString ( ) ; } | Get the class internal name that should be used where moving the internal class across packages . |
163,088 | void activateProbeProxyTarget ( ) throws Exception { Method method = ReflectionHelper . getDeclaredMethod ( probeManagerImpl . getClass ( ) , ProbeMethodAdapter . FIRE_PROBE_METHOD_NAME , long . class , Object . class , Object . class , Object . class ) ; ReflectionHelper . setAccessible ( method , true ) ; if ( ! Type . getMethodDescriptor ( method ) . equals ( ProbeMethodAdapter . FIRE_PROBE_METHOD_DESC ) ) { throw new IncompatibleClassChangeError ( "Proxy method signature does not match byte code" ) ; } findProbeProxySetFireProbeTargetMethod ( ) . invoke ( null , probeManagerImpl , method ) ; } | Hook up the monitoring boot proxy delegate . |
163,089 | public void setWebApp ( com . ibm . ws . webcontainer . webapp . WebApp webApp ) { super . setWebApp ( ( WebApp ) webApp ) ; } | Override to ensure all WebApp are osgi . WebApp . |
163,090 | public static boolean isBeanValidationAvailable ( ) { if ( beanValidationAvailable == null ) { try { try { beanValidationAvailable = ( Class . forName ( "javax.validation.Validation" ) != null ) ; } catch ( ClassNotFoundException e ) { beanValidationAvailable = Boolean . FALSE ; } if ( beanValidationAvailable ) { try { _ValidationUtils . tryBuildDefaultValidatorFactory ( ) ; } catch ( Throwable t ) { log . log ( Level . FINE , "Error initializing Bean Validation (could be normal)" , t ) ; beanValidationAvailable = false ; } } } catch ( Throwable t ) { log . log ( Level . FINE , "Error loading class (could be normal)" , t ) ; beanValidationAvailable = false ; } } return beanValidationAvailable ; } | This method determines if Bean Validation is present . |
163,091 | void handleRollback ( SubscriptionMessage subMessage , LocalTransaction transaction ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "handleRollback" , new Object [ ] { subMessage , transaction } ) ; try { if ( transaction != null ) { try { transaction . rollback ( ) ; } catch ( SIException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.proxyhandler.NeighbourProxyListener.handleRollback" , "1:330:1.73" , this ) ; SibTr . exception ( tc , e ) ; } } Transaction msTran = iProxyHandler . getMessageProcessor ( ) . resolveAndEnlistMsgStoreTransaction ( transaction ) ; switch ( subMessage . getSubscriptionMessageType ( ) . toInt ( ) ) { case SubscriptionMessageType . CREATE_INT : iProxyHandler . remoteUnsubscribeEvent ( iAddTopicSpaces , iAddTopics , subMessage . getBus ( ) , msTran , false ) ; break ; case SubscriptionMessageType . DELETE_INT : iProxyHandler . remoteSubscribeEvent ( iDeleteTopicSpaces , iDeleteTopics , subMessage . getBus ( ) , msTran , false ) ; break ; case SubscriptionMessageType . RESET_INT : iProxyHandler . remoteUnsubscribeEvent ( iAddTopicSpaces , iAddTopics , subMessage . getBus ( ) , msTran , false ) ; iProxyHandler . remoteSubscribeEvent ( iDeleteTopicSpaces , iDeleteTopics , subMessage . getBus ( ) , msTran , false ) ; break ; default : break ; } } catch ( SIException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.proxyhandler.NeighbourProxyListener.handleRollback" , "1:392:1.73" , this ) ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "handleRollback" ) ; } | Rolls back and readds the proxy subscriptions that may have been removed . |
163,092 | void handleDeleteProxySubscription ( SubscriptionMessage deleteMessage , Transaction transaction ) throws SIResourceException { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "handleDeleteProxySubscription" , new Object [ ] { deleteMessage , transaction } ) ; final Iterator topics = deleteMessage . getTopics ( ) . iterator ( ) ; final Iterator topicSpaces = deleteMessage . getTopicSpaces ( ) . iterator ( ) ; final Iterator topicSpaceMappings = deleteMessage . getTopicSpaceMappings ( ) . iterator ( ) ; final byte [ ] meUUIDArr = deleteMessage . getMEUUID ( ) ; final SIBUuid8 meUUID = new SIBUuid8 ( meUUIDArr ) ; final String busId = deleteMessage . getBusName ( ) ; deleteProxySubscription ( topics , topicSpaces , topicSpaceMappings , meUUID , busId , transaction ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "handleDeleteProxySubscription" ) ; } | Used to remove a proxy subscription on this Neighbour |
163,093 | public void setKerberosConnection ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "setting this mc to indicate it was gotten using kerberos" ) ; kerberosConnection = true ; } | new code RRS |
163,094 | public void markStale ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "mark mc stale" ) ; _mcStale = true ; } | Marks the managed connection as stale . |
163,095 | private final void addHandle ( WSJdbcConnection handle ) throws ResourceException { ( numHandlesInUse < handlesInUse . length - 1 ? handlesInUse : resizeHandleList ( ) ) [ numHandlesInUse ++ ] = handle ; if ( ! inRequest && dsConfig . get ( ) . enableBeginEndRequest ) try { inRequest = true ; mcf . jdbcRuntime . beginRequest ( sqlConn ) ; } catch ( SQLException x ) { FFDCFilter . processException ( x , getClass ( ) . getName ( ) , "548" , this ) ; throw new DataStoreAdapterException ( "DSA_ERROR" , x , getClass ( ) ) ; } } | Add a handle to this ManagedConnection s list of handles . Signal the JDBC 4 . 3 + driver that a request is starting . |
163,096 | public void connectionClosed ( javax . sql . ConnectionEvent event ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) Tr . event ( this , tc , "connectionClosed" , "Notification of connection closed received from the JDBC driver" , AdapterUtil . toString ( event . getSource ( ) ) ) ; if ( isAborted ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "The connection was aborted, so this event will not be processed" ) ; } else { processConnectionErrorOccurredEvent ( null , event . getSQLException ( ) ) ; } } | Invoked by the JDBC driver when the java . sql . Connection is closed . |
163,097 | private void destroyStatement ( Object unwantedStatement ) { try { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "Statement cache at capacity. Discarding a statement." , AdapterUtil . toString ( unwantedStatement ) ) ; ( ( Statement ) unwantedStatement ) . close ( ) ; } catch ( SQLException closeX ) { FFDCFilter . processException ( closeX , getClass ( ) . getName ( ) + ".discardStatement" , "511" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "Error closing statement" , AdapterUtil . toString ( unwantedStatement ) , closeX ) ; } } | Destroy an unwanted statement . This method should close the statement . |
163,098 | final void detectMultithreadedAccess ( ) { Thread currentThreadID = Thread . currentThread ( ) ; if ( currentThreadID == threadID ) return ; if ( threadID == null ) threadID = currentThreadID ; else { mcf . detectedMultithreadedAccess = true ; java . io . StringWriter writer = new java . io . StringWriter ( ) ; new Error ( ) . printStackTrace ( new java . io . PrintWriter ( writer ) ) ; Tr . warning ( tc , "MULTITHREADED_ACCESS_DETECTED" , this , Integer . toHexString ( threadID . hashCode ( ) ) + ' ' + threadID , Integer . toHexString ( currentThreadID . hashCode ( ) ) + ' ' + currentThreadID , writer . getBuffer ( ) . delete ( 0 , "java.lang.Error" . length ( ) ) ) ; } } | Detect multithreaded access . This method is called only if detection is enabled . The method ensures that the current thread id matches the saved thread id for this MC . If the MC was just taken out the pool the thread id may not have been recorded yet . In this case we save the current thread id . Otherwise if the thread ids don t match log a message indicating that multithreaded access was detected . |
163,099 | public void dissociateConnections ( ) throws ResourceException { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . entry ( this , tc , "dissociateConnections" ) ; ResourceException firstX = null ; cleaningUpHandles = true ; for ( int i = numHandlesInUse ; i > 0 ; ) try { handlesInUse [ -- i ] . dissociate ( ) ; handlesInUse [ i ] = null ; } catch ( ResourceException dissociationX ) { dissociationX = processHandleDissociationError ( i , dissociationX ) ; if ( firstX == null ) firstX = dissociationX ; } numHandlesInUse = 0 ; cleaningUpHandles = false ; if ( firstX != null ) { if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , "dissociateConnections" , firstX ) ; throw firstX ; } if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , "dissociateConnections" ) ; } | Dissociate all connection handles from this ManagedConnection transitioning the handles to an inactive state where are not associated with any ManagedConnection . Processing continues when errors occur . All errors are logged and the first error is saved to be thrown when processing completes . |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.