idx
int64 0
165k
| question
stringlengths 73
5.81k
| target
stringlengths 5
918
|
---|---|---|
163,600 | public int read ( ) throws IOException { if ( total >= limit ) { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "read" , "Over the limit: -1" ) ; } return - 1 ; } if ( pos >= count ) { fill ( ) ; if ( pos >= count ) { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "read" , pos + " >= " + count + " : -1" ) ; } return - 1 ; } } total ++ ; return buf [ pos ++ ] & 0xff ; } | Reads a byte of data . This method will block if no input is available . |
163,601 | public int read ( byte [ ] read_buffer , int offset , int length ) throws IOException { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "read" , "read length + length ) ; } if ( total >= limit ) { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "read" , "Over the limit: -1" ) ; } return - 1 ; } int buf_len = count - pos ; if ( buf_len > 0 ) { if ( buf_len >= length ) { System . arraycopy ( buf , pos , read_buffer , offset , length ) ; pos += length ; this . total += length ; if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "read" , "read returning + length ) ; } return length ; } System . arraycopy ( buf , pos , read_buffer , offset , buf_len ) ; count = pos = 0 ; offset += buf_len ; length -= buf_len ; } int bytes_read = buf_len ; int rtn = 0 ; if ( length > 0 ) { rtn = in . read ( read_buffer , offset , length ) ; } if ( rtn > 0 ) { bytes_read += rtn ; } this . total += bytes_read ; if ( bytes_read == 0 ) { bytes_read = - 1 ; } if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "read" , "read returning + bytes_read + ", total=" + total + ",limit=" + limit ) ; } return bytes_read ; } | Reads into an array of bytes . This method will block until some input is available . |
163,602 | public int readLine ( byte [ ] b , int off , int len ) throws IOException { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "readLine" , "readLine" ) ; } if ( total >= limit ) { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "readLine" , "readLine Over the limit: -1" ) ; } return - 1 ; } int avail ; int readlen ; int remain = 0 ; int newlen ; int totalread ; remain = len ; avail = count - pos ; if ( avail <= 0 ) { fill ( ) ; avail = count - pos ; if ( avail <= 0 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "readLine" , "readLine avail less than 0: -1" ) ; } return - 1 ; } } if ( avail < len ) { readlen = avail ; } else { readlen = len ; } newlen = copyLine ( buf , pos , b , off , readlen ) ; pos += newlen ; total += newlen ; remain -= newlen ; totalread = newlen ; if ( totalread == 0 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "readLine" , "readLine totalRead is 0: -1" ) ; } return - 1 ; } while ( remain > 0 && b [ off + totalread - 1 ] != '\n' ) { fill ( ) ; avail = count - pos ; if ( avail <= 0 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "readLine" , "readLine returning + totalread ) ; } return totalread ; } if ( avail < remain ) { readlen = avail ; } else { readlen = remain ; } newlen = copyLine ( buf , pos , b , off + totalread , readlen ) ; pos += newlen ; total += newlen ; remain -= newlen ; totalread += newlen ; } return totalread ; } | Reads into an array of bytes until all requested bytes have been read or a \ n is encountered in which case the \ n is read into the array as well . |
163,603 | protected void fill ( ) throws IOException { if ( TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "fill" , "fill" ) ; } long longLeft = limit - total ; int len ; if ( longLeft > Integer . MAX_VALUE ) len = buf . length ; else len = Math . min ( buf . length , ( int ) longLeft ) ; if ( len > 0 ) { len = in . read ( buf , 0 , len ) ; if ( len > 0 ) { pos = 0 ; count = len ; } } } | Fills input buffer with more bytes . |
163,604 | private String [ ] parseData ( String hashedPassword ) throws IllegalArgumentException { String [ ] items = hashedPassword . split ( ":" ) ; String error = null ; if ( items . length == 4 ) { if ( SUPPORTED_ALGORITHMS . contains ( items [ 0 ] ) ) { try { Integer . parseInt ( items [ 1 ] ) ; return items ; } catch ( Exception e ) { error = Tr . formatMessage ( tc , "JAVAEESEC_CDI_INVALID_ITERATION" , items [ 1 ] ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Invalid format: the iterations is not a number : " + items [ 1 ] ) ; } } } else { error = Tr . formatMessage ( tc , "JAVAEESEC_CDI_INVALID_ALGORITHM" , items [ 0 ] ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Invalid format: the hash algorithm is not supported : " + items [ 0 ] ) ; } } } else { error = Tr . formatMessage ( tc , "JAVAEESEC_CDI_INVALID_ELEMENTS" , items . length ) ; if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Invalid format: the number of the elements is not 4 but " + items . length ) ; } } String message = Tr . formatMessage ( tc , "JAVAEESEC_CDI_ERROR_PASSWORDHASH_INVALID_DATA" , error ) ; Tr . error ( tc , message ) ; throw new IllegalArgumentException ( message ) ; } | Parse the data by colon . Make sure that there are three colons and algorithm is one of supported ones and the 2nd param can be converted to the integer . |
163,605 | protected void parseParams ( Map < String , String > params ) { generateAlgorithm = indexOf ( PARAM_ALGORITHM , DEFAULT_ALGORITHM , SUPPORTED_ALGORITHMS , params . get ( PARAM_ALGORITHM ) ) ; generateIterations = parseInt ( PARAM_ITERATIONS , params . get ( PARAM_ITERATIONS ) , DEFAULT_ITERATIONS , MINIMUM_ITERATIONS ) ; generateSaltSize = parseInt ( PARAM_SALTSIZE , params . get ( PARAM_SALTSIZE ) , DEFAULT_SALTSIZE , MINIMUM_SALTSIZE ) ; generateKeySize = parseInt ( PARAM_KEYSIZE , params . get ( PARAM_KEYSIZE ) , DEFAULT_KEYSIZE , MINIMUM_KEYSIZE ) ; } | Parse the parameters . If the value is not set set the default if the value is invalid throw InvalidArgumentException |
163,606 | public static boolean isValidType ( Class clazz ) { if ( null == clazz ) throw new IllegalArgumentException ( ) ; if ( String . class == clazz ) return true ; if ( Boolean . class == clazz ) return true ; if ( JSONObject . class . isAssignableFrom ( clazz ) ) return true ; if ( JSONArray . class == clazz ) return true ; if ( Number . class . isAssignableFrom ( clazz ) ) return true ; return false ; } | Return whether the class is a valid type of value for a property . |
163,607 | public final void initialize ( ) throws PersistenceException , SevereMessageStoreException { PersistentMessageStore pm = _messageStore . getPersistentMessageStore ( ) ; final HashMap tupleMap = _buildTupleMap ( pm ) ; _buildStreamTree ( tupleMap ) ; _recoverStreamsWithInDoubts ( pm ) ; } | This method essentially drives the initial loading of the cache layer from the persistence layer . |
163,608 | public void commit ( ) throws XAException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "commit" , _txn ) ; if ( _tranManager . isReplayComplete ( ) ) { final int state = _txn . getTransactionState ( ) . getState ( ) ; switch ( state ) { case TransactionState . STATE_PREPARED : try { suspend ( ) ; try { _tranManager . resume ( _txn ) ; } catch ( InvalidTransactionException e ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "prepare" , new Object [ ] { "resume threw InvalidTransactionException" , e } ) ; resume ( ) ; throw new XAException ( XAException . XAER_RMERR ) ; } catch ( IllegalStateException e ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "prepare" , new Object [ ] { "resume threw IllegalStateException" , e } ) ; resume ( ) ; throw new XAException ( XAException . XAER_PROTO ) ; } _txn . getTransactionState ( ) . setState ( TransactionState . STATE_COMMITTING ) ; _txn . internalCommit ( ) ; _txn . notifyCompletion ( ) ; } catch ( HeuristicMixedException e ) { _heuristic = StatefulResource . HEURISTIC_MIXED ; } catch ( HeuristicHazardException e ) { _heuristic = StatefulResource . HEURISTIC_HAZARD ; } catch ( HeuristicRollbackException e ) { _heuristic = StatefulResource . HEURISTIC_ROLLBACK ; } catch ( SystemException e ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commit" , "internalCommit threw SystemException" ) ; throw new XAException ( XAException . XAER_RMERR ) ; } finally { resume ( ) ; } break ; case TransactionState . STATE_HEURISTIC_ON_ROLLBACK : case TransactionState . STATE_HEURISTIC_ON_COMMIT : _heuristic = _txn . getResources ( ) . getHeuristicOutcome ( ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Heuristic was: " + ResourceWrapper . printResourceStatus ( _heuristic ) ) ; break ; case TransactionState . STATE_COMMITTED : case TransactionState . STATE_COMMITTING : break ; case TransactionState . STATE_ROLLING_BACK : case TransactionState . STATE_ROLLED_BACK : _heuristic = StatefulResource . HEURISTIC_ROLLBACK ; break ; case TransactionState . STATE_NONE : break ; default : if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commit" , "transaction is not in a prepared state" ) ; throw new XAException ( XAException . XAER_PROTO ) ; } recordHeuristicOnCommit ( ) ; } else { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commit" , "throwing XAER_RMFAIL" ) ; throw new XAException ( XAException . XAER_RMFAIL ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commit" ) ; } | Informs the object that the transaction is to be committed |
163,609 | public void commitOnePhase ( ) throws XAException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "commitOnePhase" , _txn ) ; final int state = _txn . getTransactionState ( ) . getState ( ) ; switch ( state ) { case TransactionState . STATE_ACTIVE : suspend ( ) ; try { _tranManager . resume ( _txn ) ; _txn . prolongFinish ( ) ; _txn . commit_one_phase ( ) ; _txn . notifyCompletion ( ) ; } catch ( RollbackException e ) { _txn . notifyCompletion ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commitOnePhase" , "commit threw RollbackException" ) ; throw new XAException ( XAException . XA_RBROLLBACK ) ; } catch ( HeuristicMixedException e ) { _heuristic = StatefulResource . HEURISTIC_MIXED ; } catch ( HeuristicHazardException e ) { _heuristic = StatefulResource . HEURISTIC_HAZARD ; } catch ( HeuristicRollbackException e ) { _heuristic = StatefulResource . HEURISTIC_ROLLBACK ; } catch ( IllegalStateException e ) { _txn . notifyCompletion ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commitOnePhase" , "commit threw IllegalStateException" ) ; throw new XAException ( XAException . XAER_PROTO ) ; } catch ( InvalidTransactionException e ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commitOnePhase" , "commit threw InvalidTransactionException" ) ; throw new XAException ( XAException . XAER_RMERR ) ; } catch ( SystemException e ) { _txn . notifyCompletion ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commitOnePhase" , "commit threw SystemException" ) ; throw new XAException ( XAException . XAER_RMERR ) ; } finally { resume ( ) ; } break ; case TransactionState . STATE_COMMITTING : case TransactionState . STATE_COMMITTED : break ; case TransactionState . STATE_ROLLING_BACK : case TransactionState . STATE_ROLLED_BACK : case TransactionState . STATE_HEURISTIC_ON_ROLLBACK : _heuristic = StatefulResource . HEURISTIC_ROLLBACK ; break ; case TransactionState . STATE_HEURISTIC_ON_COMMIT : _heuristic = StatefulResource . HEURISTIC_COMMIT ; break ; case TransactionState . STATE_NONE : break ; default : if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commitOnePhase" , "transaction is in an incorrect state" ) ; throw new XAException ( XAException . XAER_PROTO ) ; } recordHeuristicOnCommitOnePhase ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "commitOnePhase" ) ; } | Informs the object that the transaction is to be committed in one - phase |
163,610 | public synchronized void rollback ( ) throws XAException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "rollback" , _txn ) ; if ( _prepared && ! _tranManager . isReplayComplete ( ) ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback" , "throwing XAER_RMFAIL(1)" ) ; throw new XAException ( XAException . XAER_RMFAIL ) ; } final int state = _txn . getTransactionState ( ) . getState ( ) ; switch ( state ) { case TransactionState . STATE_ACTIVE : case TransactionState . STATE_PREPARED : try { suspend ( ) ; try { _tranManager . resume ( _txn ) ; } catch ( InvalidTransactionException e ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "prepare" , new Object [ ] { "resume threw InvalidTransactionException" , e } ) ; resume ( ) ; throw new XAException ( XAException . XAER_RMERR ) ; } catch ( IllegalStateException e ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "prepare" , new Object [ ] { "resume threw IllegalStateException" , e } ) ; resume ( ) ; throw new XAException ( XAException . XAER_PROTO ) ; } _txn . getTransactionState ( ) . setState ( TransactionState . STATE_ROLLING_BACK ) ; _txn . cancelAlarms ( ) ; _txn . internalRollback ( ) ; _txn . notifyCompletion ( ) ; } catch ( IllegalStateException e ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback" , "throwing XAER_PROTO(1)" ) ; throw new XAException ( XAException . XAER_PROTO ) ; } catch ( SystemException e ) { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback" , "throwing XAER_RMERR" ) ; throw new XAException ( XAException . XAER_RMERR ) ; } catch ( HeuristicMixedException e ) { _heuristic = StatefulResource . HEURISTIC_MIXED ; } catch ( HeuristicHazardException e ) { _heuristic = StatefulResource . HEURISTIC_HAZARD ; } catch ( HeuristicCommitException e ) { _heuristic = StatefulResource . HEURISTIC_COMMIT ; } finally { resume ( ) ; } break ; case TransactionState . STATE_HEURISTIC_ON_COMMIT : case TransactionState . STATE_HEURISTIC_ON_ROLLBACK : _heuristic = _txn . getResources ( ) . getHeuristicOutcome ( ) ; break ; case TransactionState . STATE_ROLLING_BACK : case TransactionState . STATE_ROLLED_BACK : break ; case TransactionState . STATE_NONE : break ; default : _txn . notifyCompletion ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback" , "throwing XAER_PROTO(2)" ) ; throw new XAException ( XAException . XAER_PROTO ) ; } recordHeuristicOnRollback ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "rollback" ) ; } | Informs the object that the transaction is to be rolled back |
163,611 | public synchronized void forget ( ) throws XAException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "forget" , _txn ) ; if ( _tranManager . isReplayComplete ( ) ) { _heuristic = StatefulResource . NONE ; _txn . notifyCompletion ( ) ; } else { if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "forget" , "throwing XAER_RMFAIL" ) ; throw new XAException ( XAException . XAER_RMFAIL ) ; } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "forget" ) ; } | Informs the object that the transaction is to be forgotten |
163,612 | public void reset ( ) { _dstack . reset ( ) ; _current1 . reset ( ) ; _last1 . reset ( ) ; _eof = false ; _s = 0 ; _p = null ; } | Reset to post construction state . |
163,613 | private void findFirst ( DeleteStack stack ) { boolean x = optimisticFindFirst ( stack ) ; if ( x == pessimisticNeeded ) pessimisticFindFirst ( stack ) ; } | Find the first key in the index . |
163,614 | private boolean optimisticFindFirst ( DeleteStack stack ) { Object q = null ; int v1 = _index . vno ( ) ; int x1 = _index . xno ( ) ; if ( ( v1 & 1 ) != 0 ) return pessimisticNeeded ; synchronized ( this ) { } try { q = getFirst ( stack ) ; } catch ( NullPointerException npe ) { _nullPointerExceptions ++ ; return GBSTree . checkForPossibleIndexChange ( v1 , _index . vno ( ) , npe , "optimisticFindFirst" ) ; } catch ( OptimisticDepthException ode ) { _optimisticDepthExceptions ++ ; return GBSTree . checkForPossibleIndexChange ( v1 , _index . vno ( ) , ode , "optimisticFindFirst" ) ; } if ( v1 != _index . vno ( ) ) return pessimisticNeeded ; _current1 . setLocation ( q , v1 , x1 ) ; _optimisticFindFirsts ++ ; return optimisticWorked ; } | Find first key in index using optimistic locking |
163,615 | private void pessimisticFindFirst ( DeleteStack stack ) { Object q = null ; int v1 = 0 ; int x1 = 0 ; synchronized ( _index ) { q = getFirst ( stack ) ; v1 = _index . vno ( ) ; x1 = _index . xno ( ) ; _pessimisticFindFirsts ++ ; } _current1 . setLocation ( q , v1 , x1 ) ; } | Find first key in index using pessimistic locking . |
163,616 | private Object getFirst ( DeleteStack stack ) { Object q = null ; GBSNode n = leftMostChild ( stack ) ; if ( n != null ) { q = n . leftMostKey ( ) ; _current1 . setLocation ( n , 0 ) ; } return q ; } | Return first key in the index in key order if any . |
163,617 | private GBSNode leftMostChild ( DeleteStack stack ) { GBSNode p ; p = _index . root ( ) ; GBSNode lastl = null ; if ( p != null ) { stack . start ( _index . dummyTopNode ( ) , "GBSIterator.leftMostChild" ) ; lastl = leftMostChild ( stack , p ) ; } return lastl ; } | Find the left - most child of the tree by following all of the left children down to the bottom of the tree . |
163,618 | private void findNextAfterEof ( DeleteStack stack ) { if ( ! _eof ) throw new RuntimeException ( "findNextAfterEof called when _eof false." ) ; if ( _current1 . _vno != _index . vno ( ) ) { boolean state = pessimisticNeeded ; state = optimisticSearchNext ( stack ) ; if ( state == pessimisticNeeded ) pessimisticSearchNext ( stack ) ; } } | Find the next key in the index after an eof condition . |
163,619 | private boolean optimisticSearchNext ( DeleteStack stack ) { int v1 = _index . vno ( ) ; int x1 = _index . xno ( ) ; if ( ( v1 & 1 ) != 0 ) return pessimisticNeeded ; synchronized ( this ) { } try { internalSearchNext ( stack , v1 , x1 ) ; } catch ( NullPointerException npe ) { _nullPointerExceptions ++ ; return GBSTree . checkForPossibleIndexChange ( v1 , _index . vno ( ) , npe , "optimisticSearchNext" ) ; } catch ( OptimisticDepthException ode ) { _optimisticDepthExceptions ++ ; return GBSTree . checkForPossibleIndexChange ( v1 , _index . vno ( ) , ode , "optimisticSearchNext" ) ; } if ( v1 != _index . vno ( ) ) { _current1 . setVersion ( 1 ) ; return pessimisticNeeded ; } _optimisticSearchNexts ++ ; return optimisticWorked ; } | Optimistically find the next key in the index after an eof condition . |
163,620 | private void pessimisticSearchNext ( DeleteStack stack ) { synchronized ( _index ) { internalSearchNext ( stack , _index . vno ( ) , _index . xno ( ) ) ; _pessimisticSearchNexts ++ ; } } | Pessimistically find the next key in the index after an eof condition . |
163,621 | private void internalSearchNext ( DeleteStack stack , int v1 , int x1 ) { SearchComparator comp = searchComparator ( SearchComparator . GT ) ; _s = 0 ; _p = null ; _eof = true ; _current1 . setVersion ( v1 ) ; SearchNode sn = searchNode ( ) ; Object q = _index . iteratorFind ( _dstack , comp , _last1 . key ( ) , sn ) ; if ( q != null ) { _current1 . setLocation ( sn . foundNode ( ) , sn . foundIndex ( ) ) ; _current1 . setLocation ( sn . key ( ) , v1 , x1 ) ; _s = NodeStack . VISIT_RIGHT ; _p = sn . foundNode ( ) ; _eof = false ; } } | Search to re - establish current iterator position . |
163,622 | private void pessimisticGetNext ( DeleteStack stack ) { synchronized ( _index ) { internalGetNext ( stack , _index . vno ( ) , _index . xno ( ) ) ; _pessimisticGetNexts ++ ; } } | Get the next key pessimistically . |
163,623 | private GBSNode nextNode ( DeleteStack stack ) { if ( _eof ) throw new RuntimeException ( "_eof is set on entry to nextNode()" ) ; boolean done = false ; GBSNode q = null ; GBSNode nextp = null ; while ( ! done ) { if ( stack . index ( ) > GBSTree . maxDepth ) throw new OptimisticDepthException ( "maxDepth (" + GBSTree . maxDepth + ") exceeded in GBSIterator.nextNode()." ) ; switch ( _s ) { case NodeStack . VISIT_LEFT : _s = NodeStack . PROCESS_CURRENT ; q = _p . leftChild ( ) ; while ( q != null ) { stack . push ( _s , _p , "GBSIterator.nextNode:VISIT_LEFT" ) ; _p = q ; q = _p . leftChild ( ) ; } break ; case NodeStack . PROCESS_CURRENT : _s = NodeStack . VISIT_RIGHT ; done = true ; nextp = _p ; break ; case NodeStack . VISIT_RIGHT : _s = NodeStack . DONE_VISITS ; q = _p . rightChild ( ) ; if ( q != null ) { stack . push ( _s , _p , "GBSIterator.nextNode:VISIT_RIGHT" ) ; _s = NodeStack . VISIT_LEFT ; _p = _p . rightChild ( ) ; } break ; case NodeStack . DONE_VISITS : if ( stack . index ( ) <= 0 ) done = true ; else { _s = stack . state ( ) ; _p = stack . node ( ) ; stack . pop ( ) ; } break ; default : throw new RuntimeException ( "Help!, _s = " + _s + ", _p = " + _p + "." ) ; } } return nextp ; } | Find the next node in the tree in key order . |
163,624 | public Object next ( ) { _current1 . reset ( ) ; if ( _last1 . key ( ) == null ) findFirst ( _dstack ) ; else { findNext ( _dstack ) ; if ( _current1 . key ( ) == null ) _eof = true ; } if ( _current1 . key ( ) != null ) _last1 . setLocation ( _current1 ) ; return _current1 . key ( ) ; } | Return the next element in the collection . |
163,625 | public InetSocketAddress getLocalAddress ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getLocalAddress" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getLocalAddress" , "rc=" + null ) ; return null ; } | Retrieve the address of the local NIC to bind to . |
163,626 | public InetSocketAddress getRemoteAddress ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getRemoteAddress" ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getRemoteAddress" , "rc=" + remoteAddress ) ; return remoteAddress ; } | Retrieves the address of the remote address to connect to . |
163,627 | public static Number convert ( Number value , Class < ? > type ) { if ( int . class . equals ( type ) || Integer . class . equals ( type ) ) value = value . intValue ( ) ; else if ( long . class . equals ( type ) || Long . class . equals ( type ) ) value = value . longValue ( ) ; else if ( short . class . equals ( type ) || Short . class . equals ( type ) ) value = value . shortValue ( ) ; else if ( byte . class . equals ( type ) || Byte . class . equals ( type ) ) value = value . byteValue ( ) ; else if ( double . class . equals ( type ) || Double . class . equals ( type ) ) value = value . doubleValue ( ) ; else if ( float . class . equals ( type ) || Float . class . equals ( type ) ) value = value . floatValue ( ) ; return value ; } | Converts a Number value to a Integer Long Short Byte Double or Float . If unable to convert the original value is returned . |
163,628 | public static Object convert ( String str , Class < ? > type ) throws Exception { Object value ; if ( int . class . equals ( type ) || Integer . class . equals ( type ) ) value = Integer . parseInt ( str ) ; else if ( boolean . class . equals ( type ) || Boolean . class . equals ( type ) ) value = Boolean . parseBoolean ( str ) ; else if ( long . class . equals ( type ) || Long . class . equals ( type ) ) value = Long . parseLong ( str ) ; else if ( short . class . equals ( type ) || Short . class . equals ( type ) ) value = Short . parseShort ( str ) ; else if ( byte . class . equals ( type ) || Byte . class . equals ( type ) ) value = Byte . parseByte ( str ) ; else if ( double . class . equals ( type ) || Double . class . equals ( type ) ) value = Double . parseDouble ( str ) ; else if ( float . class . equals ( type ) || Float . class . equals ( type ) ) value = Float . parseFloat ( str ) ; else if ( char . class . equals ( type ) || Character . class . equals ( type ) ) value = str . charAt ( 0 ) ; else value = type . getConstructor ( String . class ) . newInstance ( str ) ; return value ; } | Converts a String value to the specified type . |
163,629 | public static byte [ ] serObjByte ( Object pk ) throws IOException { final boolean trace = TraceComponent . isAnyTracingEnabled ( ) ; if ( trace && tc . isEntryEnabled ( ) ) Tr . entry ( tc , "serObjByte" , pk == null ? null : pk . getClass ( ) ) ; byte [ ] b ; try { ByteArrayOutputStream bos = new ByteArrayOutputStream ( ) ; ObjectOutputStream out = new ObjectOutputStream ( bos ) ; out . writeObject ( pk ) ; out . flush ( ) ; out . close ( ) ; b = bos . toByteArray ( ) ; } catch ( IOException e ) { FFDCFilter . processException ( e , Utils . class . getName ( ) , "336" ) ; if ( trace && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "serObjByte" , new Object [ ] { "Unable to serialize: " + pk , e } ) ; throw e ; } catch ( Error e ) { FFDCFilter . processException ( e , Utils . class . getName ( ) , "342" ) ; if ( trace && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "serObjByte" , new Object [ ] { "Unable to serialize: " + pk , e } ) ; throw e ; } if ( trace && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "serObjByte" ) ; return b ; } | Serialize an object to a byte array . |
163,630 | public static void checkAccessibility ( String resourceName , String adapterName , String embeddedApp , String accessingApp , boolean isEndpoint ) throws ResourceException { if ( embeddedApp != null ) { if ( ! embeddedApp . equals ( accessingApp ) ) { String msg = null ; if ( isEndpoint ) { if ( accessingApp != null ) { msg = TraceNLS . getFormattedMessage ( Utils . class , tc . getResourceBundleName ( ) , "J2CA8810.embedded.activation.failed" , new Object [ ] { resourceName , adapterName , embeddedApp , accessingApp } , "J2CA8810.embedded.activation.failed" ) ; } else { msg = TraceNLS . getFormattedMessage ( Utils . class , tc . getResourceBundleName ( ) , "J2CA8812.embedded.activation.failed" , new Object [ ] { resourceName , adapterName , embeddedApp } , "J2CA8812.embedded.activation.failed" ) ; } } else { if ( accessingApp != null ) { msg = TraceNLS . getFormattedMessage ( Utils . class , tc . getResourceBundleName ( ) , "J2CA8809.embedded.lookup.failed" , new Object [ ] { resourceName , adapterName , embeddedApp , accessingApp } , "J2CA8809.embedded.lookup.failed" ) ; } else { msg = TraceNLS . getFormattedMessage ( Utils . class , tc . getResourceBundleName ( ) , "J2CA8811.embedded.lookup.failed" , new Object [ ] { resourceName , adapterName , embeddedApp } , "J2CA8811.embedded.lookup.failed" ) ; } } throw new ResourceException ( msg ) ; } } } | Check accessibility of the resource adapter from the application . |
163,631 | private Map < String , Object > getUserinfoFromRegistryMap ( Set < String > claims , Map < String , Object > inputMap , boolean isJson ) throws Exception { Map < String , Object > result = inputMap ; VMMService vmmService = JwtUtils . getVMMService ( ) ; if ( vmmService != null ) { PropertyControl vmmServiceProps = new PropertyControl ( ) ; Properties claimsToVMMProperties = new Properties ( ) ; if ( ! claims . isEmpty ( ) ) { for ( String claim : claims ) { String vmmProperty = claim ; claimsToVMMProperties . put ( claim , vmmProperty ) ; vmmServiceProps . getProperties ( ) . add ( vmmProperty ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "claimsToVMMProperties: " + claimsToVMMProperties ) ; Tr . debug ( tc , "getting VMM properties: " + vmmServiceProps . getProperties ( ) ) ; } if ( ! vmmServiceProps . getProperties ( ) . isEmpty ( ) ) { PersonAccount person = getUser ( vmmService , vmmServiceProps ) ; for ( Entry < Object , Object > e : claimsToVMMProperties . entrySet ( ) ) { String claim = ( String ) e . getKey ( ) ; String vmmProperty = ( String ) e . getValue ( ) ; Object value = person . get ( vmmProperty ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "get for claim: " + claim + " vmmProperty: " + vmmProperty + ", returned: " + value ) ; } String strValue = vmmPropertyToString ( value ) ; if ( strValue != null && ! strValue . isEmpty ( ) ) { result . put ( claim , strValue ) ; } } } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "VMM service not available - not returning any extra claims" ) ; } } return result ; } | Get the JSONObject that will be returned for userinfo endpoint from the user registry |
163,632 | @ SuppressWarnings ( "rawtypes" ) public String vmmPropertyToString ( Object value ) { String result = null ; if ( value == null || value instanceof String ) { result = ( String ) value ; } else if ( value instanceof List ) { StringBuffer strBuff = null ; for ( Object element : ( List ) value ) { String elem = element . toString ( ) ; if ( elem != null ) { if ( strBuff == null ) { strBuff = new StringBuffer ( ) ; } else { strBuff . append ( " " ) ; } strBuff . append ( elem ) ; } } if ( strBuff != null ) { result = strBuff . toString ( ) ; } } else { result = value . toString ( ) ; } return result ; } | Convert the object to a String . If it s a list create a String of the elements as Strings delimited by blanks . |
163,633 | public static String decode ( String encoded ) { if ( encoded == null ) return null ; if ( encoded . indexOf ( '%' ) == - 1 && encoded . indexOf ( '+' ) == - 1 ) return encoded ; byte holdbuffer [ ] = new byte [ encoded . length ( ) ] ; char holdchar ; int bufcount = 0 ; for ( int count = 0 ; count < encoded . length ( ) ; count ++ ) { char cur = encoded . charAt ( count ) ; if ( cur == '%' ) { holdbuffer [ bufcount ++ ] = ( byte ) Integer . parseInt ( encoded . substring ( count + 1 , count + 3 ) , 16 ) ; if ( count + 2 >= encoded . length ( ) ) count = encoded . length ( ) ; else count += 2 ; } else if ( cur == '+' ) { holdbuffer [ bufcount ++ ] = ( byte ) ' ' ; } else { holdbuffer [ bufcount ++ ] = ( byte ) cur ; } } return new String ( holdbuffer , 0 , bufcount ) ; } | Decode an URL formatted string . |
163,634 | public static String URLEncode ( String s , String enc ) { if ( s == null ) { return "null" ; } if ( enc == null ) { enc = "ISO-8859-1" ; } StringBuffer out = new StringBuffer ( s . length ( ) ) ; ByteArrayOutputStream buf = new ByteArrayOutputStream ( ) ; OutputStreamWriter writer = null ; try { writer = new OutputStreamWriter ( buf , enc ) ; } catch ( java . io . UnsupportedEncodingException ex ) { writer = new OutputStreamWriter ( buf ) ; } for ( int i = 0 ; i < s . length ( ) ; i ++ ) { int c = s . charAt ( i ) ; if ( c == ' ' ) { out . append ( '+' ) ; } else if ( isSafeChar ( c ) ) { out . append ( ( char ) c ) ; } else { try { writer . write ( c ) ; writer . flush ( ) ; } catch ( IOException e ) { buf . reset ( ) ; continue ; } byte [ ] ba = buf . toByteArray ( ) ; for ( int j = 0 ; j < ba . length ; j ++ ) { out . append ( '%' ) ; out . append ( Character . forDigit ( ( ba [ j ] >> 4 ) & 0xf , 16 ) ) ; out . append ( Character . forDigit ( ba [ j ] & 0xf , 16 ) ) ; } buf . reset ( ) ; } } return out . toString ( ) ; } | URL encodes a string based on the supplied character encoding . This performs the same function as java . next . URLEncode . encode in J2SDK1 . 4 and should be removed if the only platform supported is 1 . 4 or higher . |
163,635 | public void doStartup ( ConfigurationProvider cp , boolean isSQLRecoveryLog ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "doStartup with cp: " + cp + " and flag: " + isSQLRecoveryLog ) ; String userDirEnv = System . getenv ( "WLP_USER_DIR" ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "TMS, WLP_USER_DIR env variable is - " + userDirEnv ) ; String serverName = cp . getServerName ( ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "TMS, serverName is - " + serverName ) ; String hostName = "" ; hostName = AccessController . doPrivileged ( new PrivilegedAction < String > ( ) { public String run ( ) { String theHost = "" ; try { InetAddress addr = InetAddress . getLocalHost ( ) ; theHost = addr . getCanonicalHostName ( ) . toLowerCase ( ) ; } catch ( UnknownHostException e ) { theHost = "localhost" ; } return theHost ; } } ) ; byte [ ] theApplId = createApplicationId ( userDirEnv , serverName , hostName ) ; cp . setApplId ( theApplId ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "TMS, cp - " + cp + " set applid - " + Util . toHexString ( theApplId ) ) ; if ( ! xaFlowCallbacksInitialised ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "initialise the XA Flow callbacks" ) ; XAFlowCallbackControl . initialize ( ) ; xaFlowCallbacksInitialised = true ; } if ( cp . isRecoverOnStartup ( ) ) { try { TMHelper . start ( cp . isWaitForRecovery ( ) ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.ws.transaction.services.TransactionManagerService.doStartup" , "60" , this ) ; } } } | This method will start log recovery processing . |
163,636 | public void doShutdown ( boolean isSQLRecoveryLog ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "doShutdown with flag: " + isSQLRecoveryLog ) ; if ( isSQLRecoveryLog ) { try { TMHelper . shutdown ( ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.ws.transaction.services.TransactionManagerService.doShutdown" , "60" , this ) ; } } if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "doShutdown" ) ; } | This method will shutdown log recovery processing if we are working with transaction logs stored in an RDBMS . |
163,637 | private byte [ ] createApplicationId ( String userDir , String serverName , String hostName ) { final boolean traceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "createApplicationId" , new Object [ ] { userDir , serverName , hostName } ) ; byte [ ] result ; try { String s = userDir + serverName + hostName + System . currentTimeMillis ( ) ; result = java . security . MessageDigest . getInstance ( "SHA" ) . digest ( s . getBytes ( ) ) ; } catch ( Throwable t ) { FFDCFilter . processException ( t , "com.ibm.ws.transaction.createApplicationId" , "608" , this ) ; String tempStr = "j" + ( System . currentTimeMillis ( ) % 9997 ) + ":" + userDir + hostName ; result = tempStr . getBytes ( ) ; } if ( traceOn && tc . isEntryEnabled ( ) ) Tr . exit ( tc , "createApplicationId" , Util . toHexString ( result ) ) ; return result ; } | Returns an application identifier key which can be used as a unique component within the global identifier and branch qualifier of an XID . This method is derived from tWAS |
163,638 | public EntityManager createEntityManager ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "createEntityManager : " + this ) ; EntityManager em = getEntityManager ( false , false ) ; JPAPooledEntityManager pem = new JPAPooledEntityManager ( this , em , ivAbstractJpaComponent , true ) ; return pem ; } | Gets entity manager from pool and wraps it in an invocation type aware enlistment capable em . |
163,639 | public EntityManager createEntityManager ( Map arg0 ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "createEntityManager : " + this ) ; throw new UnsupportedOperationException ( "This operation is not supported on a pooling EntityManagerFactory." ) ; } | Pooled entity managers have their properties already defined . A provider exploiting the pool cannot use this method . |
163,640 | public Cache getCache ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "getCache : " + this ) ; throw new UnsupportedOperationException ( "This operation is not supported on a pooling EntityManagerFactory." ) ; } | Prohibit access to the cache via the pool . |
163,641 | public CriteriaBuilder getCriteriaBuilder ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "getCriteriaBuilder : " + this ) ; throw new UnsupportedOperationException ( "This operation is not supported on a pooling EntityManagerFactory." ) ; } | Prohibit access to the criteria builder via the pool . |
163,642 | public Metamodel getMetamodel ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "getMetamodel : " + this ) ; throw new UnsupportedOperationException ( "This operation is not supported on a pooling EntityManagerFactory." ) ; } | Prohibit access to the metamodel via the pool . |
163,643 | public PersistenceUnitUtil getPersistenceUnitUtil ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "getPersistenceUnitUtil : " + this ) ; throw new UnsupportedOperationException ( "This operation is not supported on a pooling EntityManagerFactory." ) ; } | Prohibit access to the persistence unit util via the pool . |
163,644 | public Map < String , Object > getProperties ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) Tr . debug ( tc , "getProperties : " + this ) ; throw new UnsupportedOperationException ( "This operation is not supported on a pooling EntityManagerFactory." ) ; } | Prohibit access to factory properties via the pool . |
163,645 | public void complete ( VirtualConnection vc , TCPReadRequestContext rsc ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "complete() called: vc=" + vc ) ; } HttpOutboundServiceContextImpl mySC = ( HttpOutboundServiceContextImpl ) vc . getStateMap ( ) . get ( CallbackIDs . CALLBACK_HTTPOSC ) ; boolean rc = false ; while ( ! rc && null != vc ) { rc = handleNewData ( mySC , vc ) ; if ( ! rc ) { vc = rsc . read ( 1 , this , false , mySC . getReadTimeout ( ) ) ; } } if ( rc ) { StatusCodes status = mySC . getResponse ( ) . getStatusCode ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "100-continue scenario received " + status ) ; } if ( status . equals ( StatusCodes . CONTINUE ) ) { mySC . resetRead ( ) ; mySC . getAppWriteCallback ( ) . complete ( vc ) ; } else { mySC . setPersistent ( false ) ; mySC . getAppWriteCallback ( ) . error ( vc , new ExpectationFailedException ( status . getIntCode ( ) + " " + mySC . getResponse ( ) . getReasonPhrase ( ) ) ) ; } } } | When the response has been received we need to parse the status line and verify that it was the 100 Continue . If it was then pass along the notification to the application channel . If it was anything else then pass an error up to the application channel using the specific Expectation - Failed exception . |
163,646 | public void error ( VirtualConnection vc , TCPReadRequestContext rsc , IOException ioe ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "error() called: vc=" + vc + " ioe=" + ioe ) ; } HttpOutboundServiceContextImpl mySC = ( HttpOutboundServiceContextImpl ) vc . getStateMap ( ) . get ( CallbackIDs . CALLBACK_HTTPOSC ) ; mySC . setPersistent ( false ) ; mySC . reConnect ( vc , ioe ) ; } | Triggered when an error occurs during the read . |
163,647 | public void doFilter ( ServletRequest request , ServletResponse response ) throws ServletException , IOException { if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "doFilter" , "entry" ) ; try { if ( ! _filtersDefined ) { invokeTarget ( request , response ) ; } else { _currentFilterIndex ++ ; if ( _currentFilterIndex < _numberOfFilters ) { FilterInstanceWrapper wrapper = ( ( FilterInstanceWrapper ) _filters . get ( _currentFilterIndex ) ) ; if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) { logger . logp ( Level . FINE , CLASS_NAME , "doFilter" , "executing filter + wrapper . getFilterName ( ) ) ; } wrapper . doFilter ( request , response , this ) ; } else { invokeTarget ( request , response ) ; } } } catch ( UnavailableException e ) { throw e ; } catch ( IOException ioe ) { throw ioe ; } catch ( ServletException e ) { Throwable t = e . getCause ( ) ; if ( t != null && t instanceof FileNotFoundException ) { logger . logp ( Level . FINE , CLASS_NAME , "doFilter" , "FileNotFound" ) ; } else { if ( webapp . getDestroyed ( ) != true ) com . ibm . wsspi . webcontainer . util . FFDCWrapper . processException ( e , "com.ibm.ws.webcontainer.filter.WebAppFilterChain.doFilter" , "82" , this ) ; else if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "doFilter" , "Can not invoke filter because application is destroyed" , e ) ; } if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "doFilter" , "exit" ) ; throw e ; } catch ( RuntimeException re ) { throw re ; } catch ( Throwable th ) { com . ibm . wsspi . webcontainer . util . FFDCWrapper . processException ( th , "com.ibm.ws.webcontainer.filter.WebAppFilterChain.doFilter" , "89" , this ) ; if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "doFilter" , "exit" ) ; throw new ServletErrorReport ( th ) ; } if ( com . ibm . ejs . ras . TraceComponent . isAnyTracingEnabled ( ) && logger . isLoggable ( Level . FINE ) ) logger . logp ( Level . FINE , CLASS_NAME , "doFilter" , "exit" ) ; } | Causes the next filter in the chain to be invoked or if at the end of the chain causes the requested resource to be invoked |
163,648 | public ClassLoader beginContextClassLoader ( ClassLoader raClassLoader ) { return raClassLoader == null ? null : AccessController . doPrivileged ( new GetAndSetContextClassLoader ( raClassLoader ) ) ; } | Set context classloader to the one for the resource adapter |
163,649 | public void endContextClassLoader ( ClassLoader raClassLoader , ClassLoader previousClassLoader ) { if ( raClassLoader != null ) { AccessController . doPrivileged ( new GetAndSetContextClassLoader ( previousClassLoader ) ) ; } } | Restore current context class loader saved when the context class loader was set to the one for the resource adapter . |
163,650 | public static ConnectionType getVCConnectionType ( VirtualConnection vc ) { if ( vc == null ) { return null ; } return ( ConnectionType ) vc . getStateMap ( ) . get ( CONNECTION_TYPE_VC_KEY ) ; } | Get the connection type from the virtual connection . |
163,651 | public static void setVCConnectionType ( VirtualConnection vc , ConnectionType connType ) { if ( vc == null || connType == null ) { return ; } Map < Object , Object > map = vc . getStateMap ( ) ; if ( vc instanceof InboundVirtualConnection && ConnectionType . isOutbound ( connType . type ) ) { throw new IllegalStateException ( "Cannot set outbound ConnectionType on inbound VirtualConnection" ) ; } else if ( vc instanceof OutboundVirtualConnection && ConnectionType . isInbound ( connType . type ) ) { throw new IllegalStateException ( "Cannot set inbound ConnectionType on outbound VirtualConnection" ) ; } map . put ( CONNECTION_TYPE_VC_KEY , connType ) ; } | Set the connection type on the virtual connection . This will overlay any preset value . |
163,652 | public static ConnectionType getConnectionType ( byte type ) { switch ( type ) { case TYPE_OUTBOUND : return OUTBOUND ; case TYPE_OUTBOUND_CR_TO_REMOTE : return OUTBOUND_CR_TO_REMOTE ; case TYPE_OUTBOUND_SR_TO_CR_REMOTE : return OUTBOUND_SR_TO_CR_REMOTE ; case TYPE_INBOUND : return INBOUND ; case TYPE_INBOUND_CR : return INBOUND_CR ; case TYPE_INTERNAL_CR_SR : return INTERNAL_CR_SR ; } return null ; } | Set the connection type on the virtual connection . |
163,653 | static public int asInt ( byte [ ] array ) { if ( null == array || 4 != array . length ) { throw new IllegalArgumentException ( "Length of the byte array should be 4" ) ; } return ( ( array [ 0 ] << 24 ) + ( ( array [ 1 ] & 255 ) << 16 ) + ( ( array [ 2 ] & 255 ) << 8 ) + ( array [ 3 ] & 255 ) ) ; } | Takes an array of 4 bytes and returns an integer that is represented by them . |
163,654 | static public byte [ ] asBytes ( int value ) { if ( 0 > value ) { throw new IllegalArgumentException ( "value cannot be less than zero" ) ; } byte [ ] result = new byte [ 4 ] ; result [ 0 ] = ( byte ) ( ( value >>> 24 ) & 0xFF ) ; result [ 1 ] = ( byte ) ( ( value >>> 16 ) & 0xFF ) ; result [ 2 ] = ( byte ) ( ( value >>> 8 ) & 0xFF ) ; result [ 3 ] = ( byte ) ( ( value ) & 0xFF ) ; return result ; } | Returns an array of 4 bytes that represent the integer . |
163,655 | static public String getEnglishString ( WsByteBuffer [ ] list ) { if ( null == list ) { return null ; } int size = 0 ; int i ; for ( i = 0 ; i < list . length && null != list [ i ] ; i ++ ) { size += list [ i ] . remaining ( ) ; } if ( 0 == size ) { return null ; } byte [ ] value = new byte [ size ] ; int offset = 0 ; for ( int x = 0 ; x < i ; x ++ ) { size = list [ x ] . remaining ( ) ; list [ x ] . get ( value , offset , size ) ; offset += size ; list [ x ] . position ( 0 ) ; } return getEnglishString ( value ) ; } | Utility method to take a list of buffers and convert their data into an English encoded string . These buffers are expected to be flipped already in that position is 0 and limit is the end of data in each one . |
163,656 | static public void dumpArrayToTraceLog ( byte [ ] arr ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "[ " ) ; if ( null == arr ) { Tr . debug ( tc , "null" ) ; } else { for ( int i = 0 ; i < arr . length ; i ++ ) { Tr . debug ( tc , arr [ i ] + " " ) ; } } Tr . debug ( tc , "]" ) ; } } | Writes the contents of the array to the trace log . |
163,657 | static public byte [ ] expandByteArray ( byte [ ] src , byte [ ] dst ) { int srcLength = ( null != src ) ? src . length : 0 ; int dstLength = ( null != dst ) ? dst . length : 0 ; return expandByteArray ( src , dst , 0 , srcLength , 0 , dstLength ) ; } | Generic method to copy the entire length of each buffer . |
163,658 | static public byte [ ] expandByteArray ( byte [ ] src , byte b ) { int srcLength = ( null != src ) ? src . length : 0 ; int totalLen = srcLength + 1 ; byte [ ] rc = new byte [ totalLen ] ; try { if ( null != src ) { System . arraycopy ( src , 0 , rc , 0 , srcLength ) ; } rc [ srcLength ] = b ; } catch ( Exception e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Exception " + e + " while copying." ) ; } rc = null ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "expandByteArray returning: [" + getEnglishString ( rc ) + "]" ) ; } return rc ; } | Helper method to append a byte to a byte array . |
163,659 | static public byte [ ] getBytes ( StringBuffer data ) { if ( null == data ) { return null ; } int len = data . length ( ) ; char [ ] chars = new char [ len ] ; data . getChars ( 0 , len , chars , 0 ) ; byte [ ] bytes = new byte [ len ] ; for ( int i = 0 ; i < len ; i ++ ) { bytes [ i ] = ( byte ) chars [ i ] ; } return bytes ; } | Utility method to get the bytes from a StringBuffer . These bytes will be in whatever encoding was in the original chars put into the string buffer object . |
163,660 | static public byte [ ] getBytes ( String input ) { if ( null != input ) { int length = input . length ( ) ; byte [ ] output = new byte [ length ] ; for ( int i = 0 ; i < length ; i ++ ) { output [ i ] = ( byte ) input . charAt ( i ) ; } return output ; } return null ; } | Simple utility to get the bytes from a String but handle a null String as well . |
163,661 | static public String getEnglishString ( byte [ ] data ) { if ( null == data ) { return null ; } char chars [ ] = new char [ data . length ] ; for ( int i = 0 ; i < data . length ; i ++ ) { chars [ i ] = ( char ) ( data [ i ] & 0xff ) ; } return new String ( chars ) ; } | Utility method to get the ISO English string from the given bytes . If this an unsupported encoding exception is thrown by the conversion then an IllegalArgumentException will be thrown . |
163,662 | static private StringBuilder formatHexData ( StringBuilder buffer , byte [ ] data , int inOffset ) { int offset = inOffset ; int end = offset + 8 ; if ( offset >= data . length ) { buffer . append ( " " ) ; return buffer ; } buffer . append ( convertHex ( ( 0xff & data [ offset ] ) / 16 ) ) ; buffer . append ( convertHex ( ( 0xff & data [ offset ] ) % 16 ) ) ; for ( ++ offset ; offset < end ; offset ++ ) { if ( offset >= data . length ) { buffer . append ( " " ) ; continue ; } buffer . append ( ' ' ) ; buffer . append ( convertHex ( ( 0xff & data [ offset ] ) / 16 ) ) ; buffer . append ( convertHex ( ( 0xff & data [ offset ] ) % 16 ) ) ; } return buffer ; } | Format the next 8 bytes of the input data starting from the offset as 2 digit hex characters . |
163,663 | static private StringBuilder formatTextData ( StringBuilder buffer , byte [ ] data , int inOffset ) { int offset = inOffset ; int end = offset + 16 ; for ( ; offset < end ; offset ++ ) { if ( offset >= data . length ) { buffer . append ( " " ) ; continue ; } if ( Character . isLetterOrDigit ( data [ offset ] ) ) { buffer . append ( ( char ) data [ offset ] ) ; } else { buffer . append ( '.' ) ; } } return buffer ; } | Format the next 16 bytes of the input data starting from the input offset as ASCII characters . Non - ASCII bytes will be printed as a period symbol . |
163,664 | static public int skipToChar ( byte [ ] data , int start , byte target ) { int index = start ; while ( index < data . length && target != data [ index ] ) { index ++ ; } return index ; } | Utility method to skip past data in an array until it runs out of space or finds the target character . |
163,665 | static public int skipToChars ( byte [ ] data , int start , byte [ ] targets ) { int index = start ; int y = 0 ; byte current ; for ( ; index < data . length ; index ++ ) { current = data [ index ] ; for ( y = 0 ; y < targets . length ; y ++ ) { if ( current == targets [ y ] ) { return index ; } } } return index ; } | Utility method to skip past data in an array until it runs out of space or finds one of the the target characters . |
163,666 | static public int skipWhiteSpace ( byte [ ] data , int start ) { int index = start + 1 ; while ( index < data . length && BNFHeaders . SPACE == data [ index ] ) { index ++ ; } return index ; } | Simple method to skip past any space characters from the starting index onwards until it finds a non - space character or the end of the buffer . Returns the index it stopped on . |
163,667 | static public int sizeOf ( WsByteBuffer [ ] list ) { if ( null == list ) { return 0 ; } int size = 0 ; for ( int i = 0 ; i < list . length ; i ++ ) { if ( null != list [ i ] ) { size += list [ i ] . remaining ( ) ; } } return size ; } | Utility method to count the total number of used bytes in the list of buffers . This would represent the size of the data if it was printed out . |
163,668 | static public byte [ ] readValue ( ObjectInput in , int len ) throws IOException { int bytesRead = 0 ; byte [ ] data = new byte [ len ] ; for ( int offset = 0 ; offset < len ; offset += bytesRead ) { bytesRead = in . read ( data , offset , len - offset ) ; if ( bytesRead == - 1 ) { throw new IOException ( "Could not retrieve " ) ; } } return data ; } | Encapsulate the logic to read an entire byte array from the input stream . |
163,669 | static public String blockContents ( byte [ ] value ) { if ( null == value ) { return null ; } char [ ] data = new char [ value . length ] ; for ( int i = 0 ; i < data . length ; i ++ ) { data [ i ] = '*' ; } return new String ( data ) ; } | Create a string that is the same length as the input but filled with characters . |
163,670 | private void handleCollectiveLogin ( X509Certificate certChain [ ] , CollectiveAuthenticationPlugin plugin , boolean collectiveCert ) throws InvalidNameException , AuthenticationException , Exception { plugin . authenticateCertificateChain ( certChain , collectiveCert ) ; X509Certificate cert = certChain [ 0 ] ; X500Principal x509Subject = cert . getSubjectX500Principal ( ) ; String accessId = AccessIdUtil . createAccessId ( AccessIdUtil . TYPE_SERVER , "collective" , x509Subject . getName ( ) ) ; username = x509Subject . getName ( ) ; authenticatedId = x509Subject . getName ( ) ; addCredentials ( accessId ) ; } | Handles a collective certificate login . |
163,671 | private void addCredentials ( String accessId ) throws Exception { temporarySubject = new Subject ( ) ; Hashtable < String , Object > hashtable = new Hashtable < String , Object > ( ) ; hashtable . put ( AttributeNameConstants . WSCREDENTIAL_UNIQUEID , AccessIdUtil . getUniqueId ( accessId ) ) ; temporarySubject . getPublicCredentials ( ) . add ( hashtable ) ; setWSPrincipal ( temporarySubject , username , accessId , WSPrincipal . AUTH_METHOD_CERTIFICATE ) ; setCredentials ( temporarySubject , username , username ) ; temporarySubject . getPublicCredentials ( ) . remove ( hashtable ) ; } | Add unique ID and call setPrincipalAndCredentials |
163,672 | private void handleUserLogin ( X509Certificate certChain [ ] ) throws RegistryException , CertificateMapNotSupportedException , CertificateMapFailedException , EntryNotFoundException , Exception { UserRegistry userRegistry = getUserRegistry ( ) ; username = userRegistry . mapCertificate ( certChain ) ; authenticatedId = userRegistry . getUniqueUserId ( username ) ; securityName = userRegistry . getUserSecurityName ( authenticatedId ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "username=[" + username + "] authenticatedId=[" + authenticatedId + "] securityName=[" + securityName + "]" ) ; } setUpTemporarySubject ( ) ; } | Handles a non - collective certificate login . |
163,673 | private BeanDiscoveryMode getBeanDiscoveryMode ( ) { if ( beanDiscoveryMode == null ) { BeansXml beansXml = getBeansXml ( ) ; beanDiscoveryMode = BeanDiscoveryMode . ANNOTATED ; if ( beansXml != null ) { beanDiscoveryMode = beansXml . getBeanDiscoveryMode ( ) ; } else if ( ( cdiRuntime . isImplicitBeanArchivesScanningDisabled ( this . archive ) || isExtension ( ) ) ) { beanDiscoveryMode = BeanDiscoveryMode . NONE ; } } return beanDiscoveryMode ; } | Determine the bean deployment archive scanning mode If there is a beans . xml the bean discovery mode will be used . If there is no beans . xml the mode will be annotated unless the enableImplicitBeanArchives is configured as false via the server . xml . If there is no beans . xml and the enableImplicitBeanArchives attribute on cdi12 is configured to false the scanning mode is none . If there is no beans . xml and this archive is an extension the bean discovery mode is none . |
163,674 | private void removeVetoedClasses ( Set < Class < ? > > classes ) { Set < String > classNames = new HashSet < String > ( ) ; for ( Class < ? > clazz : classes ) { classNames . add ( clazz . getName ( ) ) ; } Collection < String > includedClasses = WeldCDIUtils . filterClassesBasedOnBeansXML ( this . beansXml , this . resourceLoader , classNames ) ; Iterator < Class < ? > > iterator = classes . iterator ( ) ; while ( iterator . hasNext ( ) ) { Class < ? > clazz = iterator . next ( ) ; if ( WeldCDIUtils . isClassVetoed ( clazz ) ) { iterator . remove ( ) ; } else if ( ! includedClasses . contains ( clazz . getName ( ) ) ) { iterator . remove ( ) ; } } } | Need to removed the vetoed classes from the set so that we can ignore them |
163,675 | private ControllableSubscription getSubscription ( String id ) throws SIMPControllableNotFoundException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getSubscription" , id ) ; SIBUuid12 uuid = new SIBUuid12 ( id ) ; SubscriptionTypeFilter filter = new SubscriptionTypeFilter ( ) ; filter . LOCAL = Boolean . TRUE ; ControllableSubscription sub = getSubscriptionIndex ( ) . findByUuid ( uuid , filter ) ; if ( sub == null ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getLocalSubscriptionControlByID" , "SIMPControllableNotFoundException" ) ; throw new SIMPControllableNotFoundException ( nls . getFormattedMessage ( "SUBSCRIPTION_NOT_FOUND_ERROR_CWSIP0271" , new Object [ ] { id } , null ) ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getSubscription" , sub ) ; return sub ; } | Gets and returns the subscription based on the id . |
163,676 | @ SuppressWarnings ( "unused" ) protected void activate ( ComponentContext context ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Activating the HTTP pipeline event handler" ) ; } } | DS method for activation of this service component . |
163,677 | @ SuppressWarnings ( "unused" ) protected void deactivate ( ComponentContext context ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Deactivating the HTTP pipeline event handler" ) ; } } | DS method for deactivation of this service component . |
163,678 | static public byte [ ] getEnglishBytes ( String data ) { if ( null == data ) { return null ; } char [ ] chars = data . toCharArray ( ) ; byte [ ] bytes = new byte [ chars . length ] ; for ( int i = 0 ; i < chars . length ; i ++ ) { bytes [ i ] = ( byte ) chars [ i ] ; } return bytes ; } | Utility method to get ISO english encoded bytes from the input string . |
163,679 | static public String getEnglishString ( byte [ ] data , int start , int end ) { int len = end - start ; if ( 0 >= len || null == data ) { return null ; } char chars [ ] = new char [ len ] ; for ( int i = start ; i < end ; i ++ ) { chars [ i ] = ( char ) ( data [ i ] & 0xff ) ; } return new String ( chars ) ; } | Utility method to get the ISO English string from the given bytes . |
163,680 | public void createInterceptorInstances ( InjectionEngine injectionEngine , Object [ ] interceptors , ManagedObjectContext managedObjectContext , ManagedBeanOBase targetContext ) throws Exception { final boolean isTraceOn = TraceComponent . isAnyTracingEnabled ( ) ; if ( isTraceOn && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "createInterceptorInstances" ) ; } if ( ivInterceptorClasses != null ) { int numberOfInterceptors = ivInterceptorClasses . length ; for ( int i = 0 ; i < numberOfInterceptors ; i ++ ) { if ( ivInterceptorFactories == null || ivInterceptorFactories [ i ] == null ) { interceptors [ i ] = createInterceptorInstanceUsingConstructor ( injectionEngine , ivInterceptorClasses [ i ] , ivInterceptorInjectionTargets [ i ] , targetContext ) ; } else { interceptors [ i ] = createInterceptorInstancesUsingMOF ( ivInterceptorInjectionTargets [ i ] , managedObjectContext , targetContext , ivInterceptorFactories [ i ] ) ; } } } if ( isTraceOn && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "createInterceptorInstances" ) ; } } | Create the interceptor instances associated with this enterprise bean instance . The lifetime of interceptor instances is identical to lifetime of the EJB instance . |
163,681 | public void run ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "run" ) ; } try { framework . stopChain ( chainName , 0L ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , getClass ( ) . getName ( ) + ".run" , "68" , this , new Object [ ] { chainName } ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "run" ) ; } } | This method will be called when the secondsToWait expires after this task has been placed in the channel framework s timer . |
163,682 | public String [ ] getOptionValues ( ) { String [ ] values = new String [ valueOptions . size ( ) ] ; for ( int i = 0 ; i < values . length ; i ++ ) { values [ i ] = valueOptions . get ( i ) [ 0 ] ; } return values ; } | return only values from option |
163,683 | public String [ ] getOptionLabels ( ) { String [ ] labels = new String [ valueOptions . size ( ) ] ; for ( int i = 0 ; i < labels . length ; i ++ ) { labels [ i ] = valueOptions . get ( i ) [ 1 ] ; } return labels ; } | return only labels from option |
163,684 | private SubscriptionMessage createSubscriptionMessage ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "createSubscriptionMessage" ) ; ControlMessageFactory factory = null ; SubscriptionMessage subscriptionMessage = null ; try { factory = MessageProcessor . getControlMessageFactory ( ) ; subscriptionMessage = factory . createNewSubscriptionMessage ( ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.proxyhandler.SubscriptionMessageHandler.createSubscriptionMessage" , "1:162:1.34" , this ) ; SibTr . exception ( tc , e ) ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createSubscriptionMessage" , subscriptionMessage ) ; return subscriptionMessage ; } | This method creates the subscription control message |
163,685 | private void reset ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "reset" ) ; if ( iInitialised ) { iTopics . clear ( ) ; iTopicSpaces . clear ( ) ; iTopicSpaceMappings . clear ( ) ; iSubscriptionMessage = createSubscriptionMessage ( ) ; } else { iInitialised = true ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "reset" ) ; } | Resets the complete message state |
163,686 | protected void resetCreateSubscriptionMessage ( MESubscription subscription , boolean isLocalBus ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "resetCreateSubscriptionMessage" , new Object [ ] { subscription , new Boolean ( isLocalBus ) } ) ; reset ( ) ; iSubscriptionMessage . setSubscriptionMessageType ( SubscriptionMessageType . CREATE ) ; iTopics . add ( subscription . getTopic ( ) ) ; if ( isLocalBus ) { iTopicSpaces . add ( subscription . getTopicSpaceUuid ( ) . toString ( ) ) ; } else { iTopicSpaces . add ( subscription . getTopicSpaceName ( ) . toString ( ) ) ; } iTopicSpaceMappings . add ( subscription . getForeignTSName ( ) ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "resetCreateSubscriptionMessage" ) ; } | Method to reset the Subscription message object and reinitialise it as a create proxy subscription message |
163,687 | protected void resetDeleteSubscriptionMessage ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "resetDeleteSubscriptionMessage" ) ; reset ( ) ; iSubscriptionMessage . setSubscriptionMessageType ( SubscriptionMessageType . DELETE ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "resetDeleteSubscriptionMessage" ) ; } | Method to reset the Subscription message object and reinitialise it as a delete proxy subscription message . |
163,688 | protected void resetResetSubscriptionMessage ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "resetResetSubscriptionMessage" ) ; reset ( ) ; iSubscriptionMessage . setSubscriptionMessageType ( SubscriptionMessageType . RESET ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "resetResetSubscriptionMessage" ) ; } | Method to reset the Subscription message object and reinitialise it as a Reset proxy subscription message |
163,689 | protected void resetReplySubscriptionMessage ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "resetReplySubscriptionMessage" ) ; reset ( ) ; iSubscriptionMessage . setSubscriptionMessageType ( SubscriptionMessageType . REPLY ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "resetReplySubscriptionMessage" ) ; } | Method to reset the Subscription message object and reinitialise it as a Reply proxy subscription message |
163,690 | protected void addSubscriptionToMessage ( MESubscription subscription , boolean isLocalBus ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "addSubscriptionToMessage" , new Object [ ] { subscription , new Boolean ( isLocalBus ) } ) ; iTopics . add ( subscription . getTopic ( ) ) ; if ( isLocalBus ) { iTopicSpaces . add ( subscription . getTopicSpaceUuid ( ) . toString ( ) ) ; } else { iTopicSpaces . add ( subscription . getTopicSpaceName ( ) . toString ( ) ) ; } iTopicSpaceMappings . add ( subscription . getForeignTSName ( ) ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "addSubscriptionToMessage" ) ; } | Adds a subscription to the proxy message that is to be sent . |
163,691 | protected SubscriptionMessage getSubscriptionMessage ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "getSubscriptionMessage" ) ; iSubscriptionMessage . setTopics ( iTopics ) ; iSubscriptionMessage . setMEName ( iMEName ) ; iSubscriptionMessage . setMEUUID ( iMEUUID . toByteArray ( ) ) ; iSubscriptionMessage . setBusName ( iBusName ) ; iSubscriptionMessage . setReliability ( Reliability . ASSURED_PERSISTENT ) ; iSubscriptionMessage . setTopicSpaces ( iTopicSpaces ) ; iSubscriptionMessage . setTopicSpaceMappings ( iTopicSpaceMappings ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "getSubscriptionMessage" , new Object [ ] { iTopics , iMEName , iMEUUID , iBusName , iTopicSpaces , iTopicSpaceMappings } ) ; return iSubscriptionMessage ; } | Method to return the Subscription Message to be sent to the Neighbouring ME s |
163,692 | private void auditEventSafAuthDetails ( Object [ ] methodParams ) { Object [ ] varargs = ( Object [ ] ) methodParams [ 1 ] ; int safReturnCode = ( Integer ) varargs [ 0 ] ; int racfReturnCode = ( Integer ) varargs [ 1 ] ; int racfReasonCode = ( Integer ) varargs [ 2 ] ; String userSecurityName = ( String ) varargs [ 3 ] ; String safProfile = ( String ) varargs [ 4 ] ; String safClass = ( String ) varargs [ 5 ] ; Boolean authDecision = ( Boolean ) varargs [ 6 ] ; String principalName = ( String ) varargs [ 7 ] ; String applid = ( String ) varargs [ 8 ] ; if ( auditServiceRef . getService ( ) != null && auditServiceRef . getService ( ) . isAuditRequired ( AuditConstants . SECURITY_SAF_AUTHZ_DETAILS , AuditConstants . SUCCESS ) ) { SAFAuthorizationDetailsEvent safAuthDetails = new SAFAuthorizationDetailsEvent ( safReturnCode , racfReturnCode , racfReasonCode , userSecurityName , applid , safProfile , safClass , authDecision , principalName ) ; auditServiceRef . getService ( ) . sendEvent ( safAuthDetails ) ; } } | Handles audit event for SECURITY_SAF_AUTH_DETAILS |
163,693 | private String [ ] getValues ( Object propValue ) { String [ ] keys = null ; if ( propValue instanceof String ) { keys = new String [ ] { ( String ) propValue } ; } else if ( propValue instanceof String [ ] ) { keys = ( String [ ] ) propValue ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( this , tc , "Ignoring property with value: " + propValue ) ; } return null ; } for ( String key : keys ) { if ( ! key . startsWith ( "/" ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( this , tc , "Ignoring property with value: " + key + " as it does not start with slash ('/')" ) ; } return null ; } if ( key . isEmpty ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEventEnabled ( ) ) { Tr . event ( this , tc , "Ignoring proerty with value: " + key + " as it is empty" ) ; } return null ; } } return keys ; } | Gets a set of values for a given property |
163,694 | public HandlerInfo getHandler ( String requestURL ) { Iterator < HandlerPath > keys = handlerKeys . iterator ( ) ; if ( requestURL == null || keys == null ) { return null ; } Iterator < ServiceAndServiceReferencePair < RESTHandler > > itr = handlerMap . getServicesWithReferences ( requestURL ) ; if ( itr != null && itr . hasNext ( ) ) { ServiceAndServiceReferencePair < RESTHandler > handler = itr . next ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Found direct URL match: " + handler ) ; } return new HandlerInfo ( handler . getService ( ) , handler . getServiceReference ( ) ) ; } HandlerPath bestMatchRoot = null ; while ( keys . hasNext ( ) ) { HandlerPath key = keys . next ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Checking HandlerPath: " + key . getRegisteredPath ( ) + " | length: " + key . length ( ) ) ; } if ( key . matches ( requestURL ) ) { if ( bestMatchRoot == null || key . length ( ) > bestMatchRoot . length ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "New best match: " + key . getRegisteredPath ( ) ) ; } bestMatchRoot = key ; } } } if ( bestMatchRoot != null ) { itr = handlerMap . getServicesWithReferences ( bestMatchRoot . getRegisteredPath ( ) ) ; if ( itr != null && itr . hasNext ( ) ) { ServiceAndServiceReferencePair < RESTHandler > handler = itr . next ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( this , tc , "Final best handler: " + handler ) ; } return new HandlerInfo ( handler . getService ( ) , handler . getServiceReference ( ) , bestMatchRoot ) ; } } return null ; } | Try to find the appropriate RESTHandler and HandlerPath pair for the given URL . Return null if no match found . May return null for the HandlerPath field if the RESTHandler matched an URL that did not contain variables . |
163,695 | public Iterator < String > registeredKeys ( ) { Iterator < HandlerPath > paths = handlerKeys . iterator ( ) ; List < String > registeredKeys = new ArrayList < String > ( handlerKeys . size ( ) ) ; while ( paths . hasNext ( ) ) { HandlerPath path = paths . next ( ) ; if ( ! path . isHidden ( ) ) { registeredKeys . add ( path . getRegisteredPath ( ) ) ; } } return registeredKeys . iterator ( ) ; } | Return our registered keys . |
163,696 | synchronized public Element get ( long index ) { int bind = ( ( int ) index & Integer . MAX_VALUE ) % buckets . length ; Element [ ] bucket = buckets [ bind ] ; if ( bucket == null ) return null ; for ( int i = 0 ; i < counts [ bind ] ; i ++ ) if ( bucket [ i ] . getIndex ( ) == index ) return bucket [ i ] ; return null ; } | Get an element from the array |
163,697 | synchronized public void set ( Element value ) { int bind = ( ( int ) value . getIndex ( ) & Integer . MAX_VALUE ) % buckets . length ; Element [ ] bucket = buckets [ bind ] ; int count = counts [ bind ] ; if ( bucket == null ) buckets [ bind ] = bucket = new Element [ initBucketSize ] ; else if ( bucket . length == count ) { bucket = new Element [ count * 2 ] ; System . arraycopy ( buckets [ bind ] , 0 , bucket , 0 , count ) ; buckets [ bind ] = bucket ; } bucket [ count ] = value ; counts [ bind ] = count + 1 ; totalSize += 1 ; } | Set an element into the array |
163,698 | synchronized public Object [ ] toArray ( Object [ ] values ) { int count = 0 ; for ( int bind = 0 ; bind < buckets . length ; bind ++ ) { if ( counts [ bind ] > 0 ) System . arraycopy ( buckets [ bind ] , 0 , values , count , counts [ bind ] ) ; count += counts [ bind ] ; } return values ; } | Return the contents of the HashedArray as an array |
163,699 | @ SuppressWarnings ( "unchecked" ) private < T > T getProperty ( Map < String , Object > properties , String name , T deflt ) { T value = deflt ; try { T prop = ( T ) properties . get ( name ) ; if ( prop != null ) { value = prop ; } } catch ( ClassCastException e ) { } return value ; } | get a property and if not set use the supplied default |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.