idx
int64
0
165k
question
stringlengths
73
5.81k
target
stringlengths
5
918
164,500
private void parseLocationStep ( String selector , int start , int stepEnd ) throws InvalidXPathSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "parseLocationStep" , "selector: " + selector + ", start: " + start + ", end: " + stepEnd ) ; int stepStart = start ; int posOpenBracket = selector . indexOf ( "[" , start ) ; if ( posOpenBracket > stepEnd || posOpenBracket == - 1 ) { posOpenBracket = - 1 ; String step = selector . substring ( start , stepEnd ) ; String full = selector . substring ( 0 , stepEnd ) ; selOperands . add ( createIdentifierForSubExpression ( step , full , true , false ) ) ; } int posCloseBracket = selector . indexOf ( "]" , start ) ; boolean wrapWholeStep = false ; boolean foundPredicates = false ; ArrayList tempSelOperands = new ArrayList ( ) ; while ( posOpenBracket >= 0 ) { foundPredicates = true ; if ( posCloseBracket < posOpenBracket ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "parseLocationStep" , "bracket error" ) ; InvalidXPathSyntaxException iex = new InvalidXPathSyntaxException ( selector ) ; FFDC . processException ( cclass , "com.ibm.ws.sib.matchspace.selector.impl.XPath10ParserImpl" , iex , "1:372:1.16" ) ; throw iex ; } else { String full = selector . substring ( 0 , posOpenBracket ) ; if ( start != posOpenBracket ) { String step = selector . substring ( start , posOpenBracket ) ; tempSelOperands . add ( createIdentifierForSubExpression ( step , full , true , false ) ) ; } String predicate = selector . substring ( posOpenBracket + 1 , posCloseBracket ) ; Selector parsedPredicate = parsePredicate ( predicate , full ) ; if ( parsedPredicate == null ) { wrapWholeStep = true ; break ; } else { if ( ! Matching . isSimple ( parsedPredicate ) ) { wrapWholeStep = true ; break ; } parsedPredicate . setExtended ( ) ; tempSelOperands . add ( parsedPredicate ) ; } } start = posCloseBracket + 1 ; posOpenBracket = selector . indexOf ( "[" , start ) ; posCloseBracket = selector . indexOf ( "]" , start ) ; if ( posOpenBracket > stepEnd || posOpenBracket == - 1 ) { posOpenBracket = - 1 ; } } if ( foundPredicates ) { if ( wrapWholeStep ) wrapLocationStep ( selector , stepStart , stepEnd ) ; else { selOperands . addAll ( tempSelOperands ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "parseLocationStep" ) ; }
Break a location step into predicates that can be driven against the MatchParser .
164,501
private IdentifierImpl createIdentifierForSubExpression ( String subExpression , String fullExpression , boolean isLocationStep , boolean isLastStep ) throws InvalidXPathSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "createIdentifierForSubExpression" , "subExpression: " + subExpression + ", isLocStep: " + new Boolean ( isLocationStep ) + ", isLastStep: " + new Boolean ( isLocationStep ) ) ; IdentifierImpl stepIdentifier = new IdentifierImpl ( subExpression ) ; stepIdentifier . setFullName ( fullExpression ) ; if ( isLocationStep ) locationStep ++ ; setXPathCharacteristics ( stepIdentifier ) ; if ( ! isLastStep ) stepIdentifier . setType ( Selector . CHILD ) ; else stepIdentifier . setType ( Selector . BOOLEAN ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "createIdentifierForSubExpression" , stepIdentifier ) ; return stepIdentifier ; }
When we ve isolated a subexpression we wrap it in an Identifier .
164,502
private IdentifierImpl createIdentifierForWildExpression ( String selector ) throws InvalidXPathSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "createIdentifierForWildExpression" , "selector: " + selector ) ; IdentifierImpl wildIdentifier = new IdentifierImpl ( selector ) ; setXPathCharacteristics ( wildIdentifier ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "createIdentifierForSubExpression" , wildIdentifier ) ; return wildIdentifier ; }
Wrap a selector with a multilevel wildcard in an Identifier .
164,503
private void setXPathCharacteristics ( IdentifierImpl identifier ) throws InvalidXPathSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "setXPathCharacteristics" , "identifier: " + identifier ) ; identifier . setSelectorDomain ( 2 ) ; identifier . setStep ( locationStep ) ; XPathExpression xpexp = null ; try { Node node = null ; NodeList ns = null ; XPath xpath0 = XPathFactory . newInstance ( ) . newXPath ( ) ; if ( namespaceContext != null ) xpath0 . setNamespaceContext ( namespaceContext ) ; xpexp = xpath0 . compile ( identifier . getName ( ) ) ; } catch ( Exception ex ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "setXPathCharacteristics" , ex ) ; throw new InvalidXPathSyntaxException ( identifier . getName ( ) ) ; } identifier . setCompiledExpression ( xpexp ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "setXPathCharacteristics" ) ; }
Configure the Identifier with appropriate XPath parameters .
164,504
private Selector parsePredicate ( String predicate , String fullPath ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "parsePredicate" , "predicate: " + predicate ) ; Selector parsed = null ; try { String parserInput = preProcessForSpecials ( predicate ) ; predicateParser = MatchParserImpl . prime ( predicateParser , parserInput , true ) ; parsed = predicateParser . getSelector ( parserInput ) ; if ( parsed . getType ( ) == Selector . INVALID ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) tc . debug ( this , cclass , "parsePredicate" , "Unable to parse predicate" ) ; parsed = null ; } else { postProcessSelectorTree ( parsed , fullPath ) ; } } catch ( Exception ex ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) tc . debug ( this , cclass , "parsePredicate" , ex ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "parsePredicate" , parsed ) ; return parsed ; }
Attempt to parse an isolated predicate using the MatchParser .
164,505
private String preProcessForSpecials ( String predicate ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "preProcessForSpecials" , "predicate: " + predicate ) ; String processed = predicate ; String replace = replaceSpecialsWithSub ( predicate ) ; if ( replace != null ) { processed = replace ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "preProcessForSpecials" , processed ) ; return processed ; }
Locate and replace any special characters that are going to cause problems fr the MatchParser .
164,506
private void postProcessSelectorTree ( Selector parsed , String fullPath ) throws InvalidXPathSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "postProcessSelectorTree" , "parsed: " + parsed + ", fullPath: " + fullPath ) ; if ( parsed instanceof IdentifierImpl ) { IdentifierImpl parsedIdentifier = ( IdentifierImpl ) parsed ; String identName = parsedIdentifier . getName ( ) ; String newIdentName = replaceSubForSpecials ( identName ) ; if ( newIdentName != null ) { parsedIdentifier . setName ( newIdentName ) ; parsedIdentifier . setFullName ( fullPath + newIdentName ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) tc . debug ( this , cclass , "postProcessSelectorTree" , "Identifier name has been reset to: " + ( ( IdentifierImpl ) parsed ) . getName ( ) ) ; } else { parsedIdentifier . setFullName ( fullPath + identName ) ; } setXPathCharacteristics ( ( IdentifierImpl ) parsed ) ; } else if ( parsed instanceof OperatorImpl ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) tc . debug ( this , cclass , "postProcessSelectorTree" , parsed + " is an OperatorImpl" ) ; parsed . setExtended ( ) ; postProcessOperands ( ( OperatorImpl ) parsed , fullPath ) ; } else if ( parsed instanceof LiteralImpl ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) tc . debug ( this , cclass , "postProcessSelectorTree" , parsed + " is an LiteralImpl" ) ; LiteralImpl literal = ( LiteralImpl ) parsed ; if ( literal . getType ( ) == Selector . STRING ) { String literalString = ( String ) literal . getValue ( ) ; String newLiteralString = replaceSubForSpecials ( literalString ) ; if ( newLiteralString != null ) { ( ( LiteralImpl ) parsed ) . value = newLiteralString ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) tc . debug ( this , cclass , "postProcessSelectorTree" , "Literal Value has been reset to: " + ( ( LiteralImpl ) parsed ) . getValue ( ) ) ; } } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) tc . debug ( this , cclass , "postProcessSelectorTree" , "No post processing can be done on: " + parsed ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "postProcessSelectorTree" ) ; }
Handle special character substitution .
164,507
private void postProcessOperands ( OperatorImpl opImpl , String fullPath ) throws InvalidXPathSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "postProcessOperands" , "opImpl: " + opImpl + ", fullPath: " + fullPath ) ; for ( int i = 0 ; i < opImpl . operands . length ; i ++ ) { Selector sel = opImpl . operands [ i ] ; postProcessSelectorTree ( sel , fullPath ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "postProcessOperands" ) ; }
Traverse an Operator tree handling special character substitution .
164,508
private String replaceSpecialsWithSub ( String inString ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "replaceSpecialsWithSub" , "inString: " + inString ) ; String outString = null ; StringBuffer sb = null ; int posAmpersand = inString . indexOf ( "@" ) ; if ( posAmpersand >= 0 ) { sb = new StringBuffer ( inString ) ; } while ( posAmpersand >= 0 ) { sb . replace ( posAmpersand , posAmpersand + 1 , "_$AMP$_" ) ; int start = posAmpersand + 1 ; posAmpersand = sb . indexOf ( "@" , start ) ; } int posSlash = inString . indexOf ( "/" ) ; if ( posSlash >= 0 && sb == null ) { sb = new StringBuffer ( inString ) ; } while ( posSlash >= 0 ) { sb . replace ( posSlash , posSlash + 1 , "_$SL$_" ) ; int start = posSlash + 1 ; posSlash = sb . indexOf ( "/" , start ) ; } int posDD = inString . indexOf ( ".." ) ; if ( posDD >= 0 && sb == null ) { sb = new StringBuffer ( inString ) ; } while ( posDD >= 0 ) { sb . replace ( posDD , posDD + 2 , "_$DD$_" ) ; int start = posDD + 1 ; posDD = sb . indexOf ( ".." , start ) ; } int posSD = - 1 ; if ( sb != null ) posSD = sb . indexOf ( "." ) ; else { posSD = inString . indexOf ( "." ) ; if ( posSD >= 0 ) { sb = new StringBuffer ( inString ) ; } } while ( posSD >= 0 ) { int start = posSD + 1 ; if ( start < sb . length ( ) && Character . isDigit ( sb . charAt ( posSD + 1 ) ) ) { posSD = - 1 ; } else { if ( posSD > 0 ) { if ( Character . isDigit ( sb . charAt ( posSD - 1 ) ) ) { posSD = - 1 ; } } } if ( posSD >= 0 ) { sb . replace ( posSD , posSD + 1 , "_$SD$_" ) ; } posSD = sb . indexOf ( "." , start ) ; } if ( sb != null ) { outString = sb . toString ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "replaceSpecialsWithSub" , outString ) ; return outString ; }
Replace special characters in the string with substitutions .
164,509
private String replaceSubForSpecials ( String inString ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "replaceSubForSpecials" , "inString: " + inString ) ; String outString = null ; StringBuffer sb = null ; int posAmpersand = inString . indexOf ( "_$AMP$_" ) ; if ( posAmpersand >= 0 ) { sb = new StringBuffer ( inString ) ; } while ( posAmpersand >= 0 ) { sb . replace ( posAmpersand , posAmpersand + 7 , "@" ) ; int start = posAmpersand + 1 ; posAmpersand = sb . indexOf ( "_$AMP$_" , start ) ; } int posSlash = inString . indexOf ( "_$SL$_" ) ; if ( posSlash >= 0 && sb == null ) { sb = new StringBuffer ( inString ) ; } while ( posSlash >= 0 ) { sb . replace ( posSlash , posSlash + 6 , "/" ) ; int start = posSlash + 1 ; posSlash = sb . indexOf ( "_$SL$_" , start ) ; } int posDD = inString . indexOf ( "_$DD$_" ) ; if ( posDD >= 0 && sb == null ) { sb = new StringBuffer ( inString ) ; } while ( posDD >= 0 ) { sb . replace ( posDD , posDD + 6 , ".." ) ; int start = posDD + 2 ; posDD = sb . indexOf ( "_$DD$_" , start ) ; } int posSD = inString . indexOf ( "_$SD$_" ) ; if ( posSD >= 0 && sb == null ) { sb = new StringBuffer ( inString ) ; } while ( posSD >= 0 ) { sb . replace ( posSD , posSD + 6 , "." ) ; int start = posSD + 1 ; posSD = sb . indexOf ( "_$SD$_" , start ) ; } if ( sb != null ) { outString = sb . toString ( ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "replaceSubForSpecials" , outString ) ; return outString ; }
Replace substitutions in the string with the original special characters .
164,510
private void wrapLocationStep ( String selector , int start , int stepEnd ) throws InvalidXPathSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "wrapLocationStep" , "selector: " + selector + ", start: " + start + ", stepEnd: " + stepEnd ) ; String step = selector . substring ( start , stepEnd ) ; String full = selector . substring ( 0 , stepEnd ) ; selOperands . add ( createIdentifierForSubExpression ( step , full , true , false ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "wrapLocationStep" ) ; }
Wrap a location step in an Identifier .
164,511
private void wrapLastLocationStep ( String selector , int start , boolean bumpLocationStep ) throws InvalidXPathSyntaxException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . entry ( cclass , "wrapLastLocationStep" , "selector: " + selector + ", start: " + start + ", bumpLocationStep: " + new Boolean ( bumpLocationStep ) ) ; int stepEnd = selector . length ( ) ; String step = selector . substring ( start , stepEnd ) ; String full = selector . substring ( 0 , stepEnd ) ; selOperands . add ( createIdentifierForSubExpression ( step , full , bumpLocationStep , true ) ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) tc . exit ( this , cclass , "wrapLastLocationStep" ) ; }
Wrap the last location step in an Identifier .
164,512
public void addChain ( ChainData newChain ) throws ChainException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "addChain: " + newChain . getName ( ) ) ; } if ( containsChain ( newChain . getName ( ) ) ) { ChainException e = new ChainException ( "Chain already exists: " + newChain . getName ( ) ) ; FFDCFilter . processException ( e , getClass ( ) . getName ( ) + ".addChain" , "116" , this , new Object [ ] { newChain } ) ; throw e ; } int currentLength = this . chainArray . length ; ChainData [ ] newChains = new ChainData [ currentLength + 1 ] ; System . arraycopy ( getChains ( ) , 0 , newChains , 0 , currentLength ) ; newChains [ currentLength ] = newChain ; setChains ( newChains ) ; for ( ChainEventListener listener : getChainEventListeners ( ) ) { ( ( ChainDataImpl ) newChain ) . addChainEventListener ( listener ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "addChain" ) ; } }
Adds the input chain to the group . All chain event listeners associated with the group are also added to the chain .
164,513
public void removeChain ( ChainData inputChain ) throws ChainException { String chainname = inputChain . getName ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . entry ( tc , "removeChain: " + chainname ) ; } if ( ! containsChain ( chainname ) ) { ChainException e = new ChainException ( "Unable to find chain: " + chainname ) ; FFDCFilter . processException ( e , getClass ( ) . getName ( ) + ".removeChain" , "157" , this , new Object [ ] { inputChain , this . framework } ) ; throw e ; } int currentLength = this . chainArray . length ; ChainData [ ] newChains = new ChainData [ currentLength - 1 ] ; for ( int i = 0 ; i < currentLength ; i ++ ) { if ( ! chainname . equals ( this . chainArray [ i ] . getName ( ) ) ) { newChains [ i ] = this . chainArray [ i ] ; } } setChains ( newChains ) ; for ( ChainEventListener listener : getChainEventListeners ( ) ) { removeListenerFromChain ( listener , inputChain ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) { Tr . exit ( tc , "removeChain" ) ; } }
Removes the input chain from the group . All group chain event listeners all also removed from the chain unless the chain is in another group which is associated with the listener .
164,514
public void updateChain ( ChainData inputChain ) { String chainname = inputChain . getName ( ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "updateChain: " + chainname ) ; } for ( int i = 0 ; i < this . chainArray . length ; i ++ ) { if ( chainname . equals ( this . chainArray [ i ] . getName ( ) ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Updating chain " + chainname + " in group " + getName ( ) ) ; } this . chainArray [ i ] = inputChain ; break ; } } }
Search the group for the input chain . If found update it . Otherwise do nothing .
164,515
private void removeListenerFromChain ( ChainEventListener listener , ChainData chainData ) { ChainGroupData [ ] otherGroups = null ; boolean foundOtherGroupWithListener = false ; try { otherGroups = this . framework . getAllChainGroups ( chainData . getName ( ) ) ; foundOtherGroupWithListener = false ; int i = 0 ; for ( i = 0 ; i < otherGroups . length ; i ++ ) { if ( ( ( ChainGroupDataImpl ) otherGroups [ i ] ) . containsChainEventListener ( listener ) ) { foundOtherGroupWithListener = true ; break ; } } if ( ! foundOtherGroupWithListener ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Removing listener from chain config, " + chainData . getName ( ) ) ; } ( ( ChainDataImpl ) chainData ) . removeChainEventListener ( listener ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Found chain " + chainData . getName ( ) + " in another group, " + otherGroups [ i ] . getName ( ) ) ; } } } catch ( ChainException e ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Chain not found in config: " + chainData . getName ( ) + ", but will remove listener." ) ; } ( ( ChainDataImpl ) chainData ) . removeChainEventListener ( listener ) ; } }
Remove the listener from the chain but only if the chain is not associated with the listener through another group .
164,516
public final void addChainEventListener ( ChainEventListener listener ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "addChainEventListener: " + listener ) ; } if ( ( null != listener ) && ( ! getChainEventListeners ( ) . contains ( listener ) ) ) { getChainEventListeners ( ) . add ( listener ) ; for ( ChainData chain : getChains ( ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Adding listener to chain, " + chain . getName ( ) ) ; } ( ( ChainDataImpl ) chain ) . addChainEventListener ( listener ) ; } } }
Method addChainEventListener . Enables external entities to be notified of chain events on each of the chains in the group described in ChainEventListener interface .
164,517
public final void removeChainEventListener ( ChainEventListener listener ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "removeChainEventListener: " + listener ) ; } if ( null != listener ) { if ( ! getChainEventListeners ( ) . remove ( listener ) ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { Tr . debug ( tc , "Listener " + listener + " was not found in list monitored by group " + getName ( ) ) ; } } for ( ChainData chain : getChains ( ) ) { removeListenerFromChain ( listener , chain ) ; } } }
Method removeChainEventListener . Removes a listener from the list of those being informed of chain events on this chain . The listener is also removed from each chain in the group unless the chain is in another group which is associated with the listener .
164,518
public void addJSONObject ( JSONObject obj ) { if ( logger . isLoggable ( Level . FINER ) ) logger . entering ( className , "addJSONObject(JSONObject)" ) ; Vector vect = ( Vector ) this . jsonObjects . get ( obj . objectName ) ; if ( vect != null ) { vect . add ( obj ) ; } else { vect = new Vector ( ) ; vect . add ( obj ) ; this . jsonObjects . put ( obj . objectName , vect ) ; } if ( logger . isLoggable ( Level . FINER ) ) logger . exiting ( className , "addJSONObject(JSONObject)" ) ; }
Method to add a JSON child object to this JSON object .
164,519
public void writeObject ( Writer writer , int indentDepth , boolean contentOnly , boolean compact ) throws IOException { if ( logger . isLoggable ( Level . FINER ) ) logger . entering ( className , "writeObject(Writer, int, boolean, boolean)" ) ; if ( writer != null ) { try { if ( isEmptyObject ( ) ) { writeEmptyObject ( writer , indentDepth , contentOnly , compact ) ; } else if ( isTextOnlyObject ( ) ) { writeTextOnlyObject ( writer , indentDepth , contentOnly , compact ) ; } else { writeComplexObject ( writer , indentDepth , contentOnly , compact ) ; } } catch ( Exception ex ) { IOException iox = new IOException ( "Error occurred on serialization of JSON text." ) ; iox . initCause ( ex ) ; throw iox ; } } else { throw new IOException ( "The writer cannot be null." ) ; } if ( logger . isLoggable ( Level . FINER ) ) logger . entering ( className , "writeObject(Writer, int, boolean, boolean)" ) ; }
Method to write out the JSON formatted object .
164,520
private void writeIndention ( Writer writer , int indentDepth ) throws IOException { if ( logger . isLoggable ( Level . FINER ) ) logger . entering ( className , "writeIndention(Writer, int)" ) ; try { for ( int i = 0 ; i < indentDepth ; i ++ ) { writer . write ( indent ) ; } } catch ( Exception ex ) { IOException iox = new IOException ( "Error occurred on serialization of JSON text." ) ; iox . initCause ( ex ) ; throw iox ; } if ( logger . isLoggable ( Level . FINER ) ) logger . exiting ( className , "writeIndention(Writer, int)" ) ; }
Internal method for doing a simple indention write .
164,521
public void setAttributes ( FaceletContext ctx , Object obj ) { DateTimeConverter c = ( DateTimeConverter ) obj ; if ( this . locale != null ) { c . setLocale ( ComponentSupport . getLocale ( ctx , this . locale ) ) ; } if ( this . pattern != null ) { c . setPattern ( this . pattern . getValue ( ctx ) ) ; } else { if ( this . type != null ) { c . setType ( this . type . getValue ( ctx ) ) ; } if ( this . dateStyle != null ) { c . setDateStyle ( this . dateStyle . getValue ( ctx ) ) ; } if ( this . timeStyle != null ) { c . setTimeStyle ( this . timeStyle . getValue ( ctx ) ) ; } } if ( this . timeZone != null ) { Object t = this . timeZone . getObject ( ctx ) ; if ( t != null ) { if ( t instanceof TimeZone ) { c . setTimeZone ( ( TimeZone ) t ) ; } else if ( t instanceof String ) { TimeZone tz = TimeZone . getTimeZone ( ( String ) t ) ; c . setTimeZone ( tz ) ; } else { throw new TagAttributeException ( this . tag , this . timeZone , "Illegal TimeZone, must evaluate to either a java.util.TimeZone or String, is type: " + t . getClass ( ) ) ; } } } }
Implements tag spec see taglib documentation .
164,522
public void createShellStreamSet ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "createShellStreamSet" ) ; StreamSet streamSet = null ; synchronized ( streamSets ) { streamSet = new StreamSet ( null , targetMEUuid , 0 , isLink ? StreamSet . Type . LINK_INTERNAL_OUTPUT : StreamSet . Type . INTERNAL_OUTPUT ) ; streamSets . put ( null , streamSet ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "createShellStreamSet" , streamSet ) ; }
This method will create a StreamSet with null StreamId .
164,523
public void processAckExpected ( long stamp , int priority , Reliability reliability , SIBUuid12 streamID ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "processAckExpected" , new Object [ ] { Long . valueOf ( stamp ) , Integer . valueOf ( priority ) , reliability , streamID } ) ; StreamSet streamSet = getStreamSet ( streamID , false ) ; if ( streamSet != null ) { InternalOutputStream internalOutputStream = ( InternalOutputStream ) streamSet . getStream ( priority , reliability ) ; if ( reliability . compareTo ( Reliability . BEST_EFFORT_NONPERSISTENT ) > 0 ) { if ( internalOutputStream != null ) { internalOutputStream . processAckExpected ( stamp ) ; } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Unexpected AckExpected message for streamID " + streamID + " Reliability " + reliability + " priority " + priority ) ; } } } else { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "AckExpected message for unknown streamID " + streamID ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "processAckExpected" ) ; }
needs to send an AckExpected downstream .
164,524
public void forceFlush ( SIBUuid12 streamID ) throws SIErrorException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "forceFlush" , streamID ) ; StreamSet streamSet = streamSets . get ( streamID ) ; streamSet . dereferenceControlAdapter ( ) ; try { downControl . sendFlushedMessage ( null , streamID ) ; } catch ( Exception e ) { FFDCFilter . processException ( e , "com.ibm.ws.sib.processor.gd.InternalOutputStreamManager.forceFlush" , "1:743:1.48.1.1" , this ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "forceFlush" , e ) ; return ; } if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "forceFlush" ) ; }
This method will be called to force flush of streamSet
164,525
public ControlNotFlushed stampNotFlushed ( ControlNotFlushed msg , SIBUuid12 streamID ) throws SIResourceException { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "stampNotFlushed" , new Object [ ] { msg } ) ; int count = 0 ; int max = ( SIMPConstants . MSG_HIGH_PRIORITY + 1 ) * ( Reliability . MAX_INDEX + 1 ) ; int [ ] ps = new int [ max ] ; int [ ] qs = new int [ max ] ; long [ ] cs = new long [ max ] ; StreamSet streamSet = getStreamSet ( streamID , false ) ; Iterator itr = streamSet . iterator ( ) ; while ( itr . hasNext ( ) ) { InternalOutputStream oStream = ( InternalOutputStream ) itr . next ( ) ; ps [ count ] = oStream . getPriority ( ) ; qs [ count ] = oStream . getReliability ( ) . toInt ( ) ; cs [ count ] = oStream . getCompletedPrefix ( ) ; count ++ ; } int [ ] realps = new int [ count ] ; int [ ] realqs = new int [ count ] ; long [ ] realcs = new long [ count ] ; System . arraycopy ( ps , 0 , realps , 0 , count ) ; System . arraycopy ( qs , 0 , realqs , 0 , count ) ; System . arraycopy ( cs , 0 , realcs , 0 , count ) ; msg . setCompletedPrefixPriority ( realps ) ; msg . setCompletedPrefixQOS ( realqs ) ; msg . setCompletedPrefixTicks ( realcs ) ; msg . setDuplicatePrefixPriority ( realps ) ; msg . setDuplicatePrefixQOS ( realqs ) ; msg . setDuplicatePrefixTicks ( realcs ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "stampNotFlushed" , msg ) ; return msg ; }
Attach the appropriate completed and duplicate prefixes for the stream stored in this array to a ControlNotFlushed message .
164,526
public StatisticImpl getStatistic ( ) { if ( enabled ) { if ( proxy == null ) { System . out . println ( "[SpdStatisticExternal] null proxy" ) ; return null ; } proxy . updateStatisticOnRequest ( dataId ) ; return onReqStatistic ; } else return null ; }
return a wire level data using given time as snapshotTime
164,527
static String [ ] uniquify ( String [ ] arr , boolean alwaysClone ) { int numUnique = uniquifyCountAndCopy ( arr , null ) ; if ( numUnique == 0 ) return EMPTY_STRING_ARRAY ; if ( numUnique == arr . length ) return alwaysClone ? arr . clone ( ) : arr ; String [ ] out = new String [ numUnique ] ; uniquifyCountAndCopy ( arr , out ) ; return out ; }
Remove null and duplicate elements from an array .
164,528
private static int uniquifyCountAndCopy ( String [ ] in , String [ ] out ) { int count = 0 ; outer : for ( int i = 0 ; i < in . length ; i ++ ) { if ( in [ i ] != null ) { for ( int j = 0 ; j < i ; j ++ ) if ( in [ i ] . equals ( in [ j ] ) ) continue outer ; if ( out != null ) out [ count ] = in [ i ] ; count ++ ; } } return count ; }
Count the number of non - null non - duplicate elements in an array and copy those elements to an output array if provided .
164,529
private Integer findMinimumSafeLevel ( PackageIndex < Integer > index ) { if ( index == null ) { return null ; } Integer minimumLevel = index . find ( name ) ; if ( minimumLevel == null ) { for ( String group : groups ) { minimumLevel = index . find ( group ) ; if ( minimumLevel != null ) { break ; } } } return minimumLevel ; }
Search by name first and if not found then search by groups .
164,530
private TranLogConfiguration createCustomTranLogConfiguration ( String recoveredServerIdentity , String logDir , boolean isPeerRecoverySupported ) throws URISyntaxException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "createCustomTranLogConfiguration" , new java . lang . Object [ ] { recoveredServerIdentity , logDir , this } ) ; TranLogConfiguration tlc = null ; final java . util . Properties props = new java . util . Properties ( ) ; java . net . URI logSettingURI = new java . net . URI ( logDir ) ; String scheme = logSettingURI . getScheme ( ) ; String logSetting = logSettingURI . getAuthority ( ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Scheme read from URI " + scheme + ", log setting" + logSetting ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Test to see if peer recovery is supported - " , isPeerRecoverySupported ) ; if ( isPeerRecoverySupported ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Work with server recovery identity - " + recoveredServerIdentity + ", reset current logdir" ) ; if ( recoveredServerIdentity != null ) { logDir = "custom://com.ibm.rls.jdbc.SQLRecoveryLogFactory?datasource=Liberty" + ",tablesuffix=" + recoveredServerIdentity ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "log dir is now - " , logDir ) ; } } props . setProperty ( "LOG_DIRECTORY" , logDir ) ; tlc = new TranLogConfiguration ( logSetting , props ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "createCustomTranLogConfiguration" , tlc ) ; return tlc ; }
Creates a custom TranLogConfiguration object appropriate for storing transaction logs in an RDBMS or other custom repository .
164,531
private TranLogConfiguration createFileTranLogConfiguration ( String recoveredServerIdentity , FailureScope fs , String logDir , int logSize , boolean isPeerRecoverySupported ) throws URISyntaxException { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "createFileTranLogConfiguration" , new java . lang . Object [ ] { recoveredServerIdentity , fs , logDir , logSize , this } ) ; TranLogConfiguration tlc = null ; if ( _isPeerRecoverySupported ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Work with server recovery identity - " , recoveredServerIdentity ) ; if ( recoveredServerIdentity . equals ( localRecoveryIdentity ) ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Local server recovery identity so no need to reset the logDir" ) ; } else { if ( fs != null && fs instanceof FileFailureScope ) { FileFailureScope ffs = ( FileFailureScope ) fs ; if ( ffs != null ) { LeaseInfo li = ffs . getLeaseInfo ( ) ; if ( li != null ) { logDir = li . getLeaseDetail ( ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Have reset the logDir to " , logDir ) ; } } } } } tlc = new TranLogConfiguration ( logDir , logDir , logSize ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "createFileTranLogConfiguration" , tlc ) ; return tlc ; }
Creates a Filesystem TranLogConfiguration object appropriate for storing transaction logs in a filesystem .
164,532
private int getPeerLeaseCheckInterval ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "getPeerLeaseCheckInterval" ) ; int intToReturn ; Integer peerLeaseCheckInterval = null ; try { peerLeaseCheckInterval = AccessController . doPrivileged ( new PrivilegedExceptionAction < Integer > ( ) { public Integer run ( ) { return Integer . getInteger ( "com.ibm.tx.jta.impl.PeerLeaseCheckInterval" , 20 ) ; } } ) ; } catch ( PrivilegedActionException e ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Exception setting Peer Lease-Check Interval" , e ) ; peerLeaseCheckInterval = null ; } if ( peerLeaseCheckInterval == null ) peerLeaseCheckInterval = new Integer ( 20 ) ; intToReturn = peerLeaseCheckInterval . intValue ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "getPeerLeaseCheckInterval" , intToReturn ) ; return intToReturn ; }
This method retrieves a system property named com . ibm . tx . jta . impl . PeerLeaseCheckInterval which allows a value to be specified for the time we should wait between peer server status checks .
164,533
private boolean doNotShutdownOnRecoveryFailure ( ) { if ( tc . isEntryEnabled ( ) ) Tr . entry ( tc , "doNotShutdownOnRecoveryFailure" ) ; boolean doCheck = true ; Boolean doNotShutdownOnRecoveryFailure = null ; try { doNotShutdownOnRecoveryFailure = AccessController . doPrivileged ( new PrivilegedExceptionAction < Boolean > ( ) { public Boolean run ( ) { Boolean theResult = Boolean . getBoolean ( "com.ibm.ws.recoverylog.spi.DoNotShutdownOnRecoveryFailure" ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Have retrieved jvm property with result, " + theResult . booleanValue ( ) ) ; return theResult ; } } ) ; } catch ( PrivilegedActionException e ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Exception getting DoNotShutdownOnRecoveryFailure property" , e ) ; doNotShutdownOnRecoveryFailure = null ; } if ( doNotShutdownOnRecoveryFailure == null ) doNotShutdownOnRecoveryFailure = Boolean . TRUE ; doCheck = doNotShutdownOnRecoveryFailure . booleanValue ( ) ; if ( tc . isEntryEnabled ( ) ) Tr . exit ( tc , "doNotShutdownOnRecoveryFailure" , doCheck ) ; return doCheck ; }
This method retrieves a system property named com . ibm . ws . recoverylog . spi . DoNotShutdownOnRecoveryFailure which allows the server to start with failed recovery logs - non 2PC work may still be performed by the server .
164,534
private static String getStringKey ( String propertyKey ) { if ( WCCustomProperties . FullyQualifiedPropertiesMap . containsKey ( propertyKey ) ) { return WCCustomProperties . FullyQualifiedPropertiesMap . get ( propertyKey ) . toLowerCase ( ) ; } else { return propertyKey ; } }
propertyKey is lowerCase value
164,535
protected void createLockFile ( String pid , String label ) throws IOException { if ( ! AccessHelper . isDirectory ( repositoryLocation ) ) { AccessHelper . makeDirectories ( repositoryLocation ) ; } for ( File lock : listFiles ( LOCKFILE_FILTER ) ) { AccessHelper . deleteFile ( lock ) ; } StringBuilder sb = new StringBuilder ( ) ; sb . append ( getLogDirectoryName ( System . currentTimeMillis ( ) , pid , label ) ) . append ( LOCK_EXT ) ; AccessHelper . createFileOutputStream ( new File ( repositoryLocation , sb . toString ( ) ) , false ) . close ( ) ; }
Creates lock file to be used as a pattern for instance repository . Should be called only by parent s manager on start up .
164,536
protected File getLogFile ( File parentLocation , long timestamp ) { if ( timestamp < 0 ) { throw new IllegalArgumentException ( "timestamp cannot be negative" ) ; } StringBuilder sb = new StringBuilder ( ) ; sb . append ( timestamp ) . append ( EXTENSION ) ; return new File ( parentLocation , sb . toString ( ) ) ; }
calculates repository file name .
164,537
public long getLogFileTimestamp ( File file ) { if ( file == null ) { return - 1L ; } String name = file . getName ( ) ; if ( name == null || name . length ( ) == 0 || ! name . endsWith ( EXTENSION ) ) { return - 1L ; } try { return Long . parseLong ( name . substring ( 0 , name . indexOf ( EXTENSION ) ) ) ; } catch ( NumberFormatException ex ) { return - 1L ; } }
Retrieves the timestamp from the name of the file .
164,538
public String getLogDirectoryName ( long timestamp , String pid , String label ) { if ( pid == null || pid . isEmpty ( ) ) { throw new IllegalArgumentException ( "pid cannot be empty" ) ; } StringBuilder sb = new StringBuilder ( ) ; if ( timestamp > 0 ) { sb . append ( timestamp ) . append ( TIMESEPARATOR ) ; } sb . append ( pid ) ; if ( label != null && ! label . trim ( ) . isEmpty ( ) ) { sb . append ( LABELSEPARATOR ) . append ( label ) ; } return sb . toString ( ) ; }
returns sub - directory name to be used for instances and sub - processes
164,539
public static long parseTimeStamp ( String fileName ) { if ( fileName == null || fileName . isEmpty ( ) ) { return - 1L ; } int pidIndex = fileName . indexOf ( TIMESEPARATOR ) ; int labelIndex = fileName . indexOf ( LABELSEPARATOR ) ; if ( pidIndex < 0 || ( labelIndex > 0 && labelIndex < pidIndex ) ) { return - 1L ; } try { return Long . parseLong ( fileName . substring ( 0 , pidIndex ) ) ; } catch ( NumberFormatException ex ) { return - 1L ; } }
Retrieves the timestamp out of the directory name .
164,540
public static String parsePIDandLabel ( String fileName ) { if ( fileName == null || fileName . isEmpty ( ) ) { return null ; } int pidIndex = fileName . indexOf ( TIMESEPARATOR ) ; int labelIndex = fileName . indexOf ( LABELSEPARATOR ) ; if ( pidIndex < 0 || ( labelIndex > 0 && labelIndex < pidIndex ) ) { return fileName ; } return fileName . substring ( pidIndex + 1 ) ; }
Retrieves the PID and label combined out of the directory name .
164,541
public static String getFormattedMessageFromLocalizedMessage ( String localizedMessage , Object [ ] args , boolean quiet ) { return TraceNLSResolver . getInstance ( ) . getFormattedMessage ( localizedMessage , args ) ; }
Return the formatted message obtained by substituting parameters passed into a message
164,542
public void resolveBundles ( BundleContext bContext , List < Bundle > bundlesToResolve ) { if ( bundlesToResolve == null || bundlesToResolve . size ( ) == 0 ) { return ; } FrameworkWiring wiring = adaptSystemBundle ( bContext , FrameworkWiring . class ) ; if ( wiring != null ) { ResolutionReportHelper rrh = null ; if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) { rrh = new ResolutionReportHelper ( ) ; rrh . startHelper ( bContext ) ; } try { wiring . resolveBundles ( bundlesToResolve ) ; } finally { if ( rrh != null ) { rrh . stopHelper ( ) ; Tr . debug ( this , tc , rrh . getResolutionReportString ( ) ) ; } } } }
Utility for resolving bundles
164,543
public static String getBundleLocation ( String urlString , String productName ) { String productNameInfo = ( productName != null && ! productName . isEmpty ( ) ) ? ( BUNDLE_LOC_PROD_EXT_TAG + productName + ":" ) : "" ; return BUNDLE_LOC_FEATURE_TAG + productNameInfo + urlString ; }
Gets the bundle location . The location format is consistent with what SchemaBundle and BundleList .
164,544
private String getRegionName ( String productName ) { if ( productName == null || productName . isEmpty ( ) ) { return kernelRegion . getName ( ) ; } return REGION_EXTENSION_PREFIX + INVALID_REGION_CHARS . matcher ( productName ) . replaceAll ( "-" ) ; }
Gets the region name according to the product name .
164,545
public static String getESIDependencies ( Enumeration e1 , Enumeration e2 ) { if ( ( e1 == null || ! e1 . hasMoreElements ( ) ) ) if ( ( e2 == null || ! e2 . hasMoreElements ( ) ) ) return null ; StringBuffer sb = new StringBuffer ( "dependencies=\"" ) ; if ( e1 != null ) while ( e1 . hasMoreElements ( ) ) { sb . append ( " " ) ; sb . append ( ( String ) e1 . nextElement ( ) ) ; } if ( e2 != null ) while ( e2 . hasMoreElements ( ) ) { sb . append ( " " ) ; sb . append ( ( String ) e2 . nextElement ( ) ) ; } return sb . toString ( ) ; }
expects an enumeration of data ids and an enumeration of templates
164,546
public E getBy ( String attributeName , String attributeValue ) { String methodName = "get" + Character . toUpperCase ( attributeName . charAt ( 0 ) ) + attributeName . substring ( 1 ) ; for ( E element : this ) if ( element != null ) try { Object value = element . getClass ( ) . getMethod ( methodName ) . invoke ( element ) ; if ( value == attributeValue || value != null && value . equals ( attributeValue ) ) return element ; } catch ( Exception x ) { } return null ; }
Returns the first element in this list with a matching attribute value .
164,547
public E getById ( String id ) { if ( id == null ) { for ( E element : this ) { if ( element != null && element . getId ( ) == null ) { return element ; } } } else { for ( E element : this ) { if ( element != null && id . equals ( element . getId ( ) ) ) { return element ; } } } return null ; }
Returns the first element in this list with a matching identifier
164,548
public E removeById ( String id ) { E element = this . getById ( id ) ; if ( element != null ) { this . remove ( element ) ; } return element ; }
Removes the first element in this list with a matching identifier
164,549
public E getOrCreateById ( String id , Class < E > type ) throws IllegalAccessException , InstantiationException { E element = this . getById ( id ) ; if ( element == null ) { element = type . newInstance ( ) ; element . setId ( id ) ; this . add ( element ) ; } return element ; }
Returns the first element in this list with a matching identifier or adds a new element to the end of this list and sets the identifier
164,550
public final static TrmMessageType getTrmMessageType ( int aValue ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Value = " + aValue ) ; return set [ aValue ] ; }
Returns the corresponding TrmMessageType for a given integer . This method should NOT be called by any code outside the MFP component . It is only public so that it can be accessed by sub - packages .
164,551
public V getService ( K key ) { ComponentContext ctx = context ; if ( ctx == null || key == null ) return null ; ConcurrentServiceReferenceElement < V > e = elementMap . get ( key ) ; if ( e == null ) { return null ; } else { return e . getService ( ctx ) ; } }
Retrieve the service associated with key .
164,552
public ServiceReference < V > getReference ( K key ) { if ( key == null ) return null ; ConcurrentServiceReferenceElement < V > e = elementMap . get ( key ) ; if ( e == null ) { return null ; } else { return e . getReference ( ) ; } }
Returns the ServiceReference associated with key
164,553
public static List < ProductExtensionInfo > getProductExtensions ( File installDir ) { ArrayList < ProductExtensionInfo > productList = new ArrayList < ProductExtensionInfo > ( ) ; Set < String > extensionsSoFar = new HashSet < String > ( ) ; HashMap < String , Properties > embedderProductExtensions = getExtraProductExtensions ( ) ; if ( embedderProductExtensions != null ) { ProductExtensionInfo prodInfo ; for ( Entry < String , Properties > entry : embedderProductExtensions . entrySet ( ) ) { String name = entry . getKey ( ) ; Properties featureProperties = entry . getValue ( ) ; if ( ExtensionConstants . USER_EXTENSION . equalsIgnoreCase ( name ) == false ) { String installLocation = featureProperties . getProperty ( ProductExtension . PRODUCT_EXTENSIONS_INSTALL ) ; String productId = featureProperties . getProperty ( ProductExtension . PRODUCT_EXTENSIONS_ID ) ; prodInfo = new ProductExtensionInfoImpl ( name , productId , installLocation ) ; productList . add ( prodInfo ) ; extensionsSoFar . add ( name ) ; } } } String extensionEnv = System . getenv ( PRODUCT_EXTENSIONS_ENV ) ; if ( extensionEnv != null ) { File productExtensionEnvDir = new File ( extensionEnv ) ; if ( ! ! ! productExtensionEnvDir . isAbsolute ( ) ) { productExtensionEnvDir = getFileFromDirectory ( installDir . getParentFile ( ) , extensionEnv ) ; } String envData = mergeExtensions ( productList , extensionsSoFar , productExtensionEnvDir ) ; System . clearProperty ( BootstrapConstants . ENV_PRODUCT_EXTENSIONS_ADDED_BY_ENV ) ; if ( ! ! ! envData . isEmpty ( ) ) { System . setProperty ( BootstrapConstants . ENV_PRODUCT_EXTENSIONS_ADDED_BY_ENV , envData ) ; } } File productExtensionsDir = getExtensionDir ( installDir ) ; mergeExtensions ( productList , extensionsSoFar , productExtensionsDir ) ; return productList ; }
Get a list of configured product extensions .
164,554
public static ProductExtensionInfo getProductExtension ( String extensionName ) throws IOException { ProductExtensionInfo productExtensionInfo = null ; List < ProductExtensionInfo > productExtensionList = getProductExtensions ( Utils . getInstallDir ( ) ) ; for ( ProductExtensionInfo currentProductExtension : productExtensionList ) { if ( currentProductExtension . getName ( ) . equalsIgnoreCase ( extensionName ) ) { productExtensionInfo = currentProductExtension ; break ; } } return productExtensionInfo ; }
Find and return a particular configured product extension .
164,555
public void start ( BundleContext context ) { initialContextFactories = initServiceTracker ( context , InitialContextFactory . class , ServiceTrackerCustomizers . ICF_CACHE ) ; objectFactories = initServiceTracker ( context , ObjectFactory . class , ServiceTrackerCustomizers . URL_FACTORY_CACHE ) ; icfBuilders = initServiceTracker ( context , InitialContextFactoryBuilder . class , ServiceTrackerCustomizers . LAZY ) ; urlObjectFactoryFinders = initServiceTracker ( context , URLObjectFactoryFinder . class , ServiceTrackerCustomizers . LAZY ) ; environmentAugmentors = initServiceTracker ( context , EnvironmentAugmentation . class , null ) ; environmentUnaugmentors = initServiceTracker ( context , EnvironmentUnaugmentation . class , null ) ; try { OSGiInitialContextFactoryBuilder builder = new OSGiInitialContextFactoryBuilder ( ) ; setField ( InitialContextFactoryBuilder . class , builder , true ) ; icfBuilder = builder ; } catch ( IllegalStateException e ) { LOGGER . info ( Utils . MESSAGES . getMessage ( "unable.to.set.static.ICFB.already.exists" , getClassName ( InitialContextFactoryBuilder . class ) ) ) ; LOGGER . debug ( Utils . MESSAGES . getMessage ( "unable.to.set.static.ICFB.already.exists" , getClassName ( InitialContextFactoryBuilder . class ) ) , e ) ; } try { OSGiObjectFactoryBuilder builder = new OSGiObjectFactoryBuilder ( context ) ; setField ( ObjectFactoryBuilder . class , builder , true ) ; ofBuilder = builder ; } catch ( IllegalStateException e ) { LOGGER . info ( Utils . MESSAGES . getMessage ( "unable.to.set.static.OFB.already.exists" , getClassName ( ObjectFactoryBuilder . class ) ) ) ; LOGGER . debug ( Utils . MESSAGES . getMessage ( "unable.to.set.static.OFB.already.exists" , getClassName ( ObjectFactoryBuilder . class ) ) , e ) ; } context . registerService ( JNDIProviderAdmin . class . getName ( ) , new ProviderAdminServiceFactory ( context ) , null ) ; context . registerService ( InitialContextFactoryBuilder . class . getName ( ) , new JREInitialContextFactoryBuilder ( ) , null ) ; context . registerService ( JNDIContextManager . class . getName ( ) , new ContextManagerServiceFactory ( ) , null ) ; context . registerService ( AugmenterInvoker . class . getName ( ) , AugmenterInvokerImpl . getInstance ( ) , null ) ; }
private BundleTracker bt = null ;
164,556
public void initialize ( Map < String , Object > configProps ) throws WIMException { try { reposId = ( String ) configProps . get ( KEY_ID ) ; setCustomProperties ( ( List < Map < String , String > > ) configProps . get ( ConfigConstants . CONFIG_DO_CUSTOM_PROPERTIES ) ) ; setMapping ( ) ; setBaseEntry ( configProps ) ; setConfigEntityMapping ( configProps ) ; propsMap = new HashMap < String , String > ( ) ; propsMap . putAll ( attrMap ) ; propsMap . putAll ( customPropertyMap ) ; URBridgeHelper . mapSupportedEntityTypeList ( getSupportedEntityTypes ( ) ) ; personAccountType = URBridgeHelper . getPersonAccountType ( ) ; groupAccountType = URBridgeHelper . getGroupAccountType ( ) ; } catch ( Throwable th ) { throw new InitializationException ( WIMMessageKey . REPOSITORY_INITIALIZATION_FAILED , Tr . formatMessage ( tc , WIMMessageKey . REPOSITORY_INITIALIZATION_FAILED , WIMMessageHelper . generateMsgParms ( reposId , th . toString ( ) ) ) ) ; } }
Initializes the user registry for use by the adapter .
164,557
private void setBaseEntry ( Map < String , Object > configProps ) throws WIMException { baseEntryName = ( String ) configProps . get ( BASE_ENTRY ) ; if ( baseEntryName == null ) { throw new WIMApplicationException ( WIMMessageKey . MISSING_BASE_ENTRY , Tr . formatMessage ( tc , WIMMessageKey . MISSING_BASE_ENTRY , WIMMessageHelper . generateMsgParms ( reposId ) ) ) ; } }
Set the baseEntryname from the configuration . The configuration should have only 1 baseEntry
164,558
private void setCustomProperties ( List < Map < String , String > > propList ) throws WIMException { final String METHODNAME = "setCustomProperties" ; customPropertyMap = new HashMap < String , String > ( ) ; if ( propList == null ) { return ; } Iterator < Map < String , String > > itr = propList . iterator ( ) ; while ( itr . hasNext ( ) ) { Map < String , String > propMap = itr . next ( ) ; String propName = propMap . get ( ConfigConstants . CONFIG_PROP_NAME ) ; String propValue = propMap . get ( ConfigConstants . CONFIG_PROP_VALUE ) ; customPropertyMap . put ( propName , propValue ) ; } if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , METHODNAME + " custom properties " + customPropertyMap ) ; } }
Set Custom UR Bridge properties .
164,559
private void setConfigEntityMapping ( Map < String , Object > configProps ) throws WIMException { List < String > entityTypes = getSupportedEntityTypes ( ) ; String rdnProp ; String type = null ; entityConfigMap = new HashMap < String , String > ( ) ; for ( int i = 0 ; i < entityTypes . size ( ) ; i ++ ) { type = entityTypes . get ( i ) ; rdnProp = ( getRDNProperties ( type ) == null ) ? null : getRDNProperties ( type ) [ 0 ] ; entityConfigMap . put ( type , rdnProp ) ; } if ( entityConfigMap . get ( Service . DO_LOGIN_ACCOUNT ) == null && entityConfigMap . get ( personAccountType ) != null ) entityConfigMap . put ( Service . DO_LOGIN_ACCOUNT , entityConfigMap . get ( personAccountType ) ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "setConfigEntityMapping entityConfigMap:" + entityConfigMap ) ; }
Set the mapping of RDN properties for each entity type . A map is created with the key as the entity type and the value as the RDN property to be used . This information is taken from the configuration .
164,560
private String validateEntity ( Entity entity ) throws WIMException { String METHODNAME = "validateEntity" ; String type = null ; String secName = null ; String uniqueId = null ; String uniqueName = null ; if ( entity . getIdentifier ( ) . isSet ( SchemaConstants . PROP_UNIQUE_NAME ) ) { uniqueName = entity . getIdentifier ( ) . getUniqueName ( ) ; } else if ( entity . getIdentifier ( ) . isSet ( SchemaConstants . PROP_EXTERNAL_NAME ) ) { uniqueName = entity . getIdentifier ( ) . getExternalName ( ) ; } else if ( entity . getIdentifier ( ) . isSet ( SchemaConstants . PROP_UNIQUE_ID ) ) { uniqueId = entity . getIdentifier ( ) . getUniqueId ( ) ; } else if ( entity . getIdentifier ( ) . isSet ( SchemaConstants . PROP_EXTERNAL_ID ) ) { uniqueId = entity . getIdentifier ( ) . getExternalId ( ) ; } if ( uniqueName != null ) { secName = uniqueName ; } if ( uniqueId != null && uniqueId . trim ( ) . length ( ) > 0 ) { if ( isValidUserOrGroup ( uniqueId ) ) { uniqueName = uniqueId ; secName = uniqueId ; } else { secName = getSecNameFromUniqueID ( uniqueId ) ; uniqueName = secName ; } } if ( secName != null && secName . trim ( ) . length ( ) > 0 ) { String rdnAttr = getRDN ( entity . getIdentifier ( ) . getUniqueName ( ) ) ; Set < String > EntityTypes = entityConfigMap . keySet ( ) ; List < String > entities = new ArrayList < String > ( ) ; Iterator < String > it = EntityTypes . iterator ( ) ; while ( it . hasNext ( ) ) { String entityType = it . next ( ) ; if ( ( rdnAttr == null ) || ( rdnAttr . equalsIgnoreCase ( entityConfigMap . get ( entityType ) ) ) ) { entities . add ( entityType ) ; } } String inputType = entity . getTypeName ( ) ; type = getEntityTypeFromUniqueName ( secName , entities , inputType ) ; entity . getIdentifier ( ) . setUniqueName ( uniqueName ) ; } if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , METHODNAME + " The entity type for " + secName + " is " + type ) ; } if ( type == null ) { throw new EntityNotFoundException ( WIMMessageKey . ENTITY_NOT_FOUND , Tr . formatMessage ( tc , WIMMessageKey . ENTITY_NOT_FOUND , WIMMessageHelper . generateMsgParms ( secName ) ) ) ; } return type ; }
if type is null throw ENFE to be handled by get API .
164,561
private String getSecNameFromUniqueID ( String uniqueId ) throws WIMException { String METHODNAME = "getSecNameFromUniqueID" ; String secName = null ; try { secName = getUserSecurityName ( uniqueId ) ; } catch ( EntryNotFoundException e ) { try { secName = getGroupSecurityName ( uniqueId ) ; } catch ( com . ibm . ws . security . registry . EntryNotFoundException renf ) { throw new EntityNotFoundException ( WIMMessageKey . ENTITY_NOT_FOUND , Tr . formatMessage ( tc , WIMMessageKey . ENTITY_NOT_FOUND , WIMMessageHelper . generateMsgParms ( uniqueId ) ) ) ; } catch ( RegistryException re ) { throw new EntityNotFoundException ( WIMMessageKey . ENTITY_NOT_FOUND , Tr . formatMessage ( tc , WIMMessageKey . ENTITY_NOT_FOUND , WIMMessageHelper . generateMsgParms ( uniqueId ) ) ) ; } } catch ( RegistryException e ) { throw new EntityNotFoundException ( WIMMessageKey . ENTITY_NOT_FOUND , Tr . formatMessage ( tc , WIMMessageKey . ENTITY_NOT_FOUND , WIMMessageHelper . generateMsgParms ( uniqueId ) ) ) ; } if ( tc . isDebugEnabled ( ) ) { Tr . debug ( tc , METHODNAME + " The Security Name for " + uniqueId + " is " + secName ) ; } return secName ; }
Since UserRegistry throws CustomRegistryException in case of secName not found modify code to handle CustomRegistryException similar to EntryNotFoundException .
164,562
private String getRDN ( String name ) { if ( name == null ) { return name ; } int indexOfEqual = name . indexOf ( '=' ) ; if ( indexOfEqual < 0 ) { return name ; } String rdnValue = name . substring ( 0 , indexOfEqual ) ; return rdnValue ; }
The method reads the uniqueName of the user and returns the rdn property
164,563
@ FFDCIgnore ( Exception . class ) public boolean isEntityInRealm ( String uniqueName ) { if ( isSafRegistry ( ) ) { try { return userRegistry . isValidUser ( uniqueName ) ; } catch ( Exception e ) { } try { return userRegistry . isValidGroup ( uniqueName ) ; } catch ( Exception e ) { } } else { try { SearchResult result = userRegistry . getUsers ( uniqueName , 1 ) ; if ( result != null && result . getList ( ) . size ( ) > 0 ) return true ; } catch ( Exception e ) { } try { SearchResult result = userRegistry . getGroups ( uniqueName , 1 ) ; if ( result != null && result . getList ( ) . size ( ) > 0 ) return true ; } catch ( Exception e ) { } } return false ; }
Is the entity in this realm?
164,564
private void setFields ( Connection connection , JFapByteBuffer buffer , int priority , boolean isPooled , boolean isExchange , int segmentType , int conversationId , int requestNumber , Conversation conversation , SendListener sendListener , boolean isTerminal , int size ) { this . connection = connection ; this . buffer = buffer ; this . priority = priority ; this . isPooled = isPooled ; this . isExchange = isExchange ; this . segmentType = segmentType ; this . conversationId = conversationId ; this . requestNumber = requestNumber ; this . conversation = conversation ; this . sendListener = sendListener ; this . isTerminal = isTerminal ; this . size = size ; bytesRemaining = size ; }
Helper method which sets up fields in this class .
164,565
private void reset ( Connection connection , JFapByteBuffer buffer , int priority , boolean isPooled , boolean isExchange , int segmentType , int conversationId , int requestNumber , Conversation conversation , SendListener sendListener , boolean isTerminal , int size ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "reset" , new Object [ ] { connection , buffer , "" + priority , "" + isPooled , "" + isExchange , "" + segmentType , "" + conversationId , "" + requestNumber , conversation , sendListener , "" + isTerminal , "" + size } ) ; setFields ( connection , buffer , priority , isPooled , isExchange , segmentType , conversationId , requestNumber , conversation , sendListener , isTerminal , size ) ; int sizeIncludingHeaders = size + JFapChannelConstants . SIZEOF_PRIMARY_HEADER + JFapChannelConstants . SIZEOF_CONVERSATION_HEADER ; transmissionsRemaining = true ; if ( sizeIncludingHeaders > connection . getMaxTransmissionSize ( ) ) { if ( tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "segmenting" ) ; layout = JFapChannelConstants . XMIT_SEGMENT_START ; } else layout = JFapChannelConstants . XMIT_CONVERSATION ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "reset" ) ; }
Resets the iterator so it is read for use with a new piece of user data .
164,566
public boolean hasNext ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "hasNext" ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "hasNext" , "" + transmissionsRemaining ) ; return transmissionsRemaining ; }
Returns true if this iterator contains more transmission data objects .
164,567
protected static TransmissionDataIterator allocateFromPool ( Connection connection , JFapByteBuffer buffer , int priority , boolean isPooled , boolean isExchange , int segmentType , int conversationId , int requestNumber , Conversation conversation , SendListener sendListener , boolean isTerminal , int size ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "allocateFromPool" ) ; TransmissionDataIterator retValue = ( TransmissionDataIterator ) pool . remove ( ) ; if ( retValue == null ) retValue = new TransmissionDataIterator ( ) ; retValue . reset ( connection , buffer , priority , isPooled , isExchange , segmentType , conversationId , requestNumber , conversation , sendListener , isTerminal , size ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "allocateFromPool" , retValue ) ; return retValue ; }
Allocates an instance of this class from a pool
164,568
protected void release ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "release" ) ; if ( ! transmissionsRemaining ) { if ( tc . isDebugEnabled ( ) ) SibTr . debug ( this , tc , "no more transmissions remaining - repooling" ) ; if ( buffer != null ) { buffer . release ( ) ; } connection = null ; conversation = null ; buffer = null ; sendListener = null ; pool . add ( this ) ; } if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "release" ) ; }
Returns a previously allocated instance of this class to the pool
164,569
protected int getPriority ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getPriority" ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getPriority" , "" + priority ) ; return priority ; }
Returns the priority for data transmissions in this iterator
164,570
protected void setPriority ( int priority ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setPriority" , "" + priority ) ; this . priority = priority ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setPriority" ) ; }
Sets the priority for data transmissions in this iterator . This is used when data is enqueued to the priority queue with the lowest available option set - and we need to assigne it a hard priority
164,571
protected int getSize ( ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "getSize" ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "getSize" , "" + size ) ; return size ; }
Returns the size of the payload data the user requested tranmitted .
164,572
public static boolean isDebugEnabled ( ) { String value = System . getProperty ( DEBUG_PROPERTY ) ; if ( value != null && "true" . equalsIgnoreCase ( value ) ) { return true ; } return false ; }
Since logger is not activated while processing premain the trace data needs to be logged by using System . out .
164,573
private String getDefaultPackageExtension ( ) { if ( "z/OS" . equalsIgnoreCase ( bootProps . get ( "os.name" ) ) ) { return "pax" ; } if ( PackageProcessor . IncludeOption . RUNNABLE . matches ( includeOption ) ) { return "jar" ; } return "zip" ; }
Determine the default package format for the current operating system .
164,574
public static ASN1Set getInstance ( Object obj ) { if ( obj == null || obj instanceof ASN1Set ) { return ( ASN1Set ) obj ; } throw new IllegalArgumentException ( "unknown object in getInstance" ) ; }
return an ASN1Set from the given object .
164,575
public Conduit getConduit ( EndpointInfo endpointInfo , EndpointReferenceType target ) throws IOException { LibertyHTTPConduit conduit = new LibertyHTTPConduit ( bus , endpointInfo , target ) ; String address = conduit . getAddress ( ) ; if ( address != null && address . indexOf ( '?' ) != - 1 ) { address = address . substring ( 0 , address . indexOf ( '?' ) ) ; } HTTPConduitConfigurer c1 = bus . getExtension ( HTTPConduitConfigurer . class ) ; if ( c1 != null ) { c1 . configure ( conduit . getBeanName ( ) , address , conduit ) ; } configure ( conduit , conduit . getBeanName ( ) , address ) ; conduit . finalizeConfig ( ) ; if ( conduit != null ) { HTTPClientPolicy clientPolicy = conduit . getClient ( ) ; clientPolicy . setAutoRedirect ( CXF_TRANSPORT_URI_RESOLVER_QNAME . equals ( endpointInfo . getName ( ) ) ) ; } AtomicServiceReference < JaxWsSecurityConfigurationService > secConfigSR = securityConfigSR . get ( ) ; JaxWsSecurityConfigurationService securityConfigService = secConfigSR == null ? null : secConfigSR . getService ( ) ; if ( null != securityConfigService ) { securityConfigService . configClientSSL ( conduit , null , null ) ; } return conduit ; }
set the auto - redirect to true
164,576
protected static final void setRSAKey ( byte [ ] [ ] key ) { BigInteger [ ] k = new BigInteger [ 8 ] ; for ( int i = 0 ; i < 8 ; i ++ ) { if ( key [ i ] != null ) { k [ i ] = new BigInteger ( 1 , key [ i ] ) ; } } if ( k [ 3 ] . compareTo ( k [ 4 ] ) < 0 ) { BigInteger tmp ; tmp = k [ 3 ] ; k [ 3 ] = k [ 4 ] ; k [ 4 ] = tmp ; tmp = k [ 5 ] ; k [ 5 ] = k [ 6 ] ; k [ 6 ] = tmp ; k [ 7 ] = null ; } if ( k [ 7 ] == null ) { k [ 7 ] = k [ 4 ] . modInverse ( k [ 3 ] ) ; } if ( k [ 0 ] == null ) { k [ 0 ] = k [ 3 ] . multiply ( k [ 4 ] ) ; } if ( k [ 1 ] == null ) { k [ 1 ] = k [ 2 ] . modInverse ( k [ 3 ] . subtract ( BigInteger . valueOf ( 1 ) ) . multiply ( k [ 4 ] . subtract ( BigInteger . valueOf ( 1 ) ) ) ) ; } if ( k [ 5 ] == null ) { k [ 5 ] = k [ 1 ] . remainder ( k [ 3 ] . subtract ( BigInteger . valueOf ( 1 ) ) ) ; } if ( k [ 6 ] == null ) { k [ 6 ] = k [ 1 ] . remainder ( k [ 4 ] . subtract ( BigInteger . valueOf ( 1 ) ) ) ; } for ( int i = 0 ; i < 8 ; i ++ ) { key [ i ] = k [ i ] . toByteArray ( ) ; } }
Set the key for RSA algorithms .
164,577
protected static final byte [ ] encrypt ( byte [ ] data , byte [ ] key , String cipher ) throws Exception { SecretKey sKey = constructSecretKey ( key , cipher ) ; Cipher ci = createCipher ( Cipher . ENCRYPT_MODE , key , cipher , sKey ) ; return ci . doFinal ( data ) ; }
Encrypt the data .
164,578
protected static final byte [ ] decrypt ( byte [ ] msg , byte [ ] key , String cipher ) throws Exception { SecretKey sKey = constructSecretKey ( key , cipher ) ; Cipher ci = createCipher ( Cipher . DECRYPT_MODE , key , cipher , sKey ) ; return ci . doFinal ( msg ) ; }
Decrypt the specified msg .
164,579
public void populatePrefixTable ( ) { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( TRACE , "populatePrefixTable" ) ; } prefixTable = new HashMap < Class , String > ( ) ; prefixTable . put ( Boolean . class , PREFIX_BOOLEAN ) ; prefixTable . put ( Integer . class , PREFIX_INT ) ; prefixTable . put ( Byte . class , PREFIX_BYTE ) ; prefixTable . put ( Short . class , PREFIX_SHORT ) ; prefixTable . put ( String . class , PREFIX_STRING ) ; prefixTable . put ( Float . class , PREFIX_FLOAT ) ; prefixTable . put ( Double . class , PREFIX_DOUBLE ) ; prefixTable . put ( Long . class , PREFIX_LONG ) ; prefixTable . put ( StringArrayWrapper . class , PREFIX_ROUTING_PATH ) ; if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( TRACE , "populatePrefixTable" ) ; } }
Populates the prefix table for use when creating a Reference to a ConnFactory . Creates a map between supported data types for properties and the prefix used to store them .
164,580
public Map getMapFromReference ( final Reference ref , final Map defaults ) { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , "getMapFromReference" , new Object [ ] { ref , defaults } ) ; } Map extractedProps = null ; synchronized ( ref ) { Enumeration propsList = ref . getAll ( ) ; final Map < String , String > encodedMap = new HashMap < String , String > ( ) ; while ( propsList . hasMoreElements ( ) ) { StringRefAddr refAddr = ( StringRefAddr ) propsList . nextElement ( ) ; String codedName = refAddr . getType ( ) ; String val = ( String ) refAddr . getContent ( ) ; encodedMap . put ( codedName , val ) ; } extractedProps = getStringDecodedMap ( encodedMap , defaults ) ; } if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "getMapFromReference" , extractedProps ) ; } return extractedProps ; }
Uses the reference passed in to extract a map of properties which have been stored in this Reference .
164,581
public void populateReference ( final Reference reference , final Map properties , final Map defaults ) { if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . entry ( this , TRACE , "populateReference" , new Object [ ] { reference , properties , defaults } ) ; } synchronized ( properties ) { Map < String , String > encodedMap = getStringEncodedMap ( properties , defaults ) ; for ( Map . Entry < String , String > entry : encodedMap . entrySet ( ) ) { reference . add ( new StringRefAddr ( entry . getKey ( ) , entry . getValue ( ) ) ) ; } } if ( TraceComponent . isAnyTracingEnabled ( ) && TRACE . isEntryEnabled ( ) ) { SibTr . exit ( this , TRACE , "populateReference" ) ; } }
Dynamically populates the reference that it has been given using the properties currently stored in this ConnectionFactory . Note that this way of doing things automatically handles the adding of extra properties without the need to change this code .
164,582
protected void setCommsConnection ( CommsConnection cc ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( this , tc , "setCommsConnection" ) ; validateConversationState ( ) ; sConState . setCommsConnection ( cc ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( this , tc , "setCommsConnection" ) ; }
Sets the CommsConnection associated with this Conversation
164,583
public ConversationReceiveListener acceptConnection ( Conversation cfConversation ) { if ( tc . isEntryEnabled ( ) ) SibTr . entry ( tc , "acceptConnection" ) ; if ( tc . isEntryEnabled ( ) ) SibTr . exit ( tc , "acceptConnection" ) ; return genericTransportRecieveListnerInstance ; }
Notified when a new conversation is accepted by a listening socket .
164,584
public static QueuedMessage createSIBQueuedMessage ( SIMPQueuedMessageControllable qmc ) { String id = null ; int jsApproximateLength = 0 ; String name = null ; String state = null ; String transactionId = null ; String type = null ; String busSystemMessageId = null ; id = qmc . getId ( ) ; name = qmc . getName ( ) ; state = null ; transactionId = null ; try { if ( qmc . getState ( ) != null ) { state = qmc . getState ( ) . toString ( ) ; } transactionId = qmc . getTransactionId ( ) ; } catch ( SIMPException e ) { } try { JsMessage jsMessage = qmc . getJsMessage ( ) ; jsApproximateLength = jsMessage . getApproximateLength ( ) ; busSystemMessageId = jsMessage . getSystemMessageId ( ) ; type = jsMessage . getJsMessageType ( ) . toString ( ) ; } catch ( SIMPControllableNotFoundException e ) { } catch ( SIMPException e ) { } return new QueuedMessage ( id , name , jsApproximateLength , state , transactionId , type , busSystemMessageId ) ; }
Create a SIBQueuedMessageImpl instance from the supplied SIMPQueuedMessageControllable .
164,585
public static MessagingSubscription createSIBSubscription ( SIMPLocalSubscriptionControllable ls ) { long depth = 0 ; String id = null ; int maxMsgs = 0 ; String name = null ; String selector = null ; String subscriberId = null ; String [ ] topics = null ; depth = ls . getNumberOfQueuedMessages ( ) ; id = ls . getId ( ) ; name = ls . getName ( ) ; selector = ls . getSelector ( ) ; subscriberId = ls . getSubscriberID ( ) ; topics = ls . getTopics ( ) ; return new MessagingSubscription ( depth , id , maxMsgs , name , selector , subscriberId , topics ) ; }
Create a MessagingSubscription instance from the supplied SIMPLocalSubscriptionControllable .
164,586
private static NLS getNLS ( Locale l , String resourceBundle , String statsType ) { boolean bDefaultLocale = false ; if ( l == null || l == Locale . getDefault ( ) ) { bDefaultLocale = true ; l = Locale . getDefault ( ) ; } NLS aNLS = null ; if ( resourceBundle == null ) { int trial = 1 ; do { if ( trial == 1 ) resourceBundle = PMI_RESOURCE_BUNDLE_PREFIX_50 + statsType ; else if ( trial == 2 ) resourceBundle = PMI_RESOURCE_BUNDLE ; aNLS = ( NLS ) nlsMap . get ( getNlsKey ( resourceBundle , l ) ) ; if ( aNLS != null ) return aNLS ; else aNLS = new NLS ( resourceBundle , l , true , false ) ; if ( aNLS . isResourceLoaded ( ) ) break ; ++ trial ; } while ( trial <= 2 ) ; } else { aNLS = ( NLS ) nlsMap . get ( getNlsKey ( resourceBundle , l ) ) ; if ( aNLS != null ) return aNLS ; else aNLS = new NLS ( resourceBundle , l , true , false ) ; if ( ! aNLS . isResourceLoaded ( ) ) { final String _rbName = resourceBundle ; final Locale _locale = l ; try { aNLS = ( NLS ) AccessController . doPrivileged ( new PrivilegedExceptionAction ( ) { public Object run ( ) throws Exception { return new NLS ( _rbName , _locale , Thread . currentThread ( ) . getContextClassLoader ( ) ) ; } } ) ; } catch ( Exception e1 ) { Tr . warning ( tc , "PMI0030W" , resourceBundle ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Error loading custom resource bundle using context classloader: " + e1 . getMessage ( ) ) ; } if ( aNLS == null || ! aNLS . isResourceLoaded ( ) ) { aNLS = null ; } } } if ( aNLS != null && aNLS . isResourceLoaded ( ) ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , "Caching resource bundle: " + resourceBundle + " locale: " + l ) ; nlsMap . put ( getNlsKey ( resourceBundle , l ) , aNLS ) ; } return aNLS ; }
in which case we dont cache
164,587
public static PmiModuleConfig getStatsConfig ( String statsType ) { PmiModuleConfig cfg = ( PmiModuleConfig ) rawConfigMap . get ( statsType ) ; if ( cfg == null ) cfg = _getStatsConfig ( statsType , false , null ) ; return cfg ; }
No translation .
164,588
public static PmiModuleConfig getTranslatedStatsConfig ( String statsType , Locale locale ) { PmiModuleConfig aCfg = getConfig ( locale , statsType ) ; if ( aCfg == null ) aCfg = _getStatsConfig ( statsType , true , locale ) ; return aCfg ; }
Translated based on the server locale
164,589
public static void translateAndCache ( PmiModuleConfig cfg , Locale l ) { PmiModuleConfig aCfg = getConfig ( l , cfg . getUID ( ) ) ; if ( aCfg == null ) { aCfg = cfg . copy ( ) ; if ( aCfg != null ) { PmiDataInfo [ ] data = aCfg . listData ( null ) ; for ( int k = data . length - 1 ; k >= 0 ; k -- ) { if ( data [ k ] . getType ( ) == PmiConstants . TYPE_SUBMODULE ) aCfg . removeData ( data [ k ] ) ; } } aCfg = translate ( aCfg , l ) ; getConfigMap ( l ) . put ( aCfg . getUID ( ) , aCfg ) ; } }
called by PmiRegistry .
164,590
public String [ ] getPath ( ) { if ( path != null ) return path ; else if ( instanceName == null && type == TYPE_SUBMODULE ) return new String [ ] { moduleID , submoduleName } ; else return super . getPath ( ) ; }
overwrite getPath method
164,591
public final static SubscriptionMessageType getSubscriptionMessageType ( int aValue ) { if ( TraceComponent . isAnyTracingEnabled ( ) && tc . isDebugEnabled ( ) ) SibTr . debug ( tc , "Value = " + aValue ) ; return set [ aValue ] ; }
Returns the corresponding SubscriptionMessageType for a given integer . This method should NOT be called by any code outside the MFP component . It is only public so that it can be accessed by sub - packages .
164,592
private void fail ( final K key ) { final String methodName = "fail(): " ; stateLock . writeLock ( ) . lock ( ) ; try { Integer index = actualIndices . remove ( key ) ; if ( index == null ) throw new IllegalArgumentException ( "unknown key: " + key ) ; elements [ index ] = FAILED ; ( failedKeys == null ? failedKeys = new ArrayList < K > ( actualIndices . size ( ) + 1 ) : failedKeys ) . add ( key ) ; checkForCompletion ( ) ; if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , methodName , "permanent fail for key " + key ) ; stateLock . postEvent ( ) ; } finally { stateLock . writeLock ( ) . unlock ( ) ; } }
Permanently fail to retrieve the element associated with the key independently of any timeout .
164,593
private void checkForCompletion ( ) { final String methodName = "checkForCompletion(): " ; if ( actualIndices . isEmpty ( ) ) { if ( tc . isDebugEnabled ( ) ) Tr . debug ( tc , methodName + "setting state=COMPLETE" ) ; state = failedKeys == null ? COMPLETE : COMPLETE_WITH_FAILURES ; } }
if all the keys have been satisfied or permanently failed mark this list as being complete
164,594
public int size ( ) { stateLock . readLock ( ) . lock ( ) ; try { switch ( state ) { default : preFetchAll ( ) ; return size ( ) ; case TIMED_OUT : return currentSize ( ) ; case COMPLETE_WITH_FAILURES : return elements . length - failedKeys . size ( ) ; case COMPLETE : return elements . length ; } } finally { stateLock . readLock ( ) . unlock ( ) ; } }
Find the size of this list attempting to retrieve all elements if necessary .
164,595
@ FFDCIgnore ( IndexOutOfBoundsException . class ) private boolean ensureElement ( int index ) { try { get ( index ) ; return true ; } catch ( IndexOutOfBoundsException e ) { return false ; } }
Blocking call to ensure an element is available
164,596
public Set < K > getUnmatchedKeys ( ) { stateLock . readLock ( ) . lock ( ) ; try { return new HashSet < K > ( this . actualIndices . keySet ( ) ) ; } finally { stateLock . readLock ( ) . unlock ( ) ; } }
Get a point - in - time view of the unmatched keys . This may be immediately out of date unless additional synchronization is performed to prevent concurrent updates .
164,597
private String getTopic ( FrameworkEvent frameworkEvent ) { StringBuilder topic = new StringBuilder ( FRAMEWORK_EVENT_TOPIC_PREFIX ) ; switch ( frameworkEvent . getType ( ) ) { case FrameworkEvent . STARTED : topic . append ( "STARTED" ) ; break ; case FrameworkEvent . ERROR : topic . append ( "ERROR" ) ; break ; case FrameworkEvent . PACKAGES_REFRESHED : topic . append ( "PACKAGES_REFRESHED" ) ; break ; case FrameworkEvent . STARTLEVEL_CHANGED : topic . append ( "STARTLEVEL_CHANGED" ) ; break ; case FrameworkEvent . WARNING : topic . append ( "WARNING" ) ; break ; case FrameworkEvent . INFO : topic . append ( "INFO" ) ; break ; default : return null ; } return topic . toString ( ) ; }
Determine the appropriate topic to use for the Framework Event .
164,598
void resetStatistics ( boolean clearHistory ) { lastTimerPop = System . currentTimeMillis ( ) ; previousCompleted = threadPool == null ? 0 : threadPool . getCompletedTaskCount ( ) ; previousThroughput = 0 ; consecutiveQueueEmptyCount = 0 ; consecutiveNoAdjustment = 0 ; consecutiveOutlierAfterAdjustment = 0 ; consecutiveIdleCount = 0 ; if ( clearHistory ) { threadStats = new TreeMap < Integer , ThroughputDistribution > ( ) ; } lastAction = LastAction . NONE ; }
Reset all statistics associated with the target thread pool .
164,599
void resetThreadPool ( ) { if ( threadPool == null ) return ; final int availableProcessors = NUMBER_CPUS ; int factor = 2500 * availableProcessors / Math . max ( 1 , ( int ) previousThroughput ) ; factor = Math . min ( factor , 4 ) ; factor = Math . max ( factor , 2 ) ; int newThreads = Math . min ( factor * availableProcessors , maxThreads ) ; newThreads = Math . max ( newThreads , coreThreads ) ; targetPoolSize = newThreads ; setPoolSize ( newThreads ) ; resetStatistics ( true ) ; }
Reset all statistics associated with the thread pool and reset the pool size to a value that s based on the number of hardware threads available to the JVM .