idx
int64 0
165k
| question
stringlengths 73
5.81k
| target
stringlengths 5
918
|
---|---|---|
163,200 |
@ FFDCIgnore ( Exception . class ) public DataSource getDataSource ( ) throws Exception { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getDataSource" ) ; ResourceFactory dataSourceFactory = _customLogProperties . resourceFactory ( ) ; if ( dataSourceFactory != null ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Using DataSourceFactory " + dataSourceFactory ) ; } else { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getDataSource" , "Null ResourceFactory InternalLogException" ) ; throw new InternalLogException ( "Failed to locate DataSource, null Resourcefactory" , null ) ; } try { nonTranDataSource = ( DataSource ) dataSourceFactory . createResource ( null ) ; } catch ( Exception e ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getDataSource" , "Caught exception " + e + "throw InternalLogException" ) ; throw new InternalLogException ( "Failed to locate DataSource, caught exception " , null ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getDataSource" , nonTranDataSource ) ; return nonTranDataSource ; }
|
Locates a DataSource in config
|
163,201 |
private void writeObject ( ObjectOutputStream out ) throws IOException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "writeObject" , out ) ; throw new NotSerializableException ( "TemporaryTopic" ) ; }
|
The writeObject method for serialization .
|
163,202 |
public static void addCompleteJarEntryUrls ( List < ContainerInfo > containers , Entry jarEntry , Collection < String > resolved ) throws UnableToAdaptException { String entryIdentity = createEntryIdentity ( jarEntry ) ; if ( ! entryIdentity . isEmpty ( ) && ! resolved . contains ( entryIdentity ) ) { resolved . add ( entryIdentity ) ; processMFClasspath ( jarEntry , containers , resolved ) ; } }
|
Add the jar entry URLs and its class path URLs . We need deal with all the thrown exceptions so that it won t interrupt the caller s processing .
|
163,203 |
private static Entry findClassPathEntry ( Entry jarEntry , URI pathUri ) throws URISyntaxException , UnableToAdaptException { URI relativeJarUri = new URI ( "/" ) . relativize ( new URI ( jarEntry . getPath ( ) ) ) ; URI targetUri = null ; targetUri = relativeJarUri . resolve ( pathUri ) ; if ( targetUri . toString ( ) . startsWith ( ".." ) ) { Entry rootEntry = jarEntry . getRoot ( ) . adapt ( Entry . class ) ; if ( rootEntry == null || rootEntry . getPath ( ) . isEmpty ( ) ) { return null ; } return findClassPathEntry ( rootEntry , new URI ( ".." ) . relativize ( targetUri ) ) ; } else { return jarEntry . getRoot ( ) . getEntry ( targetUri . toString ( ) ) ; } }
|
calculate the class path entry based on the jar entry
|
163,204 |
protected Object [ ] purge ( ) { Object [ ] data = new Object [ getCurrentNumElements ( ) ] ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "LocalPool is purging " + data . length + " items. firstEntry: " + firstEntry + " lastEntry: " + lastEntry + " poolSize: " + poolSize ) ; } if ( 0 < data . length ) { int out = 0 ; if ( lastEntry >= firstEntry ) { for ( int i = firstEntry ; i <= lastEntry ; i ++ ) { data [ out ] = free [ i ] ; free [ i ] = null ; out ++ ; } } else { for ( int i = firstEntry ; i < poolSize ; i ++ ) { data [ out ] = free [ i ] ; free [ i ] = null ; out ++ ; } for ( int i = 0 ; i <= lastEntry ; i ++ ) { data [ out ] = free [ i ] ; free [ i ] = null ; out ++ ; } } lastEntry = - 1 ; firstEntry = - 1 ; } return data ; }
|
Purge the contents and hand them to the calling pool that owns this threadlocal version .
|
163,205 |
public final boolean skipCreatingBda ( CDIArchive archive ) { boolean skip = isImplicitBeanArchivesScanningDisabled ( archive ) ; skip = skip && ( archive . getBeansXml ( ) == null ) ; skip = skip && ( ! ( archive . getType ( ) == ArchiveType . WEB_MODULE ) ) ; return skip ; }
|
Determine whether this jar is completely ignored by CDI so no need to create bda for it . The jar will be ignored if it does not contain beans . xml and in the server . xml implicit bean archive scanning is disabled .
|
163,206 |
public synchronized void finalReap ( ) { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "finalReap : Remote Async Results = " + ivAllRemoteAsyncResults . size ( ) ) ; if ( ivFuture != null ) { ivIsCanceled = true ; ivFuture . cancel ( false ) ; ivFuture = null ; } for ( Iterator < RemoteAsyncResultImpl > iterator = ivAllRemoteAsyncResults . iterator ( ) ; iterator . hasNext ( ) ; ) { RemoteAsyncResultImpl asyncResult = iterator . next ( ) ; releaseResources ( asyncResult ) ; iterator . remove ( ) ; } if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "finalReap : Remote Async Results = " + ivAllRemoteAsyncResults . size ( ) ) ; }
|
This method is invoked just before container termination to clean up server - side Future objects .
|
163,207 |
public synchronized void add ( RemoteAsyncResultImpl asyncResult ) { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; ivAllRemoteAsyncResults . add ( asyncResult ) ; if ( asyncResult . ivPmiBean != null ) { asyncResult . ivPmiBean . asyncFutureObjectIncrement ( ) ; } int size = ivAllRemoteAsyncResults . size ( ) ; if ( isTraceOn && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "add " + asyncResult + "; size=" + size ) ; if ( size == 1 ) { ivFuture = ivScheduledExecutor . schedule ( this , ivAlarmIntervalMillis , TimeUnit . MILLISECONDS ) ; } else if ( size >= ivNearMaxResultsThreshold ) { boolean warn = false ; if ( size > ivMaxUnclaimedResults ) { if ( ! ivWarnedExceededMax ) { warn = ivWarnedExceededMax = true ; } Iterator < RemoteAsyncResultImpl > iterator = ivAllRemoteAsyncResults . iterator ( ) ; RemoteAsyncResultImpl oldest = iterator . next ( ) ; releaseResources ( oldest ) ; iterator . remove ( ) ; } else { if ( ! ivWarnedNearMax ) { warn = ivWarnedNearMax = true ; } } if ( warn ) { Tr . warning ( tc , "MAXIMUM_UNCLAIMED_ASYNC_RESULTS_CNTR0328W" , size , ivMaxUnclaimedResults ) ; } } }
|
Add a new server - side Future object to the list to be checked for timeouts
|
163,208 |
public synchronized void remove ( RemoteAsyncResultImpl asyncResult ) { ivAllRemoteAsyncResults . remove ( asyncResult ) ; releaseResources ( asyncResult ) ; if ( ivAllRemoteAsyncResults . isEmpty ( ) && ivFuture != null ) { ivFuture . cancel ( false ) ; ivFuture = null ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "remove " + asyncResult + "; size=" + ivAllRemoteAsyncResults . size ( ) ) ; }
|
Remove a server - side Future object from the reaper and release its resources .
|
163,209 |
public String format ( long timestamp ) { if ( invalidFormat ) { return formatter . format ( timestamp ) ; } try { long delta = timestamp - refTimestamp ; if ( delta >= pdiff || delta < ndiff ) { StringBuffer refTime = new StringBuffer ( ) ; refTimestamp = timestamp ; formatter . format ( timestamp , refTime , position ) ; refMilli = Long . parseLong ( refTime . substring ( position . getBeginIndex ( ) , position . getEndIndex ( ) ) ) ; refBeginning = refTime . substring ( 0 , position . getBeginIndex ( ) ) ; refEnding = refTime . substring ( position . getEndIndex ( ) ) ; pdiff = 1000 - refMilli ; ndiff = - refMilli ; return refTime . toString ( ) ; } else { StringBuffer sb = new StringBuffer ( ) ; long newMilli = delta + refMilli ; if ( newMilli >= 100 ) sb . append ( refBeginning ) . append ( newMilli ) . append ( refEnding ) ; else if ( newMilli >= 10 ) sb . append ( refBeginning ) . append ( '0' ) . append ( newMilli ) . append ( refEnding ) ; else sb . append ( refBeginning ) . append ( "00" ) . append ( newMilli ) . append ( refEnding ) ; return sb . toString ( ) ; } } catch ( Exception e ) { invalidFormat = true ; return formatter . format ( timestamp ) ; } }
|
Formats a timestamp
|
163,210 |
private void setName ( String newName ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "setName" , newName ) ; this . _name = newName ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setName" ) ; }
|
Sets the name currently in use by this localization .
|
163,211 |
public boolean isSendAllowed ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "isSendAllowed" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "isSendAllowed" , new Boolean ( _isSendAllowed ) ) ; return _isSendAllowed ; }
|
Gets the current value of SendAllowed used by this localization .
|
163,212 |
public void setSendAllowed ( boolean newIsSendAllowedValue ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "setSendAllowed" , new Boolean ( newIsSendAllowedValue ) ) ; this . _isSendAllowed = newIsSendAllowedValue ; updatePutRegistration ( _isSendAllowed ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setSendAllowed" ) ; }
|
Sets the current value of SendAllowed used by this localization .
|
163,213 |
public void setAlterationTime ( long newAlterationTime ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "setAlterationTime" , new Long ( newAlterationTime ) ) ; this . _alterationTime = newAlterationTime ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "setAlterationTime" ) ; }
|
Sets the current alteration time fro this localization .
|
163,214 |
public static void rcvDeleteDurableSub ( CommsByteBuffer request , Conversation conversation , int requestNumber , boolean allocatedFromBufferPool , boolean partOfExchange ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "rcvDeleteDurableSub" , new Object [ ] { request , conversation , "" + requestNumber , "" + allocatedFromBufferPool } ) ; ConversationState convState = ( ConversationState ) conversation . getAttachment ( ) ; short connectionObjectID = request . getShort ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "ConnectionObjectId:" , connectionObjectID ) ; String subscriptionName = request . getString ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Subscription Name:" , subscriptionName ) ; String subscriptionHome = request . getString ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Subscription Home:" , subscriptionHome ) ; SICoreConnection connection = ( ( CATConnection ) convState . getObject ( connectionObjectID ) ) . getSICoreConnection ( ) ; try { connection . deleteDurableSubscription ( subscriptionName , subscriptionHome ) ; try { conversation . send ( poolManager . allocate ( ) , JFapChannelConstants . SEG_DELETE_DURABLE_SUB_R , requestNumber , JFapChannelConstants . PRIORITY_MEDIUM , true , ThrottlingPolicy . BLOCK_THREAD , null ) ; } catch ( SIException e ) { FFDCFilter . processException ( e , CLASS_NAME + ".rcvDeleteDurableSub" , CommsConstants . STATICCATSUBSCRIPTION_DELETE_01 ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , e . getMessage ( ) , e ) ; SibTr . error ( tc , "COMMUNICATION_ERROR_SICO2025" , e ) ; } } catch ( SINotAuthorizedException e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , e . getMessage ( ) , e ) ; StaticCATHelper . sendExceptionToClient ( e , null , conversation , requestNumber ) ; } catch ( SIException e ) { if ( ! convState . hasMETerminated ( ) ) { com . ibm . ws . ffdc . FFDCFilter . processException ( e , CLASS_NAME + ".rcvDeleteDurableSub" , CommsConstants . STATICCATSUBSCRIPTION_DELETE_02 ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , e . getMessage ( ) , e ) ; StaticCATHelper . sendExceptionToClient ( e , CommsConstants . STATICCATSUBSCRIPTION_DELETE_02 , conversation , requestNumber ) ; } request . release ( allocatedFromBufferPool ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "rcvDeleteDurableSub" ) ; }
|
Deletes a durable subscription
|
163,215 |
public static void main ( String [ ] args ) { Generator schemaGen = new Generator ( ) ; System . exit ( schemaGen . createSchema ( args ) ) ; }
|
The runtime main . String arguments are treated and parsed as command line parameters .
|
163,216 |
private void generate ( List < MetaTypeInformationSpecification > metatype ) { XMLOutputFactory factory = XMLOutputFactory . newInstance ( ) ; try { PrintWriter writer = new PrintWriter ( generatorOptions . getOutputFile ( ) , generatorOptions . getEncoding ( ) ) ; XMLStreamWriter xmlWriter = null ; if ( generatorOptions . getCompactOutput ( ) ) { xmlWriter = new CompactOutputXMLStreamWriter ( factory . createXMLStreamWriter ( writer ) ) ; } else { xmlWriter = new IndentingXMLStreamWriter ( factory . createXMLStreamWriter ( writer ) , writer ) ; } SchemaWriter schemaWriter = new SchemaWriter ( xmlWriter ) ; schemaWriter . setIgnoredPids ( generatorOptions . getIgnoredPids ( ) ) ; schemaWriter . setGenerateDocumentation ( true ) ; schemaWriter . setEncoding ( generatorOptions . getEncoding ( ) ) ; schemaWriter . setLocale ( generatorOptions . getLocale ( ) ) ; schemaWriter . setSchemaVersion ( generatorOptions . getSchemaVersion ( ) ) ; schemaWriter . setOutputVersion ( generatorOptions . getOutputVersion ( ) ) ; for ( MetaTypeInformationSpecification item : metatype ) { schemaWriter . add ( item ) ; } schemaWriter . generate ( true ) ; } catch ( RuntimeException e ) { throw e ; } catch ( Exception e ) { throw new RuntimeException ( e ) ; } }
|
Pass the constructed metatypinformation to SchemaWriter for the actual generation
|
163,217 |
void setField ( int accessor , Object value ) { try { jmfPart . setValue ( accessor , value ) ; } catch ( JMFException e ) { FFDCFilter . processException ( e , "setField" , "87" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "setField failed: " + e ) ; } }
|
General field access
|
163,218 |
void setIntField ( int accessor , int value ) { try { jmfPart . setInt ( accessor , value ) ; } catch ( JMFException e ) { FFDCFilter . processException ( e , "setIntField" , "109" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "setIntField failed: " + e ) ; } }
|
Convenience access to primitive type fields
|
163,219 |
void setChoiceField ( int accessor , int variant ) { try { jmfPart . setInt ( accessor , variant ) ; } catch ( JMFException e ) { FFDCFilter . processException ( e , "setChoiceField" , "173" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "setChoiceField failed: " + e ) ; } }
|
Set a choice field to a specific variant
|
163,220 |
int getChoiceField ( int accessor ) { int result = 0 ; try { if ( jmfPart . isPresent ( accessor ) ) result = jmfPart . getInt ( accessor ) ; } catch ( JMFException e ) { FFDCFilter . processException ( e , "getChoiceField" , "185" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "getChoiceField failed: " + e ) ; } return result ; }
|
Get a choice field which determines which variant is set
|
163,221 |
void setPart ( int accessor , JMFSchema schema ) { try { jmfPart . setValue ( accessor , jmfPart . newNativePart ( schema ) ) ; } catch ( JMFException e ) { FFDCFilter . processException ( e , "setDynamicField" , "196" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "setDynamicField failed: " + e ) ; } }
|
Set a dynamic field to an empty message of appropriate type
|
163,222 |
JsMsgPart getPart ( int accessor , JMFSchema schema ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getPart" , new Object [ ] { accessor , schema } ) ; JsMsgPart result = null ; try { if ( jmfPart . isPresent ( accessor ) ) result = new JsMsgPart ( jmfPart . getNativePart ( accessor , schema ) ) ; } catch ( JMFException e ) { FFDCFilter . processException ( e , "getPart" , "208" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "getPart failed: " + e ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getPart" , result ) ; return result ; }
|
Obtain a nested message part
|
163,223 |
int estimateFieldValueSize ( int accessor ) { int size = 0 ; try { if ( jmfPart . isPresent ( accessor ) ) { size = jmfPart . estimateUnassembledValueSize ( accessor ) ; } } catch ( JMFException e ) { FFDCFilter . processException ( e , "estimateFieldValueSize" , "221" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "estimateFieldValueSize failed: " + e ) ; } return size ; }
|
Get the estimated size of the fluffed = up value of the field
|
163,224 |
public boolean isNotEMPTYlist ( int accessor ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "isNotEMPTYlist" , accessor ) ; boolean isNotAnEMPTY = true ; if ( jmfPart instanceof JMFMessage ) { isNotAnEMPTY = ! ( ( JMFMessage ) jmfPart ) . isEMPTYlist ( accessor ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "isNotEMPTYlist" , isNotAnEMPTY ) ; return isNotAnEMPTY ; }
|
isNotEMPTYlist Return false if the value of the given field is one of the singleton EMPTY lists otherwise true .
|
163,225 |
public static final String construct ( Object object , ExternalContext ctx ) { byte [ ] bytes = getAsByteArray ( object , ctx ) ; if ( enableCompression ( ctx ) ) { bytes = compress ( bytes ) ; } if ( isSecure ( ctx ) ) { bytes = encrypt ( bytes , ctx ) ; } bytes = encode ( bytes ) ; try { return new String ( bytes , ZIP_CHARSET ) ; } catch ( UnsupportedEncodingException e ) { throw new FacesException ( e ) ; } }
|
This fires during the Render Response phase saving state .
|
163,226 |
public static final byte [ ] getAsByteArray ( Object object , ExternalContext ctx ) { ByteArrayOutputStream outputStream = new ByteArrayOutputStream ( ) ; SerialFactory serialFactory = ( SerialFactory ) ctx . getApplicationMap ( ) . get ( SERIAL_FACTORY ) ; if ( serialFactory == null ) { throw new NullPointerException ( "serialFactory" ) ; } try { ObjectOutputStream writer = serialFactory . getObjectOutputStream ( outputStream ) ; writer . writeObject ( object ) ; byte [ ] bytes = outputStream . toByteArray ( ) ; writer . close ( ) ; outputStream . close ( ) ; writer = null ; outputStream = null ; return bytes ; } catch ( IOException e ) { throw new FacesException ( e ) ; } }
|
Performs serialization with the serialization provider created by the SerialFactory .
|
163,227 |
public static final Object reconstruct ( String string , ExternalContext ctx ) { byte [ ] bytes ; try { if ( log . isLoggable ( Level . FINE ) ) { log . fine ( "Processing state : " + string ) ; } bytes = string . getBytes ( ZIP_CHARSET ) ; bytes = decode ( bytes ) ; if ( isSecure ( ctx ) ) { bytes = decrypt ( bytes , ctx ) ; } if ( enableCompression ( ctx ) ) { bytes = decompress ( bytes ) ; } return getAsObject ( bytes , ctx ) ; } catch ( Throwable e ) { if ( log . isLoggable ( Level . FINE ) ) { log . log ( Level . FINE , "View State cannot be reconstructed" , e ) ; } return null ; } }
|
This fires during the Restore View phase restoring state .
|
163,228 |
public static final Object getAsObject ( byte [ ] bytes , ExternalContext ctx ) { ByteArrayInputStream input = null ; try { input = new ByteArrayInputStream ( bytes ) ; SerialFactory serialFactory = ( SerialFactory ) ctx . getApplicationMap ( ) . get ( SERIAL_FACTORY ) ; if ( serialFactory == null ) { throw new NullPointerException ( "serialFactory" ) ; } ObjectInputStream s = null ; Exception pendingException = null ; try { s = serialFactory . getObjectInputStream ( input ) ; Object object = null ; if ( System . getSecurityManager ( ) != null ) { final ObjectInputStream ois = s ; object = AccessController . doPrivileged ( new PrivilegedExceptionAction < Object > ( ) { public Object run ( ) throws PrivilegedActionException , IOException , ClassNotFoundException { return ois . readObject ( ) ; } } ) ; } else { object = s . readObject ( ) ; } return object ; } catch ( Exception e ) { pendingException = e ; throw new FacesException ( e ) ; } finally { if ( s != null ) { try { s . close ( ) ; } catch ( IOException e ) { if ( pendingException == null ) { throw new FacesException ( e ) ; } } finally { s = null ; } } } } finally { if ( input != null ) { try { input . close ( ) ; } catch ( IOException e ) { } finally { input = null ; } } } }
|
Performs deserialization with the serialization provider created from the SerialFactory .
|
163,229 |
public static void main ( String [ ] args ) throws UnsupportedEncodingException { byte [ ] bytes = encode ( args [ 0 ] . getBytes ( ZIP_CHARSET ) ) ; System . out . println ( new String ( bytes , ZIP_CHARSET ) ) ; }
|
Utility method for generating base 64 encoded strings .
|
163,230 |
public static void initSecret ( ServletContext ctx ) { if ( ctx == null ) { throw new NullPointerException ( "ServletContext ctx" ) ; } if ( log . isLoggable ( Level . FINE ) ) { log . fine ( "Storing SecretKey @ " + INIT_SECRET_KEY_CACHE ) ; } String cache = ctx . getInitParameter ( INIT_SECRET_KEY_CACHE ) ; if ( cache == null ) { cache = ctx . getInitParameter ( INIT_SECRET_KEY_CACHE . toLowerCase ( ) ) ; } if ( ! "false" . equals ( cache ) ) { String algorithm = findAlgorithm ( ctx ) ; ctx . setAttribute ( INIT_SECRET_KEY_CACHE , new SecretKeySpec ( findSecret ( ctx , algorithm ) , algorithm ) ) ; } if ( log . isLoggable ( Level . FINE ) ) { log . fine ( "Storing SecretKey @ " + INIT_MAC_SECRET_KEY_CACHE ) ; } String macCache = ctx . getInitParameter ( INIT_MAC_SECRET_KEY_CACHE ) ; if ( macCache == null ) { macCache = ctx . getInitParameter ( INIT_MAC_SECRET_KEY_CACHE . toLowerCase ( ) ) ; } if ( ! "false" . equals ( macCache ) ) { String macAlgorithm = findMacAlgorithm ( ctx ) ; ctx . setAttribute ( INIT_MAC_SECRET_KEY_CACHE , new SecretKeySpec ( findMacSecret ( ctx , macAlgorithm ) , macAlgorithm ) ) ; } }
|
Does nothing if the user has disabled the SecretKey cache . This is useful when dealing with a JCA provider whose SecretKey implementation is not thread safe .
|
163,231 |
private Map < String , String > getEnvironment ( ) { return AccessController . doPrivileged ( new PrivilegedAction < Map < String , String > > ( ) { public Map < String , String > run ( ) { return System . getenv ( ) ; } } ) ; }
|
Get the system environment variables in a doPrivileged block .
|
163,232 |
public String getDefaultParentForEntityInRealm ( String entType , String realmName ) throws WIMException { String defaultParent = getDefaultParent ( entType ) ; if ( realmName != null ) { validateRealmName ( realmName ) ; String parent = null ; RealmConfig realmConfig = getRealmConfig ( realmName ) ; Map defaultParentsMap = realmConfig . getDefaultParentMapping ( ) ; if ( defaultParentsMap != null ) { parent = ( String ) defaultParentsMap . get ( entType ) ; if ( parent != null ) { defaultParent = parent ; } } if ( parent == null && ! isUniqueNameInRealm ( defaultParent , realmName ) ) { defaultParent = null ; } } return defaultParent ; }
|
Gets the default parent node that is for the specified entity type in specified realm .
|
163,233 |
public String getDefaultParent ( String entityTypeName ) { SupportedEntityConfig entityConfig = entityTypeMap . get ( entityTypeName ) ; if ( entityConfig != null ) { return entityConfig . getDefaultParent ( ) ; } return null ; }
|
Returns the default parent for the given prefixed entity type . Entity types under WIM package should not have any name space prefix . For example Person .
|
163,234 |
private < T > boolean processMethod ( AnnotatedMethod < T > method , Class < ? > clazz , Asynchronous classLevelAsync ) { FTEnablementConfig config = FaultToleranceCDIComponent . getEnablementConfig ( ) ; Method javaMethod = method . getJavaMember ( ) ; if ( javaMethod . isBridge ( ) ) { return false ; } if ( classLevelAsync != null ) { AsynchronousConfig asynchronous = annotationConfigFactory . createAsynchronousConfig ( javaMethod , clazz , classLevelAsync ) ; asynchronous . validate ( ) ; } boolean needsIntercepting = false ; Set < Annotation > annotations = method . getAnnotations ( ) ; for ( Annotation annotation : annotations ) { if ( config . isFaultTolerance ( annotation ) ) { if ( config . isAnnotationEnabled ( annotation , clazz , method . getJavaMember ( ) ) ) { needsIntercepting = true ; if ( annotation . annotationType ( ) == Asynchronous . class ) { AsynchronousConfig asynchronous = annotationConfigFactory . createAsynchronousConfig ( javaMethod , clazz , ( Asynchronous ) annotation ) ; asynchronous . validate ( ) ; } else if ( annotation . annotationType ( ) == Fallback . class ) { FallbackConfig fallback = new FallbackConfig ( javaMethod , clazz , ( Fallback ) annotation ) ; fallback . validate ( ) ; } else if ( annotation . annotationType ( ) == Retry . class ) { RetryConfig retry = new RetryConfig ( javaMethod , clazz , ( Retry ) annotation ) ; retry . validate ( ) ; } else if ( annotation . annotationType ( ) == Timeout . class ) { TimeoutConfig timeout = new TimeoutConfig ( javaMethod , clazz , ( Timeout ) annotation ) ; timeout . validate ( ) ; } else if ( annotation . annotationType ( ) == CircuitBreaker . class ) { CircuitBreakerConfig circuitBreaker = new CircuitBreakerConfig ( javaMethod , clazz , ( CircuitBreaker ) annotation ) ; circuitBreaker . validate ( ) ; } else if ( annotation . annotationType ( ) == Bulkhead . class ) { BulkheadConfig bulkhead = new BulkheadConfig ( javaMethod , clazz , ( Bulkhead ) annotation ) ; bulkhead . validate ( ) ; } } else { if ( isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Annotation {0} on {1} was disabled and will be ignored" , annotation . annotationType ( ) . getSimpleName ( ) , clazz . getCanonicalName ( ) + "." + method . getJavaMember ( ) . getName ( ) ) ; } } } } return needsIntercepting ; }
|
Validate a method and return whether it has fault tolerance annotations which require us to add the FT interceptor
|
163,235 |
public static final void setServerName ( String name ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "setServerName" , name ) ; serverName = name ; }
|
Sets the name of the server .
|
163,236 |
public static final boolean isRecoverable ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "isRecoverable" ) ; boolean result = false ; if ( _failureScopeController != null ) { result = ( _failureScopeController . getTransactionLog ( ) != null ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "isRecoverable" , Boolean . valueOf ( result ) ) ; return result ; }
|
Determines whether the JTS instance is recoverable .
|
163,237 |
public static final void setCurrentEpoch ( int number ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "setCurrentEpoch" , number ) ; currentEpoch = number ; }
|
Sets the current epoch value for this server instance .
|
163,238 |
public static final void setApplId ( byte [ ] name ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "setApplId" , name ) ; applId = name ; }
|
Sets the applId of the server .
|
163,239 |
protected ConversionStatus convertCompatible ( String rawString , Class < ? > type ) { ConversionStatus status = new ConversionStatus ( ) ; for ( PriorityConverter con : converters . getAll ( ) ) { Type key = con . getType ( ) ; if ( key instanceof Class ) { Class < ? > clazz = ( Class < ? > ) key ; if ( type . isAssignableFrom ( clazz ) ) { Object converted = convert ( rawString , key ) ; status . setConverted ( converted ) ; break ; } } else if ( key instanceof TypeVariable ) { TypeVariable < ? > typeVariable = ( TypeVariable < ? > ) key ; status = convertGenericClazz ( rawString , type , typeVariable ) ; if ( status . isConverterFound ( ) ) { break ; } } } return status ; }
|
Converts from String based on isAssignableFrom or instanceof
|
163,240 |
public < T > T [ ] convertArray ( String rawString , Class < T > arrayType ) { String [ ] elements = split ( rawString ) ; T [ ] array = convertArray ( elements , arrayType ) ; return array ; }
|
Apply convert across an array
|
163,241 |
public static Class toClass ( String type , ClassLoader loader ) throws ClassNotFoundException { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINER ) ) { logger . logp ( Level . FINER , CLASS_NAME , "toClass(String, ClassLoader)" , " type= [" + type + "] loader= [" + loader + "]" ) ; } Class c = null ; int i0 = type . indexOf ( '[' ) ; int dims = 0 ; if ( i0 > 0 ) { for ( int i = 0 ; i < type . length ( ) ; i ++ ) { if ( type . charAt ( i ) == '[' ) dims ++ ; } type = type . substring ( 0 , i0 ) ; } else if ( i0 == 0 ) { int bracketL = type . indexOf ( "[L" ) ; if ( bracketL > - 1 && type . endsWith ( ";" ) ) { type = type . substring ( bracketL + 2 , ( type . length ( ) - 1 ) ) ; dims += ( bracketL + 1 ) ; } } if ( "boolean" . equals ( type ) ) c = boolean . class ; else if ( "char" . equals ( type ) ) c = char . class ; else if ( "byte" . equals ( type ) ) c = byte . class ; else if ( "short" . equals ( type ) ) c = short . class ; else if ( "int" . equals ( type ) ) c = int . class ; else if ( "long" . equals ( type ) ) c = long . class ; else if ( "float" . equals ( type ) ) c = float . class ; else if ( "double" . equals ( type ) ) c = double . class ; else if ( "void" . equals ( type ) ) { return Void . class ; } else if ( type . indexOf ( '[' ) < 0 ) c = loader . loadClass ( type ) ; if ( dims == 0 ) return c ; if ( dims == 1 ) return java . lang . reflect . Array . newInstance ( c , 1 ) . getClass ( ) ; return java . lang . reflect . Array . newInstance ( c , new int [ dims ] ) . getClass ( ) ; }
|
PM12828 - need to account for a case where type is [ Lcom . ibm . sample . TagsAttr ;
|
163,242 |
public Facelet getFacelet ( URL url ) throws IOException , FaceletException , FacesException , ELException { return _faceletCache . getFacelet ( url ) ; }
|
Create a Facelet from the passed URL . This method checks if the cached Facelet needs to be refreshed before returning . If so uses the passed URL to build a new instance ;
|
163,243 |
private String _removeFirst ( String string , String toRemove ) { return Pattern . compile ( toRemove , Pattern . LITERAL ) . matcher ( string ) . replaceFirst ( "" ) ; }
|
Removes the first appearance of toRemove in string .
|
163,244 |
protected void initialize ( boolean reactivate ) throws RemoteException , InvocationTargetException { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "initialize" ) ; } BeanMetaData bmd = home . beanMetaData ; ivCallbackKind = bmd . ivCallbackKind ; state = PRE_CREATE ; CallbackContextHelper contextHelper = new CallbackContextHelper ( this ) ; try { allowRollbackOnly = false ; if ( home != null ) { setId ( home . ivStatelessId ) ; } contextHelper . begin ( CallbackContextHelper . Tx . CompatLTC , CallbackContextHelper . Contexts . CallbackBean ) ; InterceptorMetaData imd = bmd . ivInterceptorMetaData ; createInterceptorsAndInstance ( contextHelper ) ; injectInstance ( ivManagedObject , ivEjbInstance , this ) ; setState ( CREATING ) ; if ( ivCallbackKind == CallbackKind . MessageDrivenBean ) { Method m = bmd . ivEjbCreateMethod ; if ( m != null ) { try { if ( isTraceOn && TEBeanLifeCycleInfo . isTraceEnabled ( ) ) { TEBeanLifeCycleInfo . traceEJBCallEntry ( "ejbCreate" ) ; } m . invoke ( ivEjbInstance , new Object [ ] { } ) ; } catch ( InvocationTargetException itex ) { Throwable targetEx = itex . getCause ( ) ; if ( targetEx == null ) targetEx = itex ; if ( isTraceOn && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "MDB ejbCreate failure" , targetEx ) ; } throw new CreateFailureException ( targetEx ) ; } catch ( Throwable ex ) { if ( isTraceOn && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "MDB ejbCreate failure" , ex ) ; } throw new CreateFailureException ( ex ) ; } finally { if ( isTraceOn && TEBeanLifeCycleInfo . isTraceEnabled ( ) ) { TEBeanLifeCycleInfo . traceEJBCallExit ( "ejbCreate" ) ; } } } } else if ( ivCallbackKind == CallbackKind . InvocationContext ) { try { if ( imd != null ) { InterceptorProxy [ ] proxies = imd . ivPostConstructInterceptors ; if ( proxies != null ) { if ( isTraceOn && TEBeanLifeCycleInfo . isTraceEnabled ( ) ) { TEBeanLifeCycleInfo . traceEJBCallEntry ( "PostConstruct" ) ; } InvocationContextImpl < ? > inv = getInvocationContext ( ) ; inv . doLifeCycle ( proxies , bmd . _moduleMetaData ) ; } } } catch ( Throwable t ) { if ( isTraceOn && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "MDB PostConstruct failure" , t ) ; } throw ExceptionUtil . EJBException ( "MDB PostConstruct failure" , t ) ; } finally { if ( isTraceOn && TEBeanLifeCycleInfo . isTraceEnabled ( ) && imd != null && imd . ivPostConstructInterceptors != null ) { TEBeanLifeCycleInfo . traceEJBCallExit ( "PostConstruct" ) ; } } } allowRollbackOnly = true ; setState ( POOLED ) ; } finally { contextHelper . complete ( true ) ; } if ( isTraceOn && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "initialize" ) ; } }
|
d399469 . 2 - added entire method .
|
163,245 |
public void discard ( ) { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "discard" ) ; } discarded = true ; if ( state == DESTROYED ) { return ; } setState ( DESTROYED ) ; destroyHandleList ( ) ; this . releaseManagedObjectContext ( ) ; if ( pmiBean != null ) { pmiBean . discardCount ( ) ; pmiBean . beanDestroyed ( ) ; } if ( isTraceOn && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "discard" ) ; } }
|
167937 - rewrote entire method .
|
163,246 |
public final void remove ( ) throws RemoteException , RemoveException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "remove" ) ; throw new InvalidBeanOStateException ( StateStrs [ state ] , "NONE" + ": Msg Bean remove not allowed" ) ; }
|
This method should never really get invoked for message driven beans there is no home interface on which to invoke it .
|
163,247 |
public int getIsolationLevel ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "getIsolationLevel : " + currentIsolationLevel ) ; return currentIsolationLevel ; }
|
Get isolation level currently associated with this session bean instance . This is used for determining the isolation level to use in a bean managed transaction .
|
163,248 |
public synchronized UserTransaction getUserTransaction ( ) { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getUserTransaction" ) ; if ( ( state == PRE_CREATE ) ) { IllegalStateException ise ; ise = new IllegalStateException ( "MessageDrivenBean: getUserTransaction " + "not allowed from state = " + getStateName ( state ) ) ; if ( isTraceOn && tc . isDebugEnabled ( ) ) Tr . exit ( tc , "getUserTransaction" , ise ) ; throw ise ; } UserTransaction userTransactionWrapper = UserTransactionWrapper . INSTANCE ; if ( isTraceOn && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getUserTransaction" , userTransactionWrapper ) ; return userTransactionWrapper ; }
|
Get user transaction object bean can use to demarcate transactions
|
163,249 |
public EJBHome getEJBHome ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "getEJBHome" ) ; Tr . error ( tc , "METHOD_NOT_ALLOWED_CNTR0047E" , "MessageDrivenBeanO.getEJBHome()" ) ; throw new IllegalStateException ( "Method Not Allowed Exception: See Message-drive Bean Component Contract section of the applicable EJB Specification." ) ; }
|
getEJBHome - It is illegal to call this method message - driven bean methods because there is no EJBHome object for message - driven beans .
|
163,250 |
public EJBLocalHome getEJBLocalHome ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "getEJBLocalHome" ) ; Tr . error ( tc , "METHOD_NOT_ALLOWED_CNTR0047E" , "MessageDrivenBeanO.getEJBLocalHome()" ) ; throw new IllegalStateException ( "Method Not Allowed Exception: See Message-drive Bean Component Contract section of the applicable EJB Specification." ) ; }
|
getEJBLocalHome - It is illegal to call this method message - driven bean methods because there is no EJBLocalHome object for message - driven beans .
|
163,251 |
synchronized void updateRegistration ( BundleContext ctx ) { if ( registration == null ) { registration = ctx . registerService ( KeystoreConfig . class , this , properties ) ; } else { registration . setProperties ( properties ) ; } }
|
Register this as a service in the service registry . Package private .
|
163,252 |
private String taskHelp ( SecurityUtilityTask task ) { StringBuffer taskUsage = new StringBuffer ( NL ) ; taskUsage . append ( task . getTaskHelp ( ) ) ; taskUsage . append ( NL ) ; return taskUsage . toString ( ) ; }
|
Constructs a string to represent the help for a particular task .
|
163,253 |
private Object getComponentProperty ( _PropertyDescriptorHolder propertyDescriptor ) { Method readMethod = propertyDescriptor . getReadMethod ( ) ; if ( readMethod == null ) { throw new IllegalArgumentException ( "Component property " + propertyDescriptor . getName ( ) + " is not readable" ) ; } try { return readMethod . invoke ( _component , EMPTY_ARGS ) ; } catch ( Exception e ) { FacesContext facesContext = _component . getFacesContext ( ) ; throw new FacesException ( "Could not get property " + propertyDescriptor . getName ( ) + " of component " + _component . getClientId ( facesContext ) , e ) ; } }
|
Execute the getter method of the specified property on the underlying component .
|
163,254 |
private void setComponentProperty ( _PropertyDescriptorHolder propertyDescriptor , Object value ) { Method writeMethod = propertyDescriptor . getWriteMethod ( ) ; if ( writeMethod == null ) { throw new IllegalArgumentException ( "Component property " + propertyDescriptor . getName ( ) + " is not writable" ) ; } try { writeMethod . invoke ( _component , new Object [ ] { value } ) ; } catch ( Exception e ) { FacesContext facesContext = _component . getFacesContext ( ) ; throw new FacesException ( "Could not set property " + propertyDescriptor . getName ( ) + " of component " + _component . getClientId ( facesContext ) + " to value : " + value + " with type : " + ( value == null ? "null" : value . getClass ( ) . getName ( ) ) , e ) ; } }
|
Execute the setter method of the specified property on the underlying component .
|
163,255 |
public EndpointInfo build ( EndpointInfoBuilderContext ctx , String serviceImplBeanClassName , EndpointType endpointType ) throws UnableToAdaptException { EndpointInfo endpointInfo = new EndpointInfo ( serviceImplBeanClassName , endpointType ) ; endpointInfo . setBeanName ( ( String ) ctx . getContextEnv ( JaxWsConstants . ENV_ATTRIBUTE_ENDPOINT_BEAN_NAME ) ) ; endpointInfo . setServletName ( ( String ) ctx . getContextEnv ( JaxWsConstants . ENV_ATTRIBUTE_ENDPOINT_SERVLET_NAME ) ) ; invokeConfigurators ( ctx , ConfigMethod . PREPARE , endpointInfo ) ; invokeConfigurators ( ctx , ConfigMethod . CONFIG , endpointInfo ) ; validate ( ctx , endpointInfo ) ; ctx . clearContextEnv ( ) ; return endpointInfo ; }
|
build the endpointInfo
|
163,256 |
public void addSubscriber ( Handler handler ) { String handlerId = CollectorManagerUtils . getHandlerId ( handler ) ; if ( source . getSourceName ( ) . trim ( ) . equals ( "audit" ) && subscribers . isEmpty ( ) ) { bufferMgr = new BufferManagerImpl ( BUFFER_SIZE , sourceId , false ) ; source . setBufferManager ( this . bufferMgr ) ; } subscribers . add ( handlerId ) ; if ( handler instanceof SynchronousHandler ) { bufferMgr . addSyncHandler ( ( SynchronousHandler ) handler ) ; } else { bufferMgr . addHandler ( handlerId ) ; } }
|
Method to add a subscriber to the source Source manager will allocate a buffer when the source has atleast one subscriber .
|
163,257 |
public boolean removeSubscriber ( Handler handler ) { String handlerId = CollectorManagerUtils . getHandlerId ( handler ) ; subscribers . remove ( handlerId ) ; if ( handler instanceof SynchronousHandler ) { bufferMgr . removeSyncHandler ( ( SynchronousHandler ) handler ) ; } else { bufferMgr . removeHandler ( handlerId ) ; } if ( subscribers . isEmpty ( ) ) { if ( ! sourceId . contains ( CollectorConstants . MESSAGES_SOURCE ) && ! sourceId . contains ( CollectorConstants . TRACE_SOURCE ) ) { source . unsetBufferManager ( bufferMgr ) ; bufferMgr = null ; } return true ; } return false ; }
|
Method to remove a subscriber from the source Source manager deallocate BufferManager when last subscriber goes away
|
163,258 |
public void handleFfdc ( ) { if ( ! bFfdcAlready ) { com . ibm . ws . ffdc . FFDCFilter . processException ( this , "com.ibm.websphere.security.jwt.JwtTokenException" , "155" , this ) ; bFfdcAlready = true ; } }
|
in case we need to do the ffdc
|
163,259 |
private List < String > toListOfStrings ( String headerName , List < Object > values ) { if ( values == null ) { return null ; } List < String > stringValues = new ArrayList < > ( values . size ( ) ) ; HeaderDelegate < Object > hd = HttpUtils . getHeaderDelegate ( values . get ( 0 ) ) ; for ( Object value : values ) { String actualValue = hd == null ? value . toString ( ) : hd . toString ( value ) ; stringValues . add ( actualValue ) ; } return stringValues ; }
|
This conversion is needed as some values may not be Strings
|
163,260 |
public < T > T doReadEntity ( Class < T > cls , Type t , Annotation [ ] anns ) throws ProcessingException , IllegalStateException { return doReadEntity ( cls , t , anns , false ) ; }
|
convenience method for classes that have not been overwritten with liberty - specific changes
|
163,261 |
public static String read ( Container container , String ddPath ) { if ( container == null || ddPath == null ) { return "" ; } Entry entry = container . getEntry ( ddPath ) ; if ( entry == null ) { throw new IllegalStateException ( ddPath ) ; } InputStream input ; try { input = entry . adapt ( InputStream . class ) ; } catch ( UnableToAdaptException e ) { throw new IllegalStateException ( e ) ; } try { SAXParserFactory parserFactory = SAXParserFactory . newInstance ( ) ; SAXParser parser = parserFactory . newSAXParser ( ) ; XMLReader xmlReader = parser . getXMLReader ( ) ; xmlReader . setEntityResolver ( new EntityResolver ( ) { public InputSource resolveEntity ( String arg0 , String arg1 ) throws SAXException , IOException { return new InputSource ( new ByteArrayInputStream ( new byte [ 0 ] ) ) ; } } ) ; Source saxSource = new SAXSource ( xmlReader , new InputSource ( input ) ) ; TransformerFactory transformerFactory = TransformerFactory . newInstance ( ) ; Transformer transformer = transformerFactory . newTransformer ( ) ; StringWriter writer = new StringWriter ( ) ; Result result = new StreamResult ( writer ) ; transformer . transform ( saxSource , result ) ; return writer . toString ( ) ; } catch ( ParserConfigurationException e ) { throw new IllegalStateException ( e ) ; } catch ( SAXException e ) { throw new IllegalStateException ( e ) ; } catch ( TransformerConfigurationException e ) { throw new IllegalStateException ( e ) ; } catch ( TransformerException e ) { throw new IllegalStateException ( e ) ; } finally { try { input . close ( ) ; } catch ( IOException e ) { } } }
|
Read a deployment descriptor into a string .
|
163,262 |
public void audit ( String key , Object ... params ) { Tr . audit ( tc , key , params ) ; }
|
Log an audit message .
|
163,263 |
public String formatMessage ( String key , Object ... params ) { return Tr . formatMessage ( tc , key , params ) ; }
|
Format a message .
|
163,264 |
public void info ( String key , Object ... params ) { Tr . info ( tc , key , params ) ; }
|
Log an informational message .
|
163,265 |
final public Object getConnection ( final Subject requestSubject , final ConnectionRequestInfo requestInfo ) throws ResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , "getConnection" , new Object [ ] { subjectToString ( requestSubject ) , requestInfo } ) ; } final JmsJcaUserDetails requestUserDetails = _managedConnectionFactory . getUserDetails ( requestSubject , requestInfo ) ; if ( _userDetails != null ) { if ( ! ( _userDetails . equals ( requestUserDetails ) ) ) { throw new ResourceException ( NLS . getFormattedMessage ( ( "AUTHENTICATION_ERROR_CWSJR1103" ) , new Object [ ] { "JmsJcaManagedConnection.getConnection" , _userDetails . getUserName ( ) , ( requestUserDetails == null ) ? null : requestUserDetails . getUserName ( ) } , null ) ) ; } } else { if ( ! ( _subject . equals ( requestSubject ) ) ) { throw new ResourceException ( NLS . getFormattedMessage ( ( "AUTHENTICATION_ERROR_CWSJR1117" ) , new Object [ ] { "JmsJcaManagedConnection.getConnection" } , null ) ) ; } } JmsJcaSessionImpl session = null ; if ( requestInfo == null || requestInfo instanceof JmsJcaConnectionRequestInfo ) { session = new JmsJcaSessionImpl ( this , ( JmsJcaConnectionRequestInfo ) requestInfo ) ; _sessions . add ( session ) ; } else { throw new ResourceAdapterInternalException ( NLS . getFormattedMessage ( ( "EXCEPTION_RECEIVED_CWSJR1101" ) , new Object [ ] { "getConnection" , JmsJcaConnectionRequestInfo . class . getName ( ) , requestInfo . getClass ( ) . getName ( ) } , null ) ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "getConnection" , session ) ; } return session ; }
|
Creates a session handle to this managed connection . The request information will by now contain a connection handle . This is passed along with this managed connection on the construction of the new session .
|
163,266 |
final public void destroy ( ) throws ResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , "destroy" ) ; } for ( final Iterator iterator = _sessions . iterator ( ) ; iterator . hasNext ( ) ; ) { final Object object = iterator . next ( ) ; if ( object instanceof JmsJcaSessionImpl ) { final JmsJcaSessionImpl session = ( JmsJcaSessionImpl ) object ; session . invalidate ( ) ; } } _sessions . clear ( ) ; try { _coreConnection . removeConnectionListener ( _connectionListener ) ; _coreConnection . close ( true ) ; } catch ( final SIConnectionLostException exception ) { } catch ( final SIConnectionDroppedException exception ) { } catch ( final SIException exception ) { FFDCFilter . processException ( exception , CLASS_NAME + "destroy" , "1:408:1.91" , this ) ; throw new ResourceException ( NLS . getFormattedMessage ( "EXCEPTION_RECEIVED_CWSJR1110" , new Object [ ] { exception , "createManagedConnection" } , null ) , exception ) ; } catch ( final SIErrorException exception ) { FFDCFilter . processException ( exception , CLASS_NAME + "destroy" , "1:416:1.91" , this ) ; throw new ResourceException ( NLS . getFormattedMessage ( "EXCEPTION_RECEIVED_CWSJR1110" , new Object [ ] { exception , "createManagedConnection" } , null ) , exception ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "destroy" ) ; } }
|
Destroys this managed connection . Called when a connection error has occurred or the managed connection has timed out in the free pool . Marks any associated sessions as invalid . Closes the associated core connection .
|
163,267 |
final public void cleanup ( ) throws ResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , "cleanup" ) ; } for ( final Iterator iterator = _sessions . iterator ( ) ; iterator . hasNext ( ) ; ) { final Object object = iterator . next ( ) ; if ( object instanceof JmsJcaSessionImpl ) { ( ( JmsJcaSessionImpl ) object ) . invalidate ( ) ; } } _sessions . clear ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "cleanup" ) ; } }
|
Cleans up this managed connection so that it can be returned to the free pool . Any sessions that are still associated should be invalidated .
|
163,268 |
final public void associateConnection ( Object object ) throws ResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , "associateConnection" , object ) ; } if ( object instanceof JmsJcaSessionImpl ) { final JmsJcaSessionImpl session = ( JmsJcaSessionImpl ) object ; session . associate ( this ) ; _sessions . add ( session ) ; } else { throw new ResourceAdapterInternalException ( NLS . getFormattedMessage ( ( "INVALID_SESSION_CWSJR1104" ) , new Object [ ] { "associateConnection" , JmsJcaSessionImpl . class . getName ( ) , ( object == null ? "null" : object . getClass ( ) . getName ( ) ) } , null ) ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "associateConnection" ) ; } }
|
Associates the given session with this managed connection . Removes the session from its previous managed connection if any and adds it to the set for this connection . Sets this managed connection on the session .
|
163,269 |
final void disassociateSession ( final JmsJcaSessionImpl session ) { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , "disassociateSession" , session ) ; } _sessions . remove ( session ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "disassociateSession" ) ; } }
|
Dissassociates the given session from this managed connection .
|
163,270 |
final public void addConnectionEventListener ( final ConnectionEventListener listener ) { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , "addConnectionEventListener" , listener ) ; } synchronized ( _connectionListeners ) { _connectionListeners . add ( listener ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "addConnectionEventListener" ) ; } }
|
Adds a connection event listener .
|
163,271 |
final public ManagedConnectionMetaData getMetaData ( ) throws ResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , "getMetaData" ) ; } if ( _metaData == null ) { _metaData = new JmsJcaManagedConnectionMetaData ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "getMetaData" , _metaData ) ; } return _metaData ; }
|
Returns the meta data information for this Jetstream connection .
|
163,272 |
final public void dissociateConnections ( ) throws ResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( TRACE , "dissociateConnections" ) ; } for ( final Iterator iterator = _sessions . iterator ( ) ; iterator . hasNext ( ) ; ) { final Object object = iterator . next ( ) ; if ( object instanceof JmsJcaSessionImpl ) { ( ( JmsJcaSessionImpl ) object ) . dissociate ( ) ; iterator . remove ( ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "dissociateConnections" ) ; } }
|
Dissociates any sessions currently associated with this managed connection .
|
163,273 |
final void localTransactionStarted ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , "localTransactionStarted" ) ; } final ConnectionEvent event = new ConnectionEvent ( this , ConnectionEvent . LOCAL_TRANSACTION_STARTED ) ; final List < ConnectionEventListener > copy ; synchronized ( _connectionListeners ) { copy = new ArrayList < ConnectionEventListener > ( _connectionListeners ) ; } for ( final Iterator iterator = copy . iterator ( ) ; iterator . hasNext ( ) ; ) { final Object object = iterator . next ( ) ; if ( object instanceof ConnectionEventListener ) { ( ( ConnectionEventListener ) object ) . localTransactionStarted ( event ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "localTransactionStarted" ) ; } }
|
Called to indicate that the session associated with this managed connection has begun a local transaction . Notifies the connection event listeners .
|
163,274 |
Key getSigningKey ( JwtConsumerConfig config , JwtContext jwtContext , Map properties ) throws KeyException { Key signingKey = null ; if ( config == null ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "JWT consumer config object is null" ) ; } return null ; } signingKey = getSigningKeyBasedOnSignatureAlgorithm ( config , jwtContext , properties ) ; if ( signingKey == null ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "A signing key could not be found" ) ; } } return signingKey ; }
|
Get the appropriate signing key based on the signature algorithm specified in the config .
|
163,275 |
Key getSharedSecretKey ( JwtConsumerConfig config ) throws KeyException { if ( config == null ) { if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "JWT consumer config object is null" ) ; } return null ; } String sharedKey = config . getSharedKey ( ) ; return createKeyFromSharedKey ( sharedKey ) ; }
|
Creates a Key object from the shared key specified in the provided configuration .
|
163,276 |
Key getPublicKey ( String trustedAlias , String trustStoreRef , String signatureAlgorithm ) throws KeyStoreServiceException , KeyException { Key signingKey = getPublicKeyFromKeystore ( trustedAlias , trustStoreRef , signatureAlgorithm ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Trusted alias: " + trustedAlias + ", Truststore: " + trustStoreRef ) ; Tr . debug ( tc , "RSAPublicKey: " + ( signingKey instanceof RSAPublicKey ) ) ; } if ( signingKey != null && ! ( signingKey instanceof RSAPublicKey ) ) { signingKey = null ; } return signingKey ; }
|
Creates a Key object from the certificate stored in the trust store and alias provided .
|
163,277 |
void validateSignatureAlgorithmWithKey ( JwtConsumerConfig config , Key key ) throws InvalidClaimException { String signatureAlgorithm = config . getSignatureAlgorithm ( ) ; if ( key == null && signatureAlgorithm != null && ! signatureAlgorithm . equalsIgnoreCase ( "none" ) ) { String msg = Tr . formatMessage ( tc , "JWT_MISSING_KEY" , new Object [ ] { signatureAlgorithm } ) ; throw new InvalidClaimException ( msg ) ; } }
|
Throws an exception if the provided key is null but the config specifies a signature algorithm other than none .
|
163,278 |
boolean validateIssuer ( String consumerConfigId , String issuers , String tokenIssuer ) throws InvalidClaimException { boolean isIssuer = false ; if ( issuers == null || issuers . isEmpty ( ) ) { String msg = Tr . formatMessage ( tc , "JWT_TRUSTED_ISSUERS_NULL" , new Object [ ] { tokenIssuer , consumerConfigId } ) ; throw new InvalidClaimException ( msg ) ; } StringTokenizer st = new StringTokenizer ( issuers , "," ) ; while ( st . hasMoreTokens ( ) ) { String iss = st . nextToken ( ) . trim ( ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Trusted issuer: " + iss ) ; } if ( Constants . ALL_ISSUERS . equals ( iss ) || ( tokenIssuer != null && tokenIssuer . equals ( iss ) ) ) { isIssuer = true ; break ; } } if ( ! isIssuer ) { String msg = Tr . formatMessage ( tc , "JWT_ISSUER_NOT_TRUSTED" , new Object [ ] { tokenIssuer , consumerConfigId , issuers } ) ; throw new InvalidClaimException ( msg ) ; } return isIssuer ; }
|
Verifies that tokenIssuer is one of the values specified in the comma - separated issuers string .
|
163,279 |
boolean validateAudience ( List < String > allowedAudiences , List < String > audiences ) { boolean valid = false ; if ( allowedAudiences != null && allowedAudiences . contains ( Constants . ALL_AUDIENCES ) ) { return true ; } if ( allowedAudiences != null && audiences != null ) { for ( String audience : audiences ) { for ( String allowedAud : allowedAudiences ) { if ( allowedAud . equals ( audience ) ) { valid = true ; break ; } } } } else if ( allowedAudiences == null && ( audiences == null || audiences . isEmpty ( ) ) ) { valid = true ; } return valid ; }
|
Verifies that at least one of the values specified in audiences is contained in the allowedAudiences list .
|
163,280 |
public void readExternal ( ObjectInput in ) throws IOException , ClassNotFoundException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "readExternal" ) ; try { short magic = in . readShort ( ) ; short majorVersion = in . readShort ( ) ; short minorVersion = in . readShort ( ) ; if ( ! ( magic == EXTERNAL_MAGIC ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Magic Number absent, trying default Java deserialization" ) ; throw new IOException ( "Bean ID externalized stream format error" ) ; } else if ( ! ( majorVersion == MAJOR_VERSION ) || ! ( minorVersion == MINOR_VERSION ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "BeanID Version mismatch" , new Object [ ] { new Short ( majorVersion ) , new Short ( minorVersion ) } ) ; throw new IOException ( "BeanID version mismatch" ) ; } byte ifType = in . readByte ( ) ; if ( ifType == IF_HOME ) { _isHome = true ; } else { _isHome = false ; } byte [ ] j2eeNameBytes = readExternalJ2EEName ( in ) ; pkey = readExternalPKey ( in , j2eeNameBytes ) ; } finally { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "readExternal" ) ; } }
|
readExternal is called by Java serialization when readObject is called on an ObjectInputStream for an object of class BeanId . It must read the values in the same sequence and with the same types as written by writeExternal .
|
163,281 |
private Serializable readExternalPKey ( ObjectInput in , byte [ ] j2eeNameBytes ) throws java . io . IOException , ClassNotFoundException { int pkeyLength = in . readInt ( ) ; byte [ ] pkeyBytes = new byte [ pkeyLength ] ; int bytesRead = 0 ; for ( int offset = 0 ; offset < pkeyLength ; offset += bytesRead ) { bytesRead = in . read ( pkeyBytes , offset , pkeyLength - offset ) ; if ( bytesRead == - 1 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "readExternalKey encountered end of stream" ) ; throw new IOException ( "end of input stream while reading primary key" ) ; } } final EJSContainer container = EJSContainer . getDefaultContainer ( ) ; J2EEName j2eename = container . getJ2EENameFactory ( ) . create ( j2eeNameBytes ) ; ByteArrayInputStream bais = new ByteArrayInputStream ( pkeyBytes ) ; ClassLoader loader = EJSContainer . getClassLoader ( j2eename ) ; ObjectInputStream pkeyStream = container . getEJBRuntime ( ) . createObjectInputStream ( bais , loader ) ; Serializable key = ( Serializable ) pkeyStream . readObject ( ) ; return key ; }
|
Private helper method for readExternal - reads the Serialized primary key .
|
163,282 |
public void writeExternal ( ObjectOutput out ) throws IOException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "writeExternal" ) ; try { out . writeShort ( EXTERNAL_MAGIC ) ; out . writeShort ( MAJOR_VERSION ) ; out . writeShort ( MINOR_VERSION ) ; if ( _isHome ) { out . writeByte ( IF_HOME ) ; } else { out . writeByte ( IF_REMOTE ) ; } writeExternalJ2EEName ( out ) ; writeExternalPKey ( out ) ; out . flush ( ) ; } finally { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "writeExternal" ) ; } }
|
writeExternal is called by Java serialization when writeObject is called on an ObjectOutputStream for an object of class BeanId .
|
163,283 |
private void writeExternalPKey ( ObjectOutput out ) throws java . io . IOException { ByteArrayOutputStream baos = new ByteArrayOutputStream ( ) ; ObjectOutputStream pkeyStream = new ObjectOutputStream ( baos ) ; pkeyStream . writeObject ( pkey ) ; pkeyStream . flush ( ) ; pkeyStream . close ( ) ; byte [ ] pkeyBytes = baos . toByteArray ( ) ; out . writeInt ( pkeyBytes . length ) ; out . write ( pkeyBytes ) ; }
|
Private helper method for writeExternal - writes the primary key
|
163,284 |
public static UIComponent getCompositeComponentParent ( UIComponent component ) { if ( component == null ) { return null ; } UIComponent parent = component ; do { parent = parent . getParent ( ) ; if ( parent != null && UIComponent . isCompositeComponent ( parent ) ) { return parent ; } } while ( parent != null ) ; return null ; }
|
search for the nearest parent composite component if no parent is found it has to return null!
|
163,285 |
protected StateHelper getStateHelper ( boolean create ) { if ( _stateHelper != null ) { return _stateHelper ; } if ( create ) { _stateHelper = new _DeltaStateHelper ( this ) ; } return _stateHelper ; }
|
returns a delta state saving enabled state helper for the current component
|
163,286 |
private static Boolean _getHonorCurrentComponentAttributes ( FacesContext facesContext ) { Map < Object , Object > attributes = facesContext . getAttributes ( ) ; Boolean paramValue = ( Boolean ) attributes . get ( HONOR_CURRENT_COMPONENT_ATTRIBUTES_PARAM_NAME ) ; if ( paramValue == null ) { String param = facesContext . getExternalContext ( ) . getInitParameter ( HONOR_CURRENT_COMPONENT_ATTRIBUTES_PARAM_NAME ) ; paramValue = Boolean . valueOf ( ( param != null && Boolean . valueOf ( param ) . booleanValue ( ) ) ) ; attributes . put ( HONOR_CURRENT_COMPONENT_ATTRIBUTES_PARAM_NAME , paramValue ) ; } return paramValue ; }
|
Gets value of javax . faces . HONOR_CURRENT_COMPONENT_ATTRIBUTES parameter cached in facesContext . attributes or resolves that param and caches its value in facesContext . attributes .
|
163,287 |
public void processPartial ( PhaseId phaseId ) { assertNotReleased ( ) ; UIViewRoot viewRoot = _facesContext . getViewRoot ( ) ; if ( phaseId == PhaseId . APPLY_REQUEST_VALUES || phaseId == PhaseId . PROCESS_VALIDATIONS || phaseId == PhaseId . UPDATE_MODEL_VALUES ) { processPartialExecute ( viewRoot , phaseId ) ; } else if ( phaseId == PhaseId . RENDER_RESPONSE ) { processPartialRendering ( viewRoot , phaseId ) ; } }
|
process the partial response allowed phase ids according to the spec
|
163,288 |
public static Locale localeForString ( String localeString ) { if ( localeString == null || localeString . isEmpty ( ) ) { return null ; } Locale locale ; String [ ] localeParts = localeString . split ( "_" ) ; switch ( localeParts . length ) { case 1 : locale = new Locale ( localeParts [ 0 ] ) ; break ; case 2 : locale = new Locale ( localeParts [ 0 ] , localeParts [ 1 ] ) ; break ; default : StringBuilder varient = new StringBuilder ( localeParts [ 2 ] ) ; for ( int i = 3 ; i < localeParts . length ; i ++ ) { varient . append ( "_" ) ; varient . append ( localeParts [ i ] ) ; } locale = new Locale ( localeParts [ 0 ] , localeParts [ 1 ] , varient . toString ( ) ) ; break ; } return locale ; }
|
Creates a locale based on a String of the form language_country_variant either of the last two parts can be omitted .
|
163,289 |
public Iterable < ServerInstanceLogRecordList > getLogLists ( RepositoryPointer after , LogQueryBean query ) throws LogRepositoryException { logger . entering ( thisClass , "getLogLists" , new Object [ ] { after , query } ) ; RemoteAllResults lists = readLogLists ( query , after ) ; ArrayList < ServerInstanceLogRecordList > result = new ArrayList < ServerInstanceLogRecordList > ( ) ; if ( lists != null ) { boolean firstInstance = true ; for ( RemoteInstanceDetails indicator : lists . getLogLists ( ) ) { result . add ( getLogListForServerInstance ( indicator , firstInstance ? after : null ) ) ; firstInstance = false ; } } logger . exiting ( thisClass , "getLogLists" , result ) ; return result ; }
|
returns log records from the repository that are beyond a given repository location according to the criteria specified by the log query bean .
|
163,290 |
private void validatePossibleEndpoint ( String possibleEndpoint ) throws IllegalArgumentException { if ( ! possibleEndpoint . contains ( ":" ) ) { throw new IllegalArgumentException ( RESTClientMessagesUtil . getMessage ( RESTClientMessagesUtil . INVALID_ENDPOINT , possibleEndpoint ) ) ; } String [ ] components = possibleEndpoint . split ( ":" ) ; if ( components . length != 2 ) { throw new IllegalArgumentException ( RESTClientMessagesUtil . getMessage ( RESTClientMessagesUtil . INVALID_ENDPOINT , possibleEndpoint ) ) ; } try { Integer . valueOf ( components [ 1 ] ) ; } catch ( NumberFormatException e ) { throw new IllegalArgumentException ( RESTClientMessagesUtil . getMessage ( RESTClientMessagesUtil . INVALID_ENDPOINT , possibleEndpoint ) ) ; } }
|
Validate the possible endpoint String .
|
163,291 |
private Set < String > validatePathAndRetrievePathParams ( ValidationHelper helper , Context context , String pathStr ) { String pathToCheck = pathStr ; Set < String > pathParameters = new HashSet < String > ( ) ; while ( pathToCheck . contains ( "{" ) ) { if ( ! pathToCheck . contains ( "}" ) ) { final String message = Tr . formatMessage ( tc , "pathItemInvalidFormat" , pathStr ) ; helper . addValidationEvent ( new ValidationEvent ( ValidationEvent . Severity . ERROR , context . getLocation ( ) , message ) ) ; return pathParameters ; } int firstIndex = pathToCheck . indexOf ( "{" ) ; int lastIndex = pathToCheck . indexOf ( "}" ) ; if ( firstIndex > lastIndex ) { final String message = Tr . formatMessage ( tc , "pathItemInvalidFormat" , pathStr ) ; helper . addValidationEvent ( new ValidationEvent ( ValidationEvent . Severity . ERROR , context . getLocation ( ) , message ) ) ; return pathParameters ; } String parameter = pathToCheck . substring ( firstIndex + 1 , lastIndex ) ; if ( parameter . isEmpty ( ) || parameter . contains ( "{" ) || parameter . contains ( "/" ) ) { final String message = Tr . formatMessage ( tc , "pathItemInvalidFormat" , pathStr ) ; helper . addValidationEvent ( new ValidationEvent ( ValidationEvent . Severity . ERROR , context . getLocation ( ) , message ) ) ; return pathParameters ; } pathParameters . add ( parameter ) ; pathToCheck = pathToCheck . substring ( lastIndex + 1 ) ; } if ( pathToCheck . contains ( "}" ) ) { final String message = Tr . formatMessage ( tc , "pathItemInvalidFormat" , pathStr ) ; helper . addValidationEvent ( new ValidationEvent ( ValidationEvent . Severity . ERROR , context . getLocation ( ) , message ) ) ; return pathParameters ; } return pathParameters ; }
|
Validate the path and extract path parameters
|
163,292 |
public CompositeEnumeration < T > add ( Enumeration < T > enumeration ) { if ( enumeration . hasMoreElements ( ) ) enumerations . add ( enumeration ) ; return this ; }
|
Fluent method for chaining additions of subsequent enumerations .
|
163,293 |
public synchronized void incrementUseCount ( ) throws SIConnectionUnavailableException , SIConnectionDroppedException , SIErrorException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "incrementUseCount" ) ; if ( dead ) { setOrderingContextProxyId ( ) ; dead = false ; } useCount ++ ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Use count is now: " + useCount ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "incrementUseCount" ) ; }
|
This method will increment the use count on this order context .
|
163,294 |
public synchronized void decrementUseCount ( ) throws SIConnectionDroppedException , SIErrorException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "decrementUseCount" ) ; useCount -- ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Use count is now: " + useCount ) ; if ( useCount == 0 ) { close ( ) ; dead = true ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "decrementUseCount" ) ; }
|
This method will decrement the use count on this order context .
|
163,295 |
public void close ( ) throws SIConnectionDroppedException , SIErrorException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "close" ) ; queue = null ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "Returning order context to the order context pool" ) ; final ConnectionProxy cp = getConnectionProxy ( ) ; cp . addOrderContext ( getProxyID ( ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "close" ) ; }
|
This method will close the ordering context . This method should ideally be called by the API application . But at present it is called by us when the use count is 0 . The order context is only returned to the connection pool of free order contexts as this avoids an exchange with the server which is costly .
|
163,296 |
public void associateWithQueue ( Queue queueToAssociate ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "associateWithQueue" , queueToAssociate ) ; this . queue = queueToAssociate ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "associateWithQueue" ) ; }
|
Called by a proxy queue to associate itself with this ordering context .
|
163,297 |
private String getMessage ( String key , Object ... args ) { String message = messages . getString ( key ) ; return ( args . length == 0 ) ? message : MessageFormat . format ( message , args ) ; }
|
Get a formatted message .
|
163,298 |
private final JsMessage restoreJsMessage ( byte [ ] buffer , Object store ) throws MessageRestoreFailedException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "restoreJsMessage" , buffer ) ; JsMessage newMsg = null ; String className ; int offset = 0 ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Start of buffer: " , SibTr . formatBytes ( buffer , 0 , 256 ) ) ; int temp = ArrayUtil . readInt ( buffer , offset ) ; offset += ArrayUtil . INT_SIZE ; try { className = getClassName ( buffer , offset , temp ) ; } catch ( RuntimeException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.mfp.impl.JsMessageFactoryImpl.restoreJsMessage" , "573" , this , new Object [ ] { MfpConstants . DM_BUFFER , buffer , 0 , buffer . length } ) ; throw new MessageRestoreFailedException ( e ) ; } offset += temp ; offset = ensureSchemasAvailable ( buffer , offset , store ) ; try { JsMsgObject newJmo = new JsMsgObject ( JsHdrAccess . schema , JsPayloadAccess . schema , buffer , offset , buffer . length - offset ) ; Class msgClass = Class . forName ( className ) ; newMsg = ( JsMessage ) msgClass . newInstance ( ) ; ( ( JsMessageImpl ) newMsg ) . setJmo ( newJmo ) ; ( ( JsMessageImpl ) newMsg ) . setApproximateLength ( newJmo . getOriginalLength ( ) ) ; } catch ( ClassNotFoundException e1 ) { FFDCFilter . processException ( e1 , "com.ibm.ws.sib.mfp.impl.JsMessageFactoryImpl.restore" , "534" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Exception " + e1 . toString ( ) + " finding class " + className ) ; throw new MessageRestoreFailedException ( e1 ) ; } catch ( MessageDecodeFailedException e2 ) { throw new MessageRestoreFailedException ( e2 ) ; } catch ( Exception e3 ) { FFDCFilter . processException ( e3 , "com.ibm.ws.sib.mfp.impl.JsMessageFactoryImpl.restore" , "545" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Exception " + e3 . toString ( ) + " instantiating class " + className ) ; throw new MessageRestoreFailedException ( e3 ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "restoreJsMessage" ) ; return newMsg ; }
|
Restore a JsMessage of any specializaton from a flattenned copy . Since SIB0112b this method is only called by the preceding restoreJsMessage method so it is marked private .
|
163,299 |
private final static int ensureSchemasAvailable ( byte [ ] buffer , int offset , Object store ) throws MessageRestoreFailedException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "ensureSchemasAvailable" , new Object [ ] { offset , store } ) ; int temp = ArrayUtil . readInt ( buffer , offset ) ; offset += ArrayUtil . INT_SIZE ; long [ ] decodeIds = new long [ temp ] ; for ( int i = 0 ; i < temp ; i ++ ) { decodeIds [ i ] = ArrayUtil . readLong ( buffer , offset ) ; offset += ArrayUtil . LONG_SIZE ; } if ( store != null && decodeIds . length > 0 ) { if ( ! ( store instanceof MessageStore ) ) throw new IllegalArgumentException ( "store is not a MessageStore instance" ) ; SchemaStore . loadSchemas ( ( MessageStore ) store , decodeIds ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "ensureSchemasAvailable" , offset ) ; return offset ; }
|
Utility method to extract the schema ids from a message buffer and if a message store is supplied check that all the necessary schemas are available .
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.