idx
int64
0
41.2k
question
stringlengths
83
4.15k
target
stringlengths
5
715
38,000
protected synchronized void remove ( Object id , int bufferType , boolean returnToPool ) { if ( id == null ) { return ; } if ( bufferType == this . EXPLICIT_BUFFER ) { this . explicitBuffer . remove ( id ) ; } else if ( bufferType == this . SCAN_BUFFER ) { this . scanBuffer . remove ( id ) ; } else if ( bufferType == this . GC_BUFFER ) { if ( id instanceof EvictionTableEntry ) { EvictionTableEntry evt1 = ( EvictionTableEntry ) id ; int i ; for ( i = 0 ; i < garbageCollectorBuffer . size ( ) ; i ++ ) { EvictionTableEntry evt = ( EvictionTableEntry ) garbageCollectorBuffer . get ( i ) ; if ( evt == evt1 ) break ; } if ( i < garbageCollectorBuffer . size ( ) ) this . garbageCollectorBuffer . remove ( i ) ; if ( returnToPool ) { cod . htod . evictionEntryPool . add ( id ) ; } } } }
returnToPool boolean is used by GC buffer only
38,001
protected synchronized void remove ( Object id ) { if ( id == null ) { return ; } this . explicitBuffer . remove ( id ) ; this . scanBuffer . remove ( id ) ; }
Call this method to remove a specified cache id from invalidation buffers excluding garbage collector buffers .
38,002
protected synchronized ValueSet getAndRemoveFromExplicitBuffer ( ) { final String methodName = "getAndRemoveFromExplicitBuffer()" ; ValueSet valueSet = null ; if ( this . explicitBuffer . size ( ) == 0 ) { valueSet = new ValueSet ( 1 ) ; } else { valueSet = new ValueSet ( this . explicitBuffer . size ( ) ) ; Iterator it = this . explicitBuffer . keySet ( ) . iterator ( ) ; while ( it . hasNext ( ) ) { Object current = it . next ( ) ; byte info = ( ( Byte ) this . explicitBuffer . get ( current ) ) . byteValue ( ) ; if ( ( info & HTODInvalidationBuffer . STATUS_ALIAS ) == 0 ) { valueSet . add ( current ) ; } } this . explicitBuffer . clear ( ) ; } traceDebug ( methodName , "cacheName=" + this . cod . cacheName + " bufferSize=" + valueSet . size ( ) ) ; return valueSet ; }
Call this method to get and remove all the cache ids from explicit buffer .
38,003
protected synchronized boolean findAndRemoveFromGCBuffer ( long expirationTime , int hashcode , int size ) { EvictionTableEntry evt = null ; int i ; for ( i = 0 ; i < garbageCollectorBuffer . size ( ) ; i ++ ) { evt = ( EvictionTableEntry ) garbageCollectorBuffer . get ( i ) ; if ( evt . expirationTime == expirationTime && evt . hashcode == hashcode && evt . size == size ) { break ; } } if ( i < garbageCollectorBuffer . size ( ) ) { this . garbageCollectorBuffer . remove ( i ) ; if ( evt != null ) { cod . htod . evictionEntryPool . add ( evt ) ; } return true ; } return false ; }
Call this method to get and remove the EVT from GC buffer .
38,004
protected synchronized void clear ( int bufferType ) { final String methodName = "clear()" ; if ( bufferType == HTODInvalidationBuffer . EXPLICIT_BUFFER ) { this . explicitBuffer . clear ( ) ; } else if ( bufferType == HTODInvalidationBuffer . SCAN_BUFFER ) { this . scanBuffer . clear ( ) ; } else if ( bufferType == HTODInvalidationBuffer . GC_BUFFER ) { for ( int i = 0 ; i < garbageCollectorBuffer . size ( ) ; i ++ ) { EvictionTableEntry evt = ( EvictionTableEntry ) garbageCollectorBuffer . get ( i ) ; cod . htod . evictionEntryPool . add ( evt ) ; } this . garbageCollectorBuffer . clear ( ) ; } traceDebug ( methodName , "cacheName=" + this . cod . cacheName + " bufferType=" + bufferType ) ; }
Call this method to clear the invalidation buffers .
38,005
protected synchronized void invokeBackgroundInvalidation ( boolean scan ) { final String methodName = "invokeBackgroundInvalidation()" ; if ( ! stopping ) { synchronized ( cod . diskCleanupThread . dcMonitor ) { if ( cod . diskCleanupThread . currentThread != null ) { this . cod . invokeDiskCleanup ( scan ) ; } else { if ( scan == SCAN ) { traceDebug ( methodName , "cacheName=" + this . cod . cacheName + " set cleanupDiskPending to true" ) ; this . cleanupDiskPending = true ; } } } } }
Call this method to invoke LPBT .
38,006
protected synchronized boolean contains ( Object id ) { boolean found = false ; if ( this . explicitBuffer . containsKey ( id ) || this . scanBuffer . contains ( id ) ) { found = true ; } return found ; }
Call this method to check whether a specified id exists in the invalidation explicit or scan buffer .
38,007
public synchronized boolean isFull ( ) { boolean isFull = false ; int size = this . explicitBuffer . size ( ) + this . scanBuffer . size ( ) + this . garbageCollectorBuffer . size ( ) ; if ( size > this . maxInvalidationBufferSize || ( System . currentTimeMillis ( ) - this . lastRemoveTime ) >= this . maxInvalidationBufferLife ) { isFull = true ; setlastRemoveTime ( ) ; } return isFull ; }
Call this method to check whether a full condition is met to start LPBT .
38,008
protected synchronized void filter ( ValueSet filterValueSet ) { boolean explicitBufferEmpty = this . explicitBuffer . isEmpty ( ) ; boolean scanBufferEmpty = this . scanBuffer . isEmpty ( ) ; if ( filterValueSet != null && ! filterValueSet . isEmpty ( ) && ( ! explicitBufferEmpty || ! scanBufferEmpty ) ) { Iterator it = filterValueSet . iterator ( ) ; while ( it . hasNext ( ) ) { Object o = it . next ( ) ; if ( ! explicitBufferEmpty && this . explicitBuffer . containsKey ( o ) ) { it . remove ( ) ; } else if ( ! scanBufferEmpty && this . scanBuffer . contains ( o ) ) { it . remove ( ) ; } } } }
Call this method to filter out the specified collection of cache ids based on invalidation buffers .
38,009
protected synchronized int size ( int bufferType ) { if ( bufferType == EXPLICIT_BUFFER ) { return this . explicitBuffer . size ( ) ; } else if ( bufferType == SCAN_BUFFER ) { return this . scanBuffer . size ( ) ; } else if ( bufferType == GC_BUFFER ) { return this . garbageCollectorBuffer . size ( ) ; } return 0 ; }
Call this method to get the size from one of invalidation buffers .
38,010
protected synchronized boolean isBackgroundInvalidationInProgress ( ) { boolean cleanupThreadRunning = false ; if ( this . cod . diskCleanupThread != null ) { synchronized ( cod . diskCleanupThread . dcMonitor ) { cleanupThreadRunning = this . cod . diskCleanupThread . currentThread != null ; } } boolean garbageCollectorThreadRunning = false ; if ( this . cod . garbageCollectionThread != null ) { synchronized ( cod . garbageCollectionThread . gcMonitor ) { garbageCollectorThreadRunning = this . cod . garbageCollectionThread . currentThread != null ; } } return ( cleanupThreadRunning || garbageCollectorThreadRunning ) ? true : false ; }
Call this method to check the state of LPBT in Progress .
38,011
protected synchronized boolean isLoopOnce ( ) { final String methodName = "isLoopOnce()" ; if ( loopOnce ) { traceDebug ( methodName , "cacheName=" + this . cod . cacheName + " isLoopOnce=" + loopOnce + " explicitBuffer=" + explicitBuffer . size ( ) + " scanBuffer=" + this . scanBuffer . size ( ) ) ; } return this . loopOnce ; }
Call this method to check the state of Loop Once .
38,012
protected synchronized void setStopping ( boolean stopping ) { final String methodName = "setStopping()" ; this . stopping = stopping ; traceDebug ( methodName , "cacheName=" + this . cod . cacheName + " stopping=" + this . stopping ) ; }
Call this method to set the state of Stopping . No more invoking the LPBT .
38,013
public void updateProperties ( Dictionary < String , Object > properties ) throws IOException { lock . lock ( ) ; try { doUpdateProperties ( properties ) ; } finally { lock . unlock ( ) ; } }
without other guards separating updating the properties and sending configuration events can result in missing and duplicate update events even if every update is eventually associated with an event .
38,014
public void updateCache ( Dictionary < String , Object > properties , Set < ConfigID > references , Set < String > newUniques ) throws IOException { lock . lock ( ) ; try { removeReferences ( ) ; setProperties ( properties ) ; this . references = references ; this . uniqueVariables = newUniques ; caFactory . getConfigurationStore ( ) . saveConfiguration ( pid , this ) ; changeCount . incrementAndGet ( ) ; addReferences ( ) ; sendEvents = true ; } finally { lock . unlock ( ) ; } }
Updates ConfigurationAdmin s cache with current config properties . If replaceProp is set to true current config properties is replace with the given properties before caching and the internal pid - to - config table is updated to reflect the new config properties .
38,015
private void setProperties ( Dictionary < String , ? > d ) { if ( d == null ) { this . properties = null ; return ; } ConfigurationDictionary newDictionary = new ConfigurationDictionary ( ) ; Enumeration < String > keys = d . keys ( ) ; while ( keys . hasMoreElements ( ) ) { String key = keys . nextElement ( ) ; if ( newDictionary . get ( key ) == null ) { Object value = d . get ( key ) ; if ( value . getClass ( ) . isArray ( ) ) { int arrayLength = Array . getLength ( value ) ; Object copyOfArray = Array . newInstance ( value . getClass ( ) . getComponentType ( ) , arrayLength ) ; System . arraycopy ( value , 0 , copyOfArray , 0 , arrayLength ) ; newDictionary . put ( key , copyOfArray ) ; } else if ( value instanceof Collection ) { newDictionary . put ( key , new Vector < Object > ( ( Collection < ? > ) value ) ) ; } else { newDictionary . put ( key , value ) ; } } else throw new IllegalArgumentException ( key + " is already present or is a case variant." ) ; } if ( this . factoryPid != null ) { newDictionary . put ( ConfigurationAdmin . SERVICE_FACTORYPID , this . factoryPid ) ; } newDictionary . put ( Constants . SERVICE_PID , this . pid ) ; if ( this . inOverridesFile ) { newDictionary . put ( "config.overrides" , "true" ) ; } this . properties = newDictionary ; addPidMapping ( ) ; }
This is not part of Configuration interface . It sets configuration dictionary with specified dictionary and updates configuration attributes if they are not set and found in given dictionary .
38,016
@ SuppressWarnings ( "unchecked" ) public static Object proprietaryEvaluate ( final String expression , final Class expectedType , final PageContext pageContext , final ProtectedFunctionMapper functionMap , final boolean escape ) throws ELException { Object retValue ; ExpressionFactory exprFactorySetInPageContext = ( ExpressionFactory ) pageContext . getAttribute ( Constants . JSP_EXPRESSION_FACTORY_OBJECT ) ; if ( exprFactorySetInPageContext == null ) { exprFactorySetInPageContext = JspFactory . getDefaultFactory ( ) . getJspApplicationContext ( pageContext . getServletContext ( ) ) . getExpressionFactory ( ) ; } final ExpressionFactory exprFactory = exprFactorySetInPageContext ; ELContextImpl ctx = ( ELContextImpl ) pageContext . getELContext ( ) ; ctx . setFunctionMapper ( new FunctionMapperImpl ( functionMap ) ) ; ValueExpression ve = exprFactory . createValueExpression ( ctx , expression , expectedType ) ; retValue = ve . getValue ( ctx ) ; if ( escape && retValue != null ) { retValue = XmlEscape ( retValue . toString ( ) ) ; } return retValue ; }
Proprietary method to evaluate EL expressions . XXX - This method should go away once the EL interpreter moves out of JSTL and into its own project . For now this is necessary because the standard machinery is too slow .
38,017
public void addListener ( InstallEventListener listener , String notificationType ) { if ( listener == null || notificationType == null ) return ; if ( notificationType . isEmpty ( ) ) return ; if ( listenersMap == null ) { listenersMap = new HashMap < String , Collection < InstallEventListener > > ( ) ; } Collection < InstallEventListener > listeners = listenersMap . get ( notificationType ) ; if ( listeners == null ) { listeners = new ArrayList < InstallEventListener > ( 1 ) ; listenersMap . put ( notificationType , listeners ) ; } listeners . add ( listener ) ; }
Adds an install event listener to the listenersMap with a specified notification type
38,018
public void removeListener ( InstallEventListener listener ) { if ( listenersMap != null ) { for ( Collection < InstallEventListener > listeners : listenersMap . values ( ) ) { listeners . remove ( listener ) ; } } }
Removes a listener from listenersMap
38,019
public void fireProgressEvent ( int state , int progress , String message ) throws Exception { if ( listenersMap != null ) { Collection < InstallEventListener > listeners = listenersMap . get ( InstallConstants . EVENT_TYPE_PROGRESS ) ; if ( listeners != null ) { for ( InstallEventListener listener : listeners ) { listener . handleInstallEvent ( new InstallProgressEvent ( state , progress , message ) ) ; } } } }
Fires progress event messages
38,020
public void putToFront ( QueueData queueData , short msgBatch ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "putToFront" , new Object [ ] { queueData , msgBatch } ) ; _put ( queueData , msgBatch , false ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "putToFront" ) ; }
Places a message on to the front of the proxy queue so that the next get operation will consume it .
38,021
public synchronized JsMessage [ ] getBatch ( int batchSize , short id ) throws SIResourceException , SIConnectionDroppedException , SIConnectionLostException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getBatch" , "" + batchSize ) ; int size ; synchronized ( queue ) { size = queue . size ( ) ; } if ( size > batchSize ) size = batchSize ; JsMessage [ ] retArray = new JsMessage [ size ] ; for ( int i = 0 ; i < retArray . length ; ++ i ) retArray [ i ] = get ( id ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getBatch" , retArray ) ; return retArray ; }
Gets a batch of several messages from the queue .
38,022
public synchronized void setTrackBytes ( boolean trackBytes ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setTrackBytes" , trackBytes ) ; this . trackBytes = trackBytes ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setTrackBytes" ) ; }
Sets the trackBytes parameter . This flag is used to indicate whether this queue should keep track of the bytes on the queue and request more from the server when it is running low .
38,023
public void reset ( ) { current = null ; _hasWritten = false ; byteBuffersRetrieved = false ; limit = - 1 ; total = 0 ; if ( ! byteBuffersRetrieved ) { ListIterator < WsByteBuffer > it = bbList . listIterator ( ) ; while ( it . hasNext ( ) ) { WsByteBuffer next = it . next ( ) ; next . release ( ) ; it . remove ( ) ; } } }
clean up ...
38,024
public void write ( byte [ ] buf , int offset , int len ) throws IOException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "write len + len + ", limit->" + limit ) ; } if ( len < 0 ) { if ( tc . isErrorEnabled ( ) ) Tr . error ( tc , "Illegal.Argument.Trying.to.write.chars" ) ; throw new IllegalArgumentException ( ) ; } if ( ! _hasWritten && obs != null ) { _hasWritten = true ; obs . alertFirstWrite ( ) ; } if ( limit > - 1 ) { if ( total + len > limit ) { len = limit - total ; except = new WriteBeyondContentLengthException ( ) ; } } int toWrite = 0 , amountWritten = 0 , remaining = 0 ; while ( amountWritten != len ) { checkList ( ) ; toWrite = len - amountWritten ; remaining = current . remaining ( ) ; if ( toWrite <= remaining ) { current . put ( buf , offset + amountWritten , toWrite ) ; amountWritten += toWrite ; } else { current . put ( buf , offset + amountWritten , remaining ) ; amountWritten += remaining ; } } count += len ; total += len ; check ( ) ; }
Writes a byte array
38,025
public void doWork ( Work work , long startTimeout , ExecutionContext execContext , WorkListener workListener ) throws WorkException { try { beforeRunCheck ( work , workListener , startTimeout ) ; new WorkProxy ( work , startTimeout , execContext , workListener , bootstrapContext , runningWork , false ) . call ( ) ; } catch ( WorkException ex ) { throw ex ; } catch ( Throwable t ) { WorkRejectedException wrex = new WorkRejectedException ( t ) ; wrex . setErrorCode ( WorkException . INTERNAL ) ; if ( workListener != null ) workListener . workRejected ( new WorkEvent ( work , WorkEvent . WORK_REJECTED , work , wrex ) ) ; throw wrex ; } }
This method does not return until the work is completed as the caller expects to wait until the work is completed before getting control back . This method accomplishes this by NOT spinning a thread .
38,026
public void scheduleWork ( Work work , long startTimeout , ExecutionContext execContext , WorkListener workListener ) throws WorkException { try { beforeRunCheck ( work , workListener , startTimeout ) ; WorkProxy workProxy = new WorkProxy ( work , startTimeout , execContext , workListener , bootstrapContext , runningWork , true ) ; FutureTask < Void > futureTask = new FutureTask < Void > ( workProxy ) ; bootstrapContext . execSvc . executeGlobal ( futureTask ) ; if ( futures . add ( futureTask ) && futures . size ( ) % FUTURE_PURGE_INTERVAL == 0 ) purgeFutures ( ) ; } catch ( WorkException ex ) { throw ex ; } catch ( Throwable t ) { WorkRejectedException wrex = new WorkRejectedException ( t ) ; wrex . setErrorCode ( WorkException . INTERNAL ) ; if ( workListener != null ) workListener . workRejected ( new WorkEvent ( work , WorkEvent . WORK_REJECTED , work , wrex ) ) ; throw wrex ; } }
This method puts the work on a queue that is later processed by the scheduler thread . This allows the method to return to the caller without having to wait for the thread to start .
38,027
private void beforeRunCheck ( Work work , WorkListener workListener , long startTimeout ) throws WorkRejectedException { WorkRejectedException wrex = null ; if ( work == null ) { wrex = new WorkRejectedException ( new NullPointerException ( "work" ) ) ; wrex . setErrorCode ( WorkException . UNDEFINED ) ; } else if ( startTimeout < WorkManager . IMMEDIATE ) wrex = new WorkRejectedException ( "startTimeout=" + startTimeout , WorkException . START_TIMED_OUT ) ; else if ( stopped ) wrex = new WorkRejectedException ( new UnavailableException ( bootstrapContext . resourceAdapterID ) ) ; if ( wrex != null ) { if ( workListener != null ) { WorkEvent event = new WorkEvent ( work == null ? this : work , WorkEvent . WORK_REJECTED , work , wrex ) ; workListener . workRejected ( event ) ; } throw wrex ; } }
Input parameter checks that can be done before calling run .
38,028
public void stop ( ) { final boolean trace = TraceComponent . isAnyTracingEnabled ( ) ; stopped = true ; for ( Future < Void > future = futures . poll ( ) ; future != null ; future = futures . poll ( ) ) if ( ! future . isDone ( ) && future . cancel ( true ) ) if ( trace && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "canceled" , future ) ; for ( Work work = runningWork . poll ( ) ; work != null ; work = runningWork . poll ( ) ) { if ( trace && tc . isDebugEnabled ( ) ) Tr . debug ( this , tc , "release" , work ) ; work . release ( ) ; } }
Provides a way to stop the WorkManager .
38,029
public void close ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "close" ) ; ChannelFramework framework = ChannelFrameworkFactory . getChannelFramework ( ) ; try { framework . stopChain ( chainInbound , CHAIN_STOP_TIME ) ; } catch ( ChainException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.jfapchannel.impl.ListenerPortImpl.close" , JFapChannelConstants . LISTENERPORTIMPL_CLOSE_01 , new Object [ ] { framework , chainInbound } ) ; if ( tc . isEventEnabled ( ) ) SibTr . exception ( this , tc , e ) ; } catch ( ChannelException e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.jfapchannel.impl.ListenerPortImpl.close" , JFapChannelConstants . LISTENERPORTIMPL_CLOSE_02 , new Object [ ] { framework , chainInbound } ) ; if ( tc . isEventEnabled ( ) ) SibTr . exception ( this , tc , e ) ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "close" ) ; }
Stops the listener port listening .
38,030
public AcceptListener getAcceptListener ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getAcceptListener" ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getAcceptListener" , acceptListener ) ; return acceptListener ; }
Returns the accept listener associated with this listener port .
38,031
public int getPortNumber ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getPortNumber" ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getPortNumber" , "" + portNumber ) ; return portNumber ; }
Returns the port number associated with this listener port .
38,032
public static boolean containsRoutingContext ( RESTRequest request ) { if ( request . getHeader ( RESTHandlerContainer . COLLECTIVE_HOST_NAMES ) != null ) { return true ; } return getQueryParameterValue ( request , RESTHandlerContainer . COLLECTIVE_HOST_NAMES ) != null ; }
Quick check for multiple routing context without actually fetching all pieces
38,033
private PersistenceServiceUnit createPsu ( int jobInstanceVersion , int jobExecutionVersion ) throws Exception { return databaseStore . createPersistenceServiceUnit ( getJobInstanceEntityClass ( jobInstanceVersion ) . getClassLoader ( ) , getJobExecutionEntityClass ( jobExecutionVersion ) . getName ( ) , getJobInstanceEntityClass ( jobInstanceVersion ) . getName ( ) , StepThreadExecutionEntity . class . getName ( ) , StepThreadInstanceEntity . class . getName ( ) , TopLevelStepExecutionEntity . class . getName ( ) , TopLevelStepInstanceEntity . class . getName ( ) ) ; }
Creates a PersistenceServiceUnit using the specified entity versions .
38,034
public JobExecution updateJobExecutionAndInstanceFinalStatus ( PersistenceServiceUnit psu , final long jobExecutionId , final BatchStatus finalBatchStatus , final String finalExitStatus , final Date endTime ) throws NoSuchJobExecutionException { EntityManager em = psu . createEntityManager ( ) ; try { return new TranRequest < JobExecution > ( em ) { public JobExecution call ( ) { JobExecutionEntity exec = entityMgr . find ( JobExecutionEntity . class , jobExecutionId ) ; if ( exec == null ) { throw new NoSuchJobExecutionException ( "No job execution found for id = " + jobExecutionId ) ; } try { verifyStatusTransitionIsValid ( exec , finalBatchStatus ) ; exec . setBatchStatus ( finalBatchStatus ) ; exec . getJobInstance ( ) . setBatchStatus ( finalBatchStatus ) ; exec . setExitStatus ( finalExitStatus ) ; exec . getJobInstance ( ) . setExitStatus ( finalExitStatus ) ; exec . getJobInstance ( ) . setLastUpdatedTime ( endTime ) ; if ( isFinalBatchStatus ( finalBatchStatus ) ) { InstanceState newInstanceState = InstanceState . valueOf ( finalBatchStatus . toString ( ) ) ; verifyStateTransitionIsValid ( exec . getJobInstance ( ) , newInstanceState ) ; exec . getJobInstance ( ) . setInstanceState ( newInstanceState ) ; } exec . setLastUpdatedTime ( endTime ) ; exec . setEndTime ( endTime ) ; return exec ; } catch ( BatchIllegalJobStatusTransitionException e ) { throw new PersistenceException ( e ) ; } } } . runInNewOrExistingGlobalTran ( ) ; } finally { em . close ( ) ; } }
This method is called during recovery as well as during normal operation .
38,035
public List < StepExecution > getStepExecutionsTopLevelFromJobExecutionId ( final long jobExecutionId ) throws NoSuchJobExecutionException { final EntityManager em = getPsu ( ) . createEntityManager ( ) ; try { List < StepExecution > exec = new TranRequest < List < StepExecution > > ( em ) { public List < StepExecution > call ( ) throws Exception { TypedQuery < StepExecution > query = em . createNamedQuery ( TopLevelStepExecutionEntity . GET_TOP_LEVEL_STEP_EXECUTIONS_BY_JOB_EXEC_SORT_BY_START_TIME_ASC , StepExecution . class ) ; query . setParameter ( "jobExecId" , jobExecutionId ) ; List < StepExecution > result = query . getResultList ( ) ; if ( result == null ) { result = new ArrayList < StepExecution > ( ) ; } if ( result . isEmpty ( ) ) { getJobExecution ( jobExecutionId ) ; } return result ; } } . runInNewOrExistingGlobalTran ( ) ; return exec ; } finally { em . close ( ) ; } }
order by start time ascending
38,036
public RemotablePartitionEntity updateRemotablePartitionOnRecovery ( PersistenceServiceUnit psu , final RemotablePartitionEntity partition ) { EntityManager em = psu . createEntityManager ( ) ; try { return new TranRequest < RemotablePartitionEntity > ( em ) { public RemotablePartitionEntity call ( ) { RemotablePartitionKey key = new RemotablePartitionKey ( partition ) ; RemotablePartitionEntity remotablePartition = entityMgr . find ( RemotablePartitionEntity . class , key ) ; remotablePartition . setLastUpdated ( new Date ( ) ) ; return remotablePartition ; } } . runInNewOrExistingGlobalTran ( ) ; } finally { em . close ( ) ; } }
This method is called during recovery
38,037
public < T > void addMessageHandler ( Class < T > clazz , Whole < T > handler ) { connLink . addMessageHandler ( clazz , handler ) ; }
websocket 1 . 1 methods
38,038
public String promptForUser ( String arg ) { String user = console . readLine ( CommandUtils . getMessage ( "user.enterText" , arg ) + " " ) ; return user ; }
Prompt the user to enter text .
38,039
public void end ( Xid xid , int flags ) throws XAException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( this , tc , "end" , new Object [ ] { ivManagedConnection , AdapterUtil . toString ( xid ) , AdapterUtil . getXAResourceEndFlagString ( flags ) } ) ; try { if ( flags == XAResource . TMFAIL ) { ivStateManager . setState ( WSStateManager . XA_END_FAIL ) ; } else { ivStateManager . setState ( WSStateManager . XA_END ) ; } } catch ( TransactionException te ) { FFDCFilter . processException ( te , "com.ibm.ws.rsadapter.spi.WSRdbOnePhaseXaResourceImpl.end" , "189" , this ) ; Tr . error ( tc , "INVALID_TX_STATE" , new Object [ ] { "OnePhaseXAResource.end()" , ivManagedConnection . getTransactionStateAsString ( ) } ) ; XAException xae = new XAException ( XAException . XA_RBPROTO ) ; traceXAException ( xae , currClass ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , "end" , "Exception" ) ; throw xae ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , "end" ) ; }
XAException with return code XA_RBROLLBACK
38,040
public void rollback ( Xid xid ) throws XAException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( this , tc , "rollback" , new Object [ ] { ivManagedConnection , AdapterUtil . toString ( xid ) } ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { String cId = null ; try { cId = ivManagedConnection . mcf . getCorrelator ( ivManagedConnection ) ; } catch ( SQLException x ) { Tr . debug ( this , tc , "got an exception trying to get the correlator in commit, exception is: " , x ) ; } if ( cId != null ) { StringBuffer stbuf = new StringBuffer ( 200 ) ; stbuf . append ( "Correlator: DB2, ID: " ) ; stbuf . append ( cId ) ; if ( xid != null ) { stbuf . append ( "Transaction ID : " ) ; stbuf . append ( xid ) ; } stbuf . append ( " ROLLBACK" ) ; Tr . debug ( this , tc , stbuf . toString ( ) ) ; } } ivManagedConnection . wasLazilyEnlistedInGlobalTran = false ; try { ivSqlConn . rollback ( ) ; ivStateManager . setState ( WSStateManager . XA_ROLLBACK ) ; } catch ( SQLException sqe ) { FFDCFilter . processException ( sqe , "com.ibm.ws.rsadapter.spi.WSRdbOnePhaseXaResourceImpl.rollback" , "342" , this ) ; Tr . error ( tc , "DSA_INTERNAL_ERROR" , new Object [ ] { "Exception caught during rollback on the OnePhaseXAResource" , sqe } ) ; XAException xae = new XAException ( XAException . XAER_RMERR ) ; traceXAException ( xae , currClass ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , "rollback" , "Exception" ) ; throw xae ; } catch ( TransactionException te ) { FFDCFilter . processException ( te , "com.ibm.ws.rsadapter.spi.WSRdbOnePhaseXaResourceImpl.rollback" , "351" , this ) ; Tr . error ( tc , "INVALID_TX_STATE" , new Object [ ] { "OnePhaseXAResource.rollback()" , ivManagedConnection . getTransactionStateAsString ( ) } ) ; XAException xae = new XAException ( XAException . XAER_RMERR ) ; traceXAException ( xae , currClass ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , "rollback" , "Exception" ) ; throw xae ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( this , tc , "rollback" ) ; }
XAER_RMERR return code in XAException
38,041
private static BundleContext getBundleContext ( final Bundle bundle ) { if ( System . getSecurityManager ( ) == null ) return bundle . getBundleContext ( ) ; else return AccessController . doPrivileged ( new PrivilegedAction < BundleContext > ( ) { public BundleContext run ( ) { return bundle . getBundleContext ( ) ; } } ) ; }
no need for an updatedJdbcDriver because changes will not impact the mbean
38,042
public static void debugHtml ( Writer writer , FacesContext faces , Throwable e ) throws IOException { debugHtml ( writer , faces , faces . getViewRoot ( ) , null , e ) ; }
Generates the HTML error page for the given Throwable and writes it to the given writer .
38,043
public static void debugHtml ( Writer writer , FacesContext faces ) throws IOException { _init ( faces ) ; Date now = new Date ( ) ; for ( int i = 0 ; i < debugParts . length ; i ++ ) { if ( "message" . equals ( debugParts [ i ] ) ) { writer . write ( faces . getViewRoot ( ) . getViewId ( ) ) ; } else if ( "now" . equals ( debugParts [ i ] ) ) { writer . write ( DateFormat . getDateTimeInstance ( ) . format ( now ) ) ; } else if ( "tree" . equals ( debugParts [ i ] ) ) { _writeComponent ( faces , writer , faces . getViewRoot ( ) , null , true ) ; } else if ( "extendedtree" . equals ( debugParts [ i ] ) ) { _writeExtendedComponentTree ( writer , faces ) ; } else if ( "vars" . equals ( debugParts [ i ] ) ) { _writeVariables ( writer , faces , faces . getViewRoot ( ) ) ; } else { writer . write ( debugParts [ i ] ) ; } } }
Generates the HTML debug page for the current view and writes it to the given writer .
38,044
private int hashToTable ( Long id , Entry [ ] table ) { int posVal = id . intValue ( ) & Integer . MAX_VALUE ; return ( posVal % table . length ) ; }
The Long Id is already effectively a hashcode for the Schema and should be unique . All we should need to do is get a positive integer version of it & divide by the table size .
38,045
private void resize ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "resize" , table . length ) ; Entry [ ] newTable = new Entry [ table . length + ( table . length / 2 ) ] ; for ( int i = 0 ; i < table . length ; i ++ ) { Entry ent = table [ i ] ; Entry newEntry ; int j ; while ( ent != null ) { j = hashToTable ( ent . schemaId , newTable ) ; newEntry = new Entry ( ent . schemaId , newTable [ j ] ) ; newTable [ j ] = newEntry ; ent = ent . next ; } } table = newTable ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "resize" , table . length ) ; }
Resize the SchemaSet adding 50% to the size .
38,046
public String toVerboseString ( ) { Entry [ ] tempTable = table ; StringBuffer buf = new StringBuffer ( ) ; buf . append ( "SchemaSet " ) ; buf . append ( this . hashCode ( ) ) ; buf . append ( " {\n" ) ; for ( int i = 0 ; i < tempTable . length ; i ++ ) { buf . append ( " [" ) ; buf . append ( i ) ; buf . append ( "] " ) ; Entry ent = tempTable [ i ] ; buf . append ( ent ) ; while ( ent != null ) { ent = ent . next ; buf . append ( " " ) ; buf . append ( ent ) ; } buf . append ( "\n" ) ; } buf . append ( " }\n" ) ; return buf . toString ( ) ; }
Returns a printable view of the SchemaSet and contents for use in debugging and Unit Tests .
38,047
private static final String debugId ( Object o ) { Long id = ( Long ) o ; byte [ ] buf = new byte [ 8 ] ; ArrayUtil . writeLong ( buf , 0 , id . longValue ( ) ) ; return HexUtil . toString ( buf ) ; }
Write a Schema Id out as a hex string .
38,048
@ XmlElement ( name = "authentication-mechanism-type" , required = true ) public void setAuthenticationMechanismType ( String authMech ) { AuthenticationMechanismType type = AuthenticationMechanismType . valueOf ( authMech ) ; authenticationMechanismType = type . name ( ) ; }
Set the authentication mechanism type
38,049
@ FFDCIgnore ( ClassCastException . class ) void autoBind ( WSName subname , Object obj ) throws InvalidNameException , NotContextException , NameAlreadyBoundException { ContextNode target = this , parent = this ; int i = 0 ; try { for ( ; i < subname . size ( ) - 1 ; i ++ ) { String elem = subname . get ( i ) ; target = ( ContextNode ) target . children . get ( elem ) ; if ( target == null ) { target = new ContextNode ( parent , elem , true ) ; Object existingEntry = parent . children . putIfAbsent ( elem , target ) ; if ( existingEntry != null ) { target = ( ContextNode ) existingEntry ; } } parent = target ; } } catch ( ClassCastException e ) { throw new NotContextException ( "" + fullName . plus ( subname . getPrefix ( i + 1 ) ) ) ; } boolean replaced = false ; String lastName = subname . getLast ( ) ; AutoBindNode abNode = new AutoBindNode ( obj ) ; while ( ! replaced ) { Object oldObj = target . children . putIfAbsent ( lastName , abNode ) ; if ( oldObj != null ) { if ( oldObj instanceof AutoBindNode ) { abNode = ( AutoBindNode ) oldObj ; synchronized ( abNode ) { abNode . addLastEntry ( obj ) ; replaced = target . children . replace ( lastName , oldObj , abNode ) ; } } else { throw new NameAlreadyBoundException ( "" + fullName . plus ( lastName ) ) ; } } else { replaced = true ; } } }
Works like bind but automatically creates intermediate contexts if they do not exist . Any automatically created contexts will be cleaned up automatically when their last child is unbound .
38,050
protected void onMethodEntry ( ) { if ( enabledListeners . isEmpty ( ) ) return ; String probeKey = createKey ( ) ; ProbeImpl probe = getProbe ( probeKey ) ; long probeId = probe . getIdentifier ( ) ; setProbeInProgress ( true ) ; visitLdcInsn ( Long . valueOf ( probeId ) ) ; if ( isStatic ( ) || isConstructor ( ) ) { visitInsn ( ACONST_NULL ) ; } else { visitVarInsn ( ALOAD , 0 ) ; } visitInsn ( ACONST_NULL ) ; createParameterArray ( ) ; visitFireProbeInvocation ( ) ; setProbeInProgress ( false ) ; setProbeListeners ( probe , enabledListeners ) ; }
Inject the byte code required to fire a method entry probe .
38,051
static long getBufAddress ( ByteBuffer theBuffer ) { if ( ! theBuffer . isDirect ( ) ) { throw new IllegalArgumentException ( AsyncProperties . aio_direct_buffers_only ) ; } try { return addrField . getLong ( theBuffer ) ; } catch ( IllegalAccessException exception ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Error getting async provider instance, exception: " + exception . getMessage ( ) ) ; } FFDCFilter . processException ( exception , "com.ibm.io.async.AbstractAsyncChannel" , "149" ) ; throw new RuntimeException ( exception . getMessage ( ) ) ; } }
Returns the address of the start of the given direct byte buffer in OS memory .
38,052
public AsyncFuture getFutureFromIndex ( int theIndex ) { if ( theIndex == READ_FUTURE_INDEX || theIndex == SYNC_READ_FUTURE_INDEX ) { return this . readFuture ; } if ( theIndex == WRITE_FUTURE_INDEX || theIndex == SYNC_WRITE_FUTURE_INDEX ) { return this . writeFuture ; } return null ; }
Gets the Future corresponding to a supplied index value .
38,053
void cancel ( AsyncChannelFuture future , Exception reason ) throws ClosedChannelException , IOException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "cancel" ) ; } if ( ! isOpen ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Cancel request on closed connection" ) ; } future . setCancelInProgress ( 0 ) ; throw new ClosedChannelException ( ) ; } if ( future . isCompleted ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Cancel request on completed future" ) ; } future . setCancelInProgress ( 0 ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "cancel" ) ; } return ; } long callid ; if ( ( ( AsyncFuture ) future ) . isRead ( ) ) { callid = this . readIOCB . getCallIdentifier ( ) ; } else { callid = this . writeIOCB . getCallIdentifier ( ) ; } int rc = provider . cancel2 ( this . channelIdentifier , callid ) ; if ( rc == 0 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Cancel Successful, resetting CancelInProgress state to 0" ) ; } future . setCancelInProgress ( 0 ) ; future . completed ( reason ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Cancel could not be completed" ) ; } future . setCancelInProgress ( 0 ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "cancel" ) ; } }
Package private version of cancel which takes an exception as an additional parameter . The exception is applied to the future on cancellation .
38,054
public void enable ( int level ) { if ( level >= PmiConstants . LEVEL_HIGH ) sync = true ; else sync = false ; if ( ! enabled ) { enabled = true ; reset ( ) ; } }
mark the data enabled and reset the value and createTime
38,055
protected final Bucket < K , V > getBucketForKey ( K key ) { int bucket_index = ( key . hashCode ( ) & 0x7FFFFFFF ) % buckets . length ; Bucket < K , V > thebucket = buckets [ bucket_index ] ; if ( thebucket == null ) { synchronized ( this ) { thebucket = buckets [ bucket_index ] ; if ( thebucket == null ) { thebucket = new Bucket < K , V > ( ) ; buckets [ bucket_index ] = thebucket ; } } } return thebucket ; }
Returns the bucket which the specified key hashes to
38,056
protected void introspect ( ObjectName objectName , QueryExp query , PrintWriter writer ) { for ( MBeanServer mbeanServer : getMBeanServers ( ) ) { for ( ObjectName mbean : mbeanServer . queryNames ( objectName , query ) ) { introspectMBeanAttributes ( mbeanServer , mbean , writer ) ; } } }
GIven a JMX object name and a filter introspect all matching MBeans that are found associated with registered MBean servers .
38,057
String getFormattedArray ( Object attribute , String indent ) { int arrayLength = Array . getLength ( attribute ) ; if ( arrayLength == 0 ) { return "[]" ; } Class < ? > componentType = attribute . getClass ( ) . getComponentType ( ) ; if ( componentType . equals ( boolean . class ) ) { return formatPrimitiveArrayString ( Arrays . toString ( ( boolean [ ] ) attribute ) , indent ) ; } else if ( componentType . equals ( byte . class ) ) { return formatPrimitiveArrayString ( Arrays . toString ( ( byte [ ] ) attribute ) , indent ) ; } else if ( componentType . equals ( char . class ) ) { return formatPrimitiveArrayString ( Arrays . toString ( ( char [ ] ) attribute ) , indent ) ; } else if ( componentType . equals ( double . class ) ) { return formatPrimitiveArrayString ( Arrays . toString ( ( double [ ] ) attribute ) , indent ) ; } else if ( componentType . equals ( float . class ) ) { return formatPrimitiveArrayString ( Arrays . toString ( ( float [ ] ) attribute ) , indent ) ; } else if ( componentType . equals ( int . class ) ) { return formatPrimitiveArrayString ( Arrays . toString ( ( int [ ] ) attribute ) , indent ) ; } else if ( componentType . equals ( long . class ) ) { return formatPrimitiveArrayString ( Arrays . toString ( ( long [ ] ) attribute ) , indent ) ; } else if ( componentType . equals ( short . class ) ) { return formatPrimitiveArrayString ( Arrays . toString ( ( short [ ] ) attribute ) , indent ) ; } StringBuilder sb = new StringBuilder ( ) ; indent += INDENT ; Object [ ] array = ( Object [ ] ) attribute ; for ( int i = 0 ; i < array . length ; i ++ ) { sb . append ( "\n" ) . append ( indent ) . append ( "[" ) . append ( i ) . append ( "]: " ) ; sb . append ( String . valueOf ( array [ i ] ) ) ; } return sb . toString ( ) ; }
Format an array .
38,058
String getFormattedCompositeData ( CompositeData cd , String indent ) { StringBuilder sb = new StringBuilder ( ) ; indent += INDENT ; CompositeType type = cd . getCompositeType ( ) ; for ( String key : type . keySet ( ) ) { sb . append ( "\n" ) . append ( indent ) ; sb . append ( key ) . append ( ": " ) ; OpenType < ? > openType = type . getType ( key ) ; if ( openType instanceof SimpleType ) { sb . append ( cd . get ( key ) ) ; } else if ( openType instanceof CompositeType ) { CompositeData nestedData = ( CompositeData ) cd . get ( key ) ; sb . append ( getFormattedCompositeData ( nestedData , indent ) ) ; } else if ( openType instanceof TabularType ) { TabularData tabularData = ( TabularData ) cd . get ( key ) ; sb . append ( tabularData ) ; } } return String . valueOf ( sb ) ; }
Format an open MBean composite data attribute .
38,059
@ SuppressWarnings ( "unchecked" ) String getFormattedTabularData ( TabularData td , String indent ) { StringBuilder sb = new StringBuilder ( ) ; indent += INDENT ; sb . append ( "{" ) ; Collection < CompositeData > values = ( Collection < CompositeData > ) td . values ( ) ; int valuesRemaining = values . size ( ) ; for ( CompositeData cd : values ) { sb . append ( getFormattedCompositeData ( cd , indent ) ) ; if ( -- valuesRemaining > 0 ) { sb . append ( "\n" ) . append ( indent ) . append ( "}, {" ) ; } } sb . append ( "}" ) ; return String . valueOf ( sb ) ; }
Format an open MBean tabular data attribute .
38,060
public void handle ( Callback [ ] callbacks ) throws IOException , UnsupportedCallbackException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "handle" ) ; } if ( callbacks == null || callbacks . length == 0 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "handle" , "No Callbacks received, do nothing." ) ; } return ; } arrangeCallbacks ( callbacks ) ; try { for ( Callback callback : callbacks ) { if ( callback instanceof CallerPrincipalCallback ) { J2CSecurityHelper . handleCallerPrincipalCallback ( ( CallerPrincipalCallback ) callback , _executionSubject , _addedCred , _realmName , _unauthenticated , _invocations ) ; } else if ( callback instanceof GroupPrincipalCallback ) { J2CSecurityHelper . handleGroupPrincipalCallback ( ( GroupPrincipalCallback ) callback , _executionSubject , _addedCred , _realmName , _invocations ) ; } else if ( callback instanceof PasswordValidationCallback ) { J2CSecurityHelper . handlePasswordValidationCallback ( ( PasswordValidationCallback ) callback , _executionSubject , _addedCred , _realmName , _invocations ) ; } else { throw new UnsupportedCallbackException ( callback ) ; } } J2CSecurityHelper . addSubjectCustomData ( _executionSubject , _addedCred ) ; } catch ( Exception ex ) { Tr . error ( tc , "ERROR_HANDLING_CALLBACK_J2CA0672" , new Object [ ] { ex . getClass ( ) . getName ( ) , ex . getMessage ( ) } ) ; FFDCFilter . processException ( ex , getClass ( ) . getName ( ) + ".handle" , "153" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "The exception is " + ex ) ; } if ( ex instanceof IOException ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "handle" ) ; } throw ( IOException ) ex ; } else if ( ex instanceof UnsupportedCallbackException ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "handle" ) ; } throw ( UnsupportedCallbackException ) ex ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "handle" ) ; } throw new IOException ( ex ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "handle" ) ; } }
This method is invoked by the resource adapter after passing the list of callbacks that it needs the application server to handle . The behaviour of the handler for each of the callbacks is given below
38,061
private void arrangeCallbacks ( Callback [ ] callbacks ) { if ( callbacks [ 0 ] instanceof CallerPrincipalCallback ) return ; int length = callbacks . length ; for ( int i = 0 ; i < length ; i ++ ) { if ( callbacks [ i ] instanceof CallerPrincipalCallback ) { Callback callback = callbacks [ 0 ] ; callbacks [ 0 ] = callbacks [ i ] ; callbacks [ i ] = callback ; break ; } } }
This method is called to ensure that the first callback is always a CallerPrincipalCallback irrespective of the order in which the callbacks are passed in by the resource adapter . If we need to return false to the PasswordValidationCallback when the name passed in by the CallerPrincipalCallback is different from the one set in the PasswordValidationCallback the PasswordValidationCallback should always be processed after the CallerPrincipalCallback .
38,062
public final void makeEmptyAndClean ( ) { makeEmpty ( ) ; for ( int i = 0 ; i < m_array . length ; ++ i ) m_array [ i ] = null ; }
Empty the queue and also set every element of the internal array to null so that the removed elements can be GC d .
38,063
public final int size ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "size" ) ; int result = ( m_tail >= m_head ) ? ( m_tail - m_head ) : ( m_array . length - m_head + m_tail ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "size" , new Integer ( result ) ) ; return result ; }
Return the number of elements in the queue .
38,064
public final void enqueue ( Object obj ) { m_array [ m_tail ++ ] = obj ; if ( m_tail == m_array . length ) m_tail = 0 ; if ( m_head == m_tail ) expand_array ( ) ; }
Store an object in the queue .
38,065
public final Object dequeue ( ) throws NoSuchElementException { if ( m_head == m_tail ) throw new NoSuchElementException ( ) ; Object obj = m_array [ m_head ] ; m_array [ m_head ++ ] = null ; if ( m_head == m_array . length ) m_head = 0 ; return obj ; }
Return the first element on the queue .
38,066
private final void expand_array ( ) { int length = m_array . length ; Object [ ] m_new = new Object [ length * 2 ] ; System . arraycopy ( m_array , m_head , m_new , m_head , length - m_head ) ; System . arraycopy ( m_array , 0 , m_new , length , m_tail ) ; m_tail += length ; m_array = m_new ; }
Increase the size of the internal array to accomodate more queue elements .
38,067
public LinkedHashMap < String , Object > getConfigDump ( String aLocalId , boolean aRegisteredOnly ) { if ( TC . isEntryEnabled ( ) ) { Tr . entry ( this , TC , "getConfigDump" ) ; } LinkedHashMap < String , Object > cp = new LinkedHashMap < String , Object > ( ) ; if ( TC . isEntryEnabled ( ) ) { Tr . exit ( this , TC , "getConfigDump" ) ; } return cp ; }
Generate a config dump containing all the attributes which match the regular expression .
38,068
private Transactional findInterceptorFromStereotype ( Annotation [ ] anns ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "findInterceptorFromStereotype" , new Object [ ] { anns , this } ) ; Transactional ret = null ; for ( Annotation ann : anns ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Examining annotation: " + ann . toString ( ) ) ; Class < ? extends Annotation > annType = ann . annotationType ( ) ; if ( annType . getAnnotation ( Stereotype . class ) != null ) { ret = findTransactionalInterceptor ( annType ) ; if ( ret != null ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "findInterceptorFromStereotype" , ret ) ; return ret ; } } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "findInterceptorFromStereotype" , null ) ; return null ; }
it here .
38,069
private void writeObject ( java . io . ObjectOutputStream out ) throws IOException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "writeObject : " + this ) ; out . writeObject ( ivPuRefId ) ; out . writeObject ( ivJ2eeName ) ; out . writeObject ( ivRefName ) ; out . writeObject ( ivProperties ) ; out . writeBoolean ( ivUnsynchronized ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "writeObject : " + this ) ; }
Instance serialization .
38,070
protected void registerEmInvocation ( UOWCoordinator uowCoord , Synchronization emInvocation ) { try { ivAbstractJPAComponent . getEmbeddableWebSphereTransactionManager ( ) . registerSynchronization ( uowCoord , emInvocation , SYNC_TIER_OUTER ) ; } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "registerEmInvocation experienced unexpected exception while registering with transaction: " + e ) ; FFDCFilter . processException ( e , CLASS_NAME + ".registerEmInvocation" , "507" , this ) ; throw new RuntimeException ( "Registration of Entity Manager invocation with Transaction failed." , e ) ; } }
d638095 . 4
38,071
private void buildDiscriminatorNodes ( DiscriminatorNode node ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "buildDiscriminatorNodes: " + node ) ; } DiscriminatorNode dn = node ; if ( dn == null ) { return ; } DiscriminatorNode newDN = null , lastDN = null ; discriminators = new DiscriminatorNode ( dn . disc , dn . weight , null , null ) ; discAL . add ( dn . disc ) ; Channel chan = dn . disc . getChannel ( ) ; addChannel ( chan ) ; newDN = discriminators ; lastDN = discriminators ; while ( dn . next != null ) { dn = dn . next ; newDN = new DiscriminatorNode ( dn . disc , dn . weight , null , lastDN ) ; lastDN . next = newDN ; lastDN = newDN ; discAL . add ( dn . disc ) ; chan = dn . disc . getChannel ( ) ; addChannel ( chan ) ; } }
Copy this DiscriminatorNode list .
38,072
public void addDiscriminator ( Discriminator d , int weight ) throws DiscriminationProcessException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "addDiscriminator: " + d + " weight=" + weight ) ; } if ( status == STARTED ) { DiscriminationProcessException e = new DiscriminationProcessException ( "Should not add to DiscriminationGroup while started!" ) ; FFDCFilter . processException ( e , getClass ( ) . getName ( ) + ".addDiscriminator" , "239" , this , new Object [ ] { d } ) ; throw e ; } if ( weight < 0 ) { DiscriminationProcessException e = new DiscriminationProcessException ( "Invalid weight for discriminator, " + weight ) ; FFDCFilter . processException ( e , getClass ( ) . getName ( ) + ".addDiscriminator" , "260" , this , new Object [ ] { Long . valueOf ( weight ) } ) ; throw e ; } if ( ! discAL . contains ( d ) ) { if ( d . getDiscriminatoryDataType ( ) . isAssignableFrom ( discriminantClass ) ) { if ( d . getChannel ( ) == null || d . getChannel ( ) . getName ( ) == null ) { DiscriminationProcessException e = new DiscriminationProcessException ( "Discriminator does not have channel or its channel has no name" ) ; FFDCFilter . processException ( e , getClass ( ) . getName ( ) + ".addDiscriminator" , "273" , this , new Object [ ] { d } ) ; throw e ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Add discriminator " + d . getChannel ( ) . getName ( ) ) ; } addDiscriminatorNode ( new DiscriminatorNode ( d , weight ) ) ; discAL . add ( d ) ; Channel chan = d . getChannel ( ) ; addChannel ( chan ) ; this . changed = true ; } else { ClassCastException e = new ClassCastException ( ) ; FFDCFilter . processException ( e , getClass ( ) . getName ( ) + ".addDiscriminator" , "292" , this , new Object [ ] { d } ) ; throw e ; } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Same discriminator added twice?" ) ; } } }
Adds a discriminator to the group . Attempts to add the same discriminator more than once are ignored . It is an error to attempt to add a discriminator which is not able to deal with the groups type of discriminatory data . A class cast exception is thrown if this is attempted .
38,073
private void addDiscriminatorNode ( DiscriminatorNode dn ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "addDiscriminatorNode, weight=" + dn . weight ) ; } if ( discriminators == null ) { discriminators = dn ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "addDiscriminatorNode" ) ; } return ; } DiscriminatorNode thisDN = discriminators ; if ( thisDN . weight > dn . weight ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Adding disc first in list" ) ; } thisDN . prev = dn ; dn . next = thisDN ; discriminators = dn ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "addDiscriminatorNode" ) ; } return ; } DiscriminatorNode lastDN = discriminators ; while ( thisDN . next != null ) { lastDN = thisDN ; thisDN = thisDN . next ; if ( thisDN . weight > dn . weight ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Adding disc before " + thisDN . disc . getChannel ( ) . getName ( ) ) ; } thisDN . prev = dn ; dn . next = thisDN ; lastDN . next = dn ; dn . prev = lastDN ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "addDiscriminatorNode" ) ; } return ; } } thisDN . next = dn ; dn . prev = thisDN ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "addDiscriminatorNode" ) ; } }
add a discriminatorNode to the linked list .
38,074
private void removeDiscriminatorNode ( Discriminator d ) throws DiscriminationProcessException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "removeDiscriminatorNode: " + d ) ; } if ( d == null ) { DiscriminationProcessException e = new DiscriminationProcessException ( "Can't remove a null discriminator" ) ; FFDCFilter . processException ( e , getClass ( ) . getName ( ) + ".removeDiscriminatorNode" , "484" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "removeDiscriminatorNode" ) ; } throw e ; } if ( discriminators . disc . equals ( d ) ) { discriminators = discriminators . next ; if ( discriminators != null ) { discriminators . prev = null ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "removeDiscriminatorNode" ) ; } return ; } DiscriminatorNode thisDN = discriminators . next , lastDN = discriminators ; while ( thisDN . next != null ) { if ( thisDN . disc . equals ( d ) ) { thisDN . next . prev = lastDN ; lastDN . next = thisDN . next ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "removeDiscriminatorNode" ) ; } return ; } lastDN = thisDN ; thisDN = thisDN . next ; } if ( thisDN . disc . equals ( d ) ) { lastDN . next = null ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "removeDiscriminatorNode" ) ; } return ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "removeDiscriminatorNode: not found" ) ; } throw new NoSuchElementException ( ) ; }
remove the discriminatorNode from the linkedList .
38,075
public void start ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Started discriminator list " + discAL + "with size" + discAL . size ( ) ) ; } if ( discAL . size ( ) > 1 ) { rebuildDiscriminatorList ( ) ; discriminationAlgorithm = new MultiDiscriminatorAlgorithm ( this ) ; } else if ( discAL . size ( ) == 1 ) { discriminationAlgorithm = new SingleDiscriminatorAlgorithm ( this ) ; } else { discriminationAlgorithm = new FailureDiscriminatorAlgorithm ( ) ; } status = STARTED ; }
Start this DiscriminatorProcess .
38,076
private void rebuildDiscriminatorList ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "rebuildDiscriminatorList" ) ; } discAL . clear ( ) ; DiscriminatorNode dn = discriminators ; discAL . add ( dn . disc ) ; dn = dn . next ; while ( dn != null ) { discAL . add ( dn . disc ) ; dn = dn . next ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "rebuildDiscriminatorList" ) ; } }
Rebuild the array list from the linked list .
38,077
private void addChannel ( Channel chan ) { if ( channelList == null ) { channelList = new Channel [ 1 ] ; channelList [ 0 ] = chan ; } else { Channel [ ] oldList = channelList ; channelList = new Channel [ oldList . length + 1 ] ; System . arraycopy ( oldList , 0 , channelList , 0 , oldList . length ) ; channelList [ oldList . length ] = chan ; } }
Add a channel to the channel list to be searched .
38,078
@ FFDCIgnore ( { NamingException . class } ) Object resolveObject ( Object o , WSName subname ) throws NamingException { ServiceReference < ? > ref = null ; try { if ( o instanceof ContextNode ) return new WSContext ( userContext , ( ContextNode ) o , env ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Resolving object" , o ) ; if ( o instanceof ServiceReference ) { ref = ( ServiceReference < ? > ) o ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "External service registry entry." ) ; } else if ( o instanceof AutoBindNode ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "AutoBindNode entry." ) ; AutoBindNode abNode = ( AutoBindNode ) o ; ref = ( ServiceReference < ? > ) abNode . getLastEntry ( ) ; if ( ref == null ) { throw new NameNotFoundException ( subname . toString ( ) ) ; } } else if ( o instanceof ServiceRegistration ) { ref = ( ( ServiceRegistration < ? > ) o ) . getReference ( ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Programmatic JNDI entry." ) ; } boolean getObjectInstance ; if ( ref == null ) { getObjectInstance = true ; } else { o = getReference ( userContext , ref ) ; if ( o == null ) { throw new NamingException ( Tr . formatMessage ( tc , "jndi.servicereference.failed" , subname . toString ( ) ) ) ; } Object origin = ref . getProperty ( JNDIServiceBinder . OSGI_JNDI_SERVICE_ORIGIN ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Retrieved service from registry" , o , JNDIServiceBinder . OSGI_JNDI_SERVICE_ORIGIN + "=" + origin , Constants . OBJECTCLASS + "=" + Arrays . toString ( ( String [ ] ) ref . getProperty ( Constants . OBJECTCLASS ) ) ) ; getObjectInstance = JNDIServiceBinder . OSGI_JNDI_SERVICE_ORIGIN_VALUE . equals ( origin ) || contains ( ( String [ ] ) ref . getProperty ( Constants . OBJECTCLASS ) , Reference . class . getName ( ) ) ; } if ( getObjectInstance ) { try { Object oldO = o ; o = NamingManager . getObjectInstance ( o , subname , this , env ) ; if ( o != oldO ) if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Resolved object through NamingManager" ) ; } catch ( NamingException e ) { throw e ; } catch ( Exception e ) { } } return o ; } catch ( NamingException e ) { throw e ; } catch ( Exception e ) { NamingException ne = new NamingException ( ) ; ne . setRootCause ( e ) ; throw ne ; } }
Perform any needed conversions on an object retrieved from the context tree .
38,079
public void send ( ) throws AuditServiceUnavailableException { AuditService auditService = SecurityUtils . getAuditService ( ) ; if ( auditService != null ) { auditService . sendEvent ( this ) ; } else { throw new AuditServiceUnavailableException ( ) ; } }
Send this event to the audit service for logging .
38,080
public static boolean isAuditRequired ( String eventType , String outcome ) throws AuditServiceUnavailableException { AuditService auditService = SecurityUtils . getAuditService ( ) ; if ( auditService != null ) { return auditService . isAuditRequired ( eventType , outcome ) ; } else { throw new AuditServiceUnavailableException ( ) ; } }
Check to see if auditing is required for an event type and outcome .
38,081
private void removeEntriesStartingWith ( String key ) { synchronized ( eventMap ) { Iterator < String > iter = eventMap . keySet ( ) . iterator ( ) ; while ( iter . hasNext ( ) ) { String str = iter . next ( ) ; if ( str . startsWith ( key ) ) { iter . remove ( ) ; } } } }
Remove all entries starting with the given key
38,082
public void put ( SimpleEntry simpleEntry ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "put" , simpleEntry ) ; simpleEntry . previous = last ; simpleEntry . list = this ; if ( last != null ) last . next = simpleEntry ; else first = simpleEntry ; last = simpleEntry ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "put" , printList ( ) ) ; }
Add an entry to the list
38,083
protected String printList ( ) { String output = "[" ; SimpleEntry pointer = first ; int counter = 0 ; while ( ( pointer != null ) && ( counter < 3 ) ) { output += "@" + Integer . toHexString ( pointer . hashCode ( ) ) ; pointer = pointer . next ; if ( pointer != null ) output += ", " ; counter ++ ; } if ( pointer != null ) { output += "..., @" + Integer . toHexString ( last . hashCode ( ) ) + "]" ; } else output += "]" ; return output ; }
Return the first and last entries in the list
38,084
private void initializePort ( ) throws ChannelException { try { this . endPoint . initServerSocket ( ) ; } catch ( IOException ioe ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "TCP Channel: " + getExternalName ( ) + "- Problem occurred while initializing TCP Channel: " + ioe . getMessage ( ) ) ; } throw new ChannelException ( "TCP Channel: " + getExternalName ( ) + "- Problem occurred while starting channel: " + ioe . getMessage ( ) ) ; } catch ( RetryableChannelException e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( tc , "TCP Channel: " + getExternalName ( ) + "- Problem occurred while starting TCP Channel: " + e . getMessage ( ) ) ; } throw e ; } this . channelData . getPropertyBag ( ) . put ( TCPConfigConstants . LISTENING_PORT , String . valueOf ( this . endPoint . getListenPort ( ) ) ) ; }
Initialize the endpoint listening socket .
38,085
private synchronized void destroyConnLinks ( ) { for ( Queue < TCPConnLink > queue : this . inUse ) { try { TCPConnLink tcl = queue . poll ( ) ; while ( tcl != null ) { tcl . close ( tcl . getVirtualConnection ( ) , null ) ; tcl = queue . poll ( ) ; } } catch ( Throwable t ) { FFDCFilter . processException ( t , getClass ( ) . getName ( ) , "destroyConnLinks" , new Object [ ] { this } ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Error closing connection: " + t + " " + queue ) ; } } } }
call the destroy on all the TCPConnLink objects related to this TCPChannel which are currently in use .
38,086
protected Object getValue ( String propertyName , Type propertyType , boolean optional , String defaultString ) { Object value = null ; assertNotClosed ( ) ; SourcedValue sourced = getSourcedValue ( propertyName , propertyType ) ; if ( sourced != null ) { value = sourced . getValue ( ) ; } else { if ( optional ) { value = convertValue ( defaultString , propertyType ) ; } else { throw new NoSuchElementException ( Tr . formatMessage ( tc , "no.such.element.CWMCG0015E" , propertyName ) ) ; } } return value ; }
Get the converted value of the given property . If the property is not found and optional is true then use the default string to create a value to return . If the property is not found and optional is false then throw an exception .
38,087
public static void logToJobLogAndTraceOnly ( Level level , String msg , Object [ ] params , Logger traceLogger ) { String formattedMsg = getFormattedMessage ( msg , params , "Job event." ) ; logRawMsgToJobLogAndTraceOnly ( level , formattedMsg , traceLogger ) ; }
Logs the message to joblog and trace .
38,088
public static void logRawMsgToJobLogAndTraceOnly ( Level level , String msg , Logger traceLogger ) { if ( level . intValue ( ) > Level . FINE . intValue ( ) ) { traceLogger . log ( Level . FINE , msg ) ; logToJoblogIfNotTraceLoggable ( Level . FINE , msg , traceLogger ) ; } else { traceLogger . log ( level , msg ) ; logToJoblogIfNotTraceLoggable ( level , msg , traceLogger ) ; } }
logs the message to joblog and trace .
38,089
public byte [ ] toEncodedForm ( ) { if ( encodedForm == null ) { encodedForm = new byte [ encodedSize ( ) ] ; ArrayUtil . writeLong ( encodedForm , 0 , accessSchemaId ) ; encode ( encodedForm , new int [ ] { 8 , encodedForm . length } ) ; } return encodedForm ; }
Turn an CompatibilityMap into its encoded form
38,090
private void encode ( byte [ ] frame , int [ ] limits ) { JSType . setCount ( frame , limits , indices . length ) ; for ( int i = 0 ; i < indices . length ; i ++ ) JSType . setCount ( frame , limits , indices [ i ] ) ; JSType . setCount ( frame , limits , varBias ) ; JSType . setCount ( frame , limits , setCases . length ) ; for ( int i = 0 ; i < setCases . length ; i ++ ) { int [ ] cases = setCases [ i ] ; if ( cases == null ) JSType . setCount ( frame , limits , - 1 ) ; else { JSType . setCount ( frame , limits , cases . length ) ; for ( int j = 0 ; j < cases . length ; j ++ ) JSType . setCount ( frame , limits , cases [ j ] ) ; } } JSType . setCount ( frame , limits , getCases . length ) ; for ( int i = 0 ; i < getCases . length ; i ++ ) { int [ ] cases = getCases [ i ] ; if ( cases == null ) JSType . setCount ( frame , limits , - 1 ) ; else { JSType . setCount ( frame , limits , cases . length ) ; for ( int j = 0 ; j < cases . length ; j ++ ) JSType . setCount ( frame , limits , cases [ j ] ) ; } } }
Encode subroutine used by toEncodedForm
38,091
private int encodedSize ( ) { int ans = 16 + 2 * indices . length ; for ( int i = 0 ; i < setCases . length ; i ++ ) { int [ ] cases = setCases [ i ] ; ans += 2 ; if ( cases != null ) ans += 2 * cases . length ; } for ( int i = 0 ; i < getCases . length ; i ++ ) { int [ ] cases = getCases [ i ] ; ans += 2 ; if ( cases != null ) ans += 2 * cases . length ; } return ans ; }
Find the number of bytes it takes to encode this CompatibilityMap
38,092
private static void violation ( JMFType from , JMFType to ) throws JMFSchemaViolationException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JmfTr . debug ( tc , "Violation:" + " from = " + from . getFeatureName ( ) + " : " + from + ", to = " + to . getFeatureName ( ) + " : " + to ) ; throw new JMFSchemaViolationException ( from . getFeatureName ( ) + " not compatible with " + to . getFeatureName ( ) ) ; }
Handle violation of the compatibility rules by throwing an informative exception
38,093
private void recordOnePair ( JSField access , JSchema accSchema , JSField encoding , JSchema encSchema ) { int acc = access . getAccessor ( accSchema ) ; if ( acc >= indices . length ) return ; indices [ acc ] = encoding . getAccessor ( encSchema ) ; }
later when maps are built for variant box schemas .
38,094
private void checkForDeletingVariant ( JMFType nonVar , JSVariant var , boolean varIsAccess , JSchema accSchema , JSchema encSchema ) throws JMFSchemaViolationException { if ( var . getCaseCount ( ) != 2 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JmfTr . debug ( this , tc , "Compatibility violation (deleting variant):" + " var CaseCount = " + var . getCaseCount ( ) + ", varIsAccess " + varIsAccess ) ; if ( varIsAccess ) { violation ( var , nonVar ) ; } else { violation ( nonVar , var ) ; } } if ( isEmpty ( var . getCase ( 1 ) ) ) { JMFType compare = var . getCase ( 0 ) ; if ( varIsAccess ) recordCompatibilityInfo ( compare , accSchema , nonVar , encSchema ) ; else recordCompatibilityInfo ( nonVar , accSchema , compare , encSchema ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) JmfTr . debug ( this , tc , "Compatibility violation (deleting variant):" + " var Case(1) not empty" ) ; if ( varIsAccess ) { violation ( var , nonVar ) ; } else { violation ( nonVar , var ) ; } } }
info stripping off the deleting variant .
38,095
private static void checkExtraFields ( JSTuple tuple , int startCol , int count ) throws JMFSchemaViolationException { for ( int i = startCol ; i < count ; i ++ ) { JMFType field = tuple . getField ( i ) ; if ( field instanceof JSVariant ) { JMFType firstCase = ( ( JSVariant ) field ) . getCase ( 0 ) ; if ( firstCase instanceof JSTuple ) if ( ( ( JSTuple ) firstCase ) . getFieldCount ( ) == 0 ) continue ; } throw new JMFSchemaViolationException ( field . getFeatureName ( ) + " not defaulting variant" ) ; } }
Check the extra columns in a tuple to make sure they are all defaultable
38,096
public StampedValue asType ( final Type type ) { StampedValue cachedValue = null ; for ( StampedValue value : typeCache ) { if ( value . getType ( ) . equals ( type ) ) { cachedValue = value ; break ; } } if ( cachedValue == null ) { StampedValue newValue = new StampedValue ( type , this , config ) ; typeCache . add ( newValue ) ; cachedValue = newValue ; } return cachedValue ; }
Check if a StampedValue already exists for the type if it does return it otherwise create a new one and add it
38,097
public static void finalizeForDeletion ( UIComponent component ) { component . getAttributes ( ) . remove ( MARK_DELETED ) ; if ( component . getChildCount ( ) > 0 ) { for ( Iterator < UIComponent > iter = component . getChildren ( ) . iterator ( ) ; iter . hasNext ( ) ; ) { UIComponent child = iter . next ( ) ; if ( child . getAttributes ( ) . containsKey ( MARK_DELETED ) ) { iter . remove ( ) ; } } } if ( component . getFacetCount ( ) > 0 ) { Map < String , UIComponent > facets = component . getFacets ( ) ; Collection < UIComponent > col = facets . values ( ) ; for ( Iterator < UIComponent > itr = col . iterator ( ) ; itr . hasNext ( ) ; ) { UIComponent fc = itr . next ( ) ; if ( fc . getAttributes ( ) . containsKey ( MARK_DELETED ) ) { itr . remove ( ) ; } } } }
Used in conjunction with markForDeletion where any UIComponent marked will be removed .
38,098
public static UIComponent findChild ( UIComponent parent , String id ) { int childCount = parent . getChildCount ( ) ; if ( childCount > 0 ) { for ( int i = 0 ; i < childCount ; i ++ ) { UIComponent child = parent . getChildren ( ) . get ( i ) ; if ( id . equals ( child . getId ( ) ) ) { return child ; } } } return null ; }
A lighter - weight version of UIComponent s findChild .
38,099
public static UIComponent findChildByTagId ( UIComponent parent , String id ) { Iterator < UIComponent > itr = null ; if ( parent . getChildCount ( ) > 0 ) { for ( int i = 0 , childCount = parent . getChildCount ( ) ; i < childCount ; i ++ ) { UIComponent child = parent . getChildren ( ) . get ( i ) ; if ( id . equals ( child . getAttributes ( ) . get ( MARK_CREATED ) ) ) { return child ; } } } if ( parent . getFacetCount ( ) > 0 ) { itr = parent . getFacets ( ) . values ( ) . iterator ( ) ; while ( itr . hasNext ( ) ) { UIComponent facet = itr . next ( ) ; if ( Boolean . TRUE . equals ( facet . getAttributes ( ) . get ( FACET_CREATED_UIPANEL_MARKER ) ) ) { if ( facet . getChildCount ( ) > 0 ) { for ( int i = 0 , childCount = facet . getChildCount ( ) ; i < childCount ; i ++ ) { UIComponent child = facet . getChildren ( ) . get ( i ) ; if ( id . equals ( child . getAttributes ( ) . get ( MARK_CREATED ) ) ) { return child ; } } } if ( facet . getFacetCount ( ) > 0 ) { Iterator < UIComponent > itr2 = facet . getFacets ( ) . values ( ) . iterator ( ) ; while ( itr2 . hasNext ( ) ) { UIComponent child = itr2 . next ( ) ; if ( id . equals ( child . getAttributes ( ) . get ( MARK_CREATED ) ) ) { return child ; } } } } else if ( id . equals ( facet . getAttributes ( ) . get ( MARK_CREATED ) ) ) { return facet ; } } } return null ; }
By TagId find Child