idx int64 0 41.2k | question stringlengths 83 4.15k | target stringlengths 5 715 |
|---|---|---|
6,700 | public static Long convertToInt ( RLPElement rpe ) { Long result = 0L ; byte [ ] rawBytes = rpe . getRawData ( ) ; if ( ( rawBytes != null ) ) { if ( rawBytes . length < EthereumUtil . INT_SIZE ) { byte [ ] fullBytes = new byte [ EthereumUtil . INT_SIZE ] ; int dtDiff = EthereumUtil . INT_SIZE - rawBytes . length ; for ( int i = 0 ; i < rawBytes . length ; i ++ ) { fullBytes [ dtDiff + i ] = rawBytes [ i ] ; result = ( long ) ByteBuffer . wrap ( fullBytes ) . getInt ( ) & 0x00000000ffffffffL ; } } else { result = ( long ) ByteBuffer . wrap ( rawBytes ) . getInt ( ) & 0x00000000ffffffffL ; } } return result ; } | Converts a int in a RLPElement to int |
6,701 | public static Long convertToLong ( RLPElement rpe ) { Long result = 0L ; byte [ ] rawBytes = rpe . getRawData ( ) ; if ( ( rawBytes != null ) ) { if ( rawBytes . length < EthereumUtil . LONG_SIZE ) { byte [ ] fullBytes = new byte [ EthereumUtil . LONG_SIZE ] ; int dtDiff = EthereumUtil . LONG_SIZE - rawBytes . length ; for ( int i = 0 ; i < rawBytes . length ; i ++ ) { fullBytes [ dtDiff + i ] = rawBytes [ i ] ; result = ByteBuffer . wrap ( fullBytes ) . getLong ( ) ; } } else { result = ByteBuffer . wrap ( rawBytes ) . getLong ( ) ; } } return result ; } | Converts a long in a RLPElement to long |
6,702 | public BitcoinAuxPOWBranch parseAuxPOWBranch ( ByteBuffer rawByteBuffer ) { byte [ ] noOfLinksVarInt = BitcoinUtil . convertVarIntByteBufferToByteArray ( rawByteBuffer ) ; long currentNoOfLinks = BitcoinUtil . getVarInt ( noOfLinksVarInt ) ; ArrayList < byte [ ] > links = new ArrayList ( ( int ) currentNoOfLinks ) ; for ( int i = 0 ; i < currentNoOfLinks ; i ++ ) { byte [ ] currentLink = new byte [ 32 ] ; rawByteBuffer . get ( currentLink , 0 , 32 ) ; links . add ( currentLink ) ; } byte [ ] branchSideBitmask = new byte [ 4 ] ; rawByteBuffer . get ( branchSideBitmask , 0 , 4 ) ; return new BitcoinAuxPOWBranch ( noOfLinksVarInt , links , branchSideBitmask ) ; } | Parse an AUXPowBranch |
6,703 | public List < BitcoinTransaction > parseTransactions ( ByteBuffer rawByteBuffer , long noOfTransactions ) { ArrayList < BitcoinTransaction > resultTransactions = new ArrayList < > ( ( int ) noOfTransactions ) ; for ( int k = 0 ; k < noOfTransactions ; k ++ ) { int currentVersion = rawByteBuffer . getInt ( ) ; byte [ ] currentInCounterVarInt = BitcoinUtil . convertVarIntByteBufferToByteArray ( rawByteBuffer ) ; long currentNoOfInputs = BitcoinUtil . getVarInt ( currentInCounterVarInt ) ; boolean segwit = false ; byte marker = 1 ; byte flag = 0 ; if ( currentNoOfInputs == 0 ) { rawByteBuffer . mark ( ) ; byte segwitFlag = rawByteBuffer . get ( ) ; if ( segwitFlag != 0 ) { segwit = true ; marker = 0 ; flag = segwitFlag ; currentInCounterVarInt = BitcoinUtil . convertVarIntByteBufferToByteArray ( rawByteBuffer ) ; currentNoOfInputs = BitcoinUtil . getVarInt ( currentInCounterVarInt ) ; } else { LOG . warn ( "It seems a block with 0 transaction inputs was found" ) ; rawByteBuffer . reset ( ) ; } } List < BitcoinTransactionInput > currentTransactionInput = parseTransactionInputs ( rawByteBuffer , currentNoOfInputs ) ; byte [ ] currentOutCounterVarInt = BitcoinUtil . convertVarIntByteBufferToByteArray ( rawByteBuffer ) ; long currentNoOfOutput = BitcoinUtil . getVarInt ( currentOutCounterVarInt ) ; List < BitcoinTransactionOutput > currentTransactionOutput = parseTransactionOutputs ( rawByteBuffer , currentNoOfOutput ) ; List < BitcoinScriptWitnessItem > currentListOfTransactionSegwits ; if ( segwit ) { currentListOfTransactionSegwits = new ArrayList < > ( ) ; for ( int i = 0 ; i < currentNoOfInputs ; i ++ ) { byte [ ] currentWitnessCounterVarInt = BitcoinUtil . convertVarIntByteBufferToByteArray ( rawByteBuffer ) ; long currentNoOfWitnesses = BitcoinUtil . getVarInt ( currentWitnessCounterVarInt ) ; List < BitcoinScriptWitness > currentTransactionSegwit = new ArrayList < > ( ( int ) currentNoOfWitnesses ) ; for ( int j = 0 ; j < ( int ) currentNoOfWitnesses ; j ++ ) { byte [ ] currentTransactionSegwitScriptLength = BitcoinUtil . convertVarIntByteBufferToByteArray ( rawByteBuffer ) ; long currentTransactionSegwitScriptSize = BitcoinUtil . getVarInt ( currentTransactionSegwitScriptLength ) ; int currentTransactionSegwitScriptSizeInt = ( int ) currentTransactionSegwitScriptSize ; byte [ ] currentTransactionInSegwitScript = new byte [ currentTransactionSegwitScriptSizeInt ] ; rawByteBuffer . get ( currentTransactionInSegwitScript , 0 , currentTransactionSegwitScriptSizeInt ) ; currentTransactionSegwit . add ( new BitcoinScriptWitness ( currentTransactionSegwitScriptLength , currentTransactionInSegwitScript ) ) ; } currentListOfTransactionSegwits . add ( new BitcoinScriptWitnessItem ( currentWitnessCounterVarInt , currentTransactionSegwit ) ) ; } } else { currentListOfTransactionSegwits = new ArrayList < > ( ) ; } int currentTransactionLockTime = rawByteBuffer . getInt ( ) ; resultTransactions . add ( new BitcoinTransaction ( marker , flag , currentVersion , currentInCounterVarInt , currentTransactionInput , currentOutCounterVarInt , currentTransactionOutput , currentListOfTransactionSegwits , currentTransactionLockTime ) ) ; } return resultTransactions ; } | Parses the Bitcoin transactions in a byte buffer . |
6,704 | public static void jobTotalNumOfTransactions ( JavaSparkContext sc , Configuration hadoopConf , String inputFile , String outputFile ) { JavaPairRDD < BytesWritable , BitcoinBlock > bitcoinBlocksRDD = sc . newAPIHadoopFile ( inputFile , BitcoinBlockFileInputFormat . class , BytesWritable . class , BitcoinBlock . class , hadoopConf ) ; JavaPairRDD < String , Long > noOfTransactionPair = bitcoinBlocksRDD . mapToPair ( new PairFunction < Tuple2 < BytesWritable , BitcoinBlock > , String , Long > ( ) { public Tuple2 < String , Long > call ( Tuple2 < BytesWritable , BitcoinBlock > tupleBlock ) { return mapNoOfTransaction ( tupleBlock . _2 ( ) ) ; } } ) ; JavaPairRDD < String , Long > totalCount = noOfTransactionPair . reduceByKey ( new Function2 < Long , Long , Long > ( ) { public Long call ( Long a , Long b ) { return reduceSumUpTransactions ( a , b ) ; } } ) ; totalCount . repartition ( 1 ) . saveAsTextFile ( outputFile ) ; } | a job for counting the total number of transactions |
6,705 | public static Tuple2 < String , Long > mapNoOfTransaction ( BitcoinBlock block ) { return new Tuple2 < String , Long > ( "No of transactions: " , ( long ) ( block . getTransactions ( ) . size ( ) ) ) ; } | Maps the number of transactions of a block to a tuple |
6,706 | @ Action ( name = "Invoke AWS Lambda Function" , outputs = { @ Output ( Outputs . RETURN_CODE ) , @ Output ( Outputs . RETURN_RESULT ) , @ Output ( Outputs . EXCEPTION ) } , responses = { @ Response ( text = Outputs . SUCCESS , field = Outputs . RETURN_CODE , value = Outputs . SUCCESS_RETURN_CODE , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . RESOLVED ) , @ Response ( text = Outputs . FAILURE , field = Outputs . RETURN_CODE , value = Outputs . FAILURE_RETURN_CODE , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . ERROR ) } ) public Map < String , String > execute ( @ Param ( value = IDENTITY , required = true ) String identity , @ Param ( value = CREDENTIAL , required = true , encrypted = true ) String credential , @ Param ( value = REGION , required = true ) String region , @ Param ( value = PROXY_HOST ) String proxyHost , @ Param ( value = PROXY_PORT ) String proxyPort , @ Param ( value = PROXY_USERNAME ) String proxyUsername , @ Param ( value = PROXY_PASSWORD ) String proxyPassword , @ Param ( value = FUNCTION_NAME , required = true ) String function , @ Param ( value = FUNCTION_QUALIFIER ) String qualifier , @ Param ( value = FUNCTION_PAYLOAD ) String payload , @ Param ( value = CONNECT_TIMEOUT ) String connectTimeoutMs , @ Param ( value = EXECUTION_TIMEOUT ) String execTimeoutMs ) { proxyPort = defaultIfEmpty ( proxyPort , DefaultValues . PROXY_PORT ) ; connectTimeoutMs = defaultIfEmpty ( connectTimeoutMs , DefaultValues . CONNECT_TIMEOUT ) ; execTimeoutMs = defaultIfBlank ( execTimeoutMs , DefaultValues . EXEC_TIMEOUT ) ; qualifier = defaultIfBlank ( qualifier , DefaultValues . DEFAULT_FUNCTION_QUALIFIER ) ; ClientConfiguration lambdaClientConf = AmazonWebServiceClientUtil . getClientConfiguration ( proxyHost , proxyPort , proxyUsername , proxyPassword , connectTimeoutMs , execTimeoutMs ) ; AWSLambdaAsyncClient client = ( AWSLambdaAsyncClient ) AWSLambdaAsyncClientBuilder . standard ( ) . withClientConfiguration ( lambdaClientConf ) . withCredentials ( new AWSStaticCredentialsProvider ( new BasicAWSCredentials ( identity , credential ) ) ) . withRegion ( region ) . build ( ) ; InvokeRequest invokeRequest = new InvokeRequest ( ) . withFunctionName ( function ) . withQualifier ( qualifier ) . withPayload ( payload ) . withSdkClientExecutionTimeout ( Integer . parseInt ( execTimeoutMs ) ) ; try { InvokeResult invokeResult = client . invoke ( invokeRequest ) ; return OutputUtilities . getSuccessResultsMap ( new String ( invokeResult . getPayload ( ) . array ( ) ) ) ; } catch ( Exception e ) { return OutputUtilities . getFailureResultsMap ( e ) ; } } | Invokes an AWS Lambda Function in sync mode using AWS Java SDK |
6,707 | @ Action ( name = "Customize Linux Guest" , outputs = { @ Output ( Outputs . RETURN_CODE ) , @ Output ( Outputs . RETURN_RESULT ) , @ Output ( Outputs . EXCEPTION ) } , responses = { @ Response ( text = Outputs . SUCCESS , field = Outputs . RETURN_CODE , value = Outputs . RETURN_CODE_SUCCESS , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . RESOLVED ) , @ Response ( text = Outputs . FAILURE , field = Outputs . RETURN_CODE , value = Outputs . RETURN_CODE_FAILURE , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . ERROR , isOnFail = true ) } ) public Map < String , String > customizeLinuxGuest ( @ Param ( value = Inputs . HOST , required = true ) String host , @ Param ( value = PORT ) String port , @ Param ( value = PROTOCOL ) String protocol , @ Param ( value = USERNAME , required = true ) String username , @ Param ( value = PASSWORD , encrypted = true ) String password , @ Param ( value = TRUST_EVERYONE ) String trustEveryone , @ Param ( value = CLOSE_SESSION ) String closeSession , @ Param ( value = VM_NAME , required = true ) String virtualMachineName , @ Param ( value = COMPUTER_NAME , required = true ) String computerName , @ Param ( value = DOMAIN ) String domain , @ Param ( value = IP_ADDRESS ) String ipAddress , @ Param ( value = SUBNET_MASK ) String subnetMask , @ Param ( value = DEFAULT_GATEWAY ) String defaultGateway , @ Param ( value = UTC_CLOCK ) String hwClockUTC , @ Param ( value = TIME_ZONE ) String timeZone , @ Param ( value = VMWARE_GLOBAL_SESSION_OBJECT ) GlobalSessionObject < Map < String , Connection > > globalSessionObject ) { try { final HttpInputs httpInputs = new HttpInputs . HttpInputsBuilder ( ) . withHost ( host ) . withPort ( port ) . withProtocol ( protocol ) . withUsername ( username ) . withPassword ( password ) . withTrustEveryone ( defaultIfEmpty ( trustEveryone , FALSE ) ) . withCloseSession ( defaultIfEmpty ( closeSession , TRUE ) ) . withGlobalSessionObject ( globalSessionObject ) . build ( ) ; final VmInputs vmInputs = new VmInputs . VmInputsBuilder ( ) . withVirtualMachineName ( virtualMachineName ) . build ( ) ; final GuestInputs guestInputs = new GuestInputs . GuestInputsBuilder ( ) . withComputerName ( computerName ) . withDomain ( domain ) . withIpAddress ( ipAddress ) . withSubnetMask ( subnetMask ) . withDefaultGateway ( defaultGateway ) . withHwClockUTC ( hwClockUTC ) . withTimeZone ( timeZone ) . build ( ) ; return new GuestService ( ) . customizeVM ( httpInputs , vmInputs , guestInputs , false ) ; } catch ( Exception ex ) { return OutputUtilities . getFailureResultsMap ( ex ) ; } } | Connects to specified data center and customize an existing linux OS based virtual machine identified by the inputs provided . |
6,708 | @ Action ( name = "Array Size" , outputs = { @ Output ( OutputNames . RETURN_RESULT ) , @ Output ( OutputNames . RETURN_CODE ) , @ Output ( OutputNames . EXCEPTION ) } , responses = { @ Response ( text = ResponseNames . SUCCESS , field = OutputNames . RETURN_CODE , value = ReturnCodes . SUCCESS , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . RESOLVED ) , @ Response ( text = ResponseNames . FAILURE , field = OutputNames . RETURN_CODE , value = ReturnCodes . FAILURE , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . ERROR , isOnFail = true ) } ) public Map < String , String > execute ( @ Param ( value = Constants . InputNames . ARRAY , required = true ) String array ) { Map < String , String > returnResult = new HashMap < > ( ) ; if ( StringUtilities . isBlank ( array ) ) { return populateResult ( returnResult , new Exception ( NOT_A_VALID_JSON_ARRAY_MESSAGE ) ) ; } JsonNode jsonNode ; try { ObjectMapper mapper = new ObjectMapper ( ) ; jsonNode = mapper . readTree ( array ) ; } catch ( IOException exception ) { final String value = "Invalid jsonObject provided! " + exception . getMessage ( ) ; return populateResult ( returnResult , value , exception ) ; } final String result ; if ( jsonNode instanceof ArrayNode ) { final ArrayNode asJsonArray = ( ArrayNode ) jsonNode ; result = Integer . toString ( asJsonArray . size ( ) ) ; } else { return populateResult ( returnResult , new Exception ( NOT_A_VALID_JSON_ARRAY_MESSAGE ) ) ; } return populateResult ( returnResult , result , null ) ; } | This operation determines the number of elements in the given JSON array . If an element is itself another JSON array it only counts as 1 element ; in other words it will not expand and count embedded arrays . Null values are also considered to be an element . |
6,709 | public static String parseXml ( String xml , String expression ) throws ParserConfigurationException , IOException , XPathExpressionException , SAXException { DocumentBuilder builder = ResourceLoader . getDocumentBuilder ( ) ; Document document ; try { document = builder . parse ( new InputSource ( new StringReader ( xml ) ) ) ; } catch ( SAXException e ) { throw new RuntimeException ( RESPONSE_IS_NOT_WELL_FORMED + xml , e ) ; } XPath xPath = XPathFactory . newInstance ( ) . newXPath ( ) ; return xPath . compile ( expression ) . evaluate ( document ) ; } | Parse the content of the given xml input and evaluates the given XPath expression . |
6,710 | @ Action ( name = "Validate" , outputs = { @ Output ( RETURN_CODE ) , @ Output ( RESULT_TEXT ) , @ Output ( RETURN_RESULT ) , @ Output ( ERROR_MESSAGE ) } , responses = { @ Response ( text = ResponseNames . SUCCESS , field = RETURN_CODE , value = SUCCESS , matchType = COMPARE_EQUAL ) , @ Response ( text = ResponseNames . FAILURE , field = RETURN_CODE , value = FAILURE , matchType = COMPARE_EQUAL , isDefault = true , isOnFail = true ) } ) public Map < String , String > execute ( @ Param ( value = XML_DOCUMENT , required = true ) String xmlDocument , @ Param ( value = XML_DOCUMENT_SOURCE ) String xmlDocumentSource , @ Param ( value = XSD_DOCUMENT ) String xsdDocument , @ Param ( value = XSD_DOCUMENT_SOURCE ) String xsdDocumentSource , @ Param ( value = USERNAME ) String username , @ Param ( value = PASSWORD , encrypted = true ) String password , @ Param ( value = TRUST_ALL_ROOTS ) String trustAllRoots , @ Param ( value = KEYSTORE ) String keystore , @ Param ( value = KEYSTORE_PASSWORD , encrypted = true ) String keystorePassword , @ Param ( value = TRUST_KEYSTORE ) String trustKeystore , @ Param ( value = TRUST_PASSWORD , encrypted = true ) String trustPassword , @ Param ( value = X_509_HOSTNAME_VERIFIER ) String x509HostnameVerifier , @ Param ( value = PROXY_HOST ) String proxyHost , @ Param ( value = PROXY_PORT ) String proxyPort , @ Param ( value = PROXY_USERNAME ) String proxyUsername , @ Param ( value = PROXY_PASSWORD , encrypted = true ) String proxyPassword , @ Param ( value = SECURE_PROCESSING ) String secureProcessing ) { final CommonInputs inputs = new CommonInputs . CommonInputsBuilder ( ) . withXmlDocument ( xmlDocument ) . withXmlDocumentSource ( xmlDocumentSource ) . withUsername ( username ) . withPassword ( password ) . withTrustAllRoots ( trustAllRoots ) . withKeystore ( keystore ) . withKeystorePassword ( keystorePassword ) . withTrustKeystore ( trustKeystore ) . withTrustPassword ( trustPassword ) . withX509HostnameVerifier ( x509HostnameVerifier ) . withProxyHost ( proxyHost ) . withProxyPort ( proxyPort ) . withProxyUsername ( proxyUsername ) . withProxyPassword ( proxyPassword ) . withSecureProcessing ( secureProcessing ) . build ( ) ; final CustomInputs customInputs = new CustomInputs . CustomInputsBuilder ( ) . withXsdDocument ( xsdDocument ) . withXsdDocumentSource ( xsdDocumentSource ) . build ( ) ; return new ValidateService ( ) . execute ( inputs , customInputs ) ; } | Service to validate an XML document . Input must be given for either xmlDocument or for xmlLocation . The xsdLocation input is optional but if specified then the XML document will be validated against the XSD schema . |
6,711 | @ Action ( name = "Remove" , outputs = { @ Output ( RETURN_CODE ) , @ Output ( RETURN_RESULT ) , @ Output ( RESULT_XML ) , @ Output ( ERROR_MESSAGE ) } , responses = { @ Response ( text = ResponseNames . SUCCESS , field = RETURN_CODE , value = SUCCESS , matchType = COMPARE_EQUAL ) , @ Response ( text = ResponseNames . FAILURE , field = RETURN_CODE , value = FAILURE , matchType = COMPARE_EQUAL , isDefault = true , isOnFail = true ) } ) public Map < String , String > execute ( @ Param ( value = Constants . Inputs . XML_DOCUMENT , required = true ) String xmlDocument , @ Param ( Constants . Inputs . XML_DOCUMENT_SOURCE ) String xmlDocumentSource , @ Param ( value = Constants . Inputs . XPATH_ELEMENT_QUERY , required = true ) String xPathQuery , @ Param ( Constants . Inputs . ATTRIBUTE_NAME ) String attributeName , @ Param ( Constants . Inputs . SECURE_PROCESSING ) String secureProcessing ) { Map < String , String > result = new HashMap < > ( ) ; try { final CommonInputs inputs = new CommonInputs . CommonInputsBuilder ( ) . withXmlDocument ( xmlDocument ) . withXmlDocumentSource ( xmlDocumentSource ) . withXpathQuery ( xPathQuery ) . withSecureProcessing ( secureProcessing ) . build ( ) ; final CustomInputs customInputs = new CustomInputs . CustomInputsBuilder ( ) . withAttributeName ( attributeName ) . build ( ) ; result = new RemoveService ( ) . execute ( inputs , customInputs ) ; } catch ( Exception e ) { ResultUtils . populateFailureResult ( result , Constants . ErrorMessages . PARSING_ERROR + e . getMessage ( ) ) ; } return result ; } | Removes an element or attribute from an XML document . |
6,712 | public static String loadAsString ( String resourceFileName ) throws IOException , URISyntaxException { try ( InputStream is = ResourceLoader . class . getClassLoader ( ) . getResourceAsStream ( resourceFileName ) ) { StringWriter stringWriter = new StringWriter ( ) ; IOUtils . copy ( is , stringWriter , StandardCharsets . UTF_8 ) ; return stringWriter . toString ( ) ; } } | Loads the contents of a project resource file in a string . |
6,713 | @ Action ( name = "List Item Grabber" , outputs = { @ Output ( RESULT_TEXT ) , @ Output ( RESPONSE ) , @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = RETURN_CODE_SUCCESS , matchType = MatchType . COMPARE_EQUAL ) , @ Response ( text = FAILURE , field = RESPONSE , value = RETURN_CODE_FAILURE , matchType = MatchType . COMPARE_EQUAL , isOnFail = true , isDefault = true ) } ) public Map < String , String > grabItemFromList ( @ Param ( value = LIST , required = true ) String list , @ Param ( value = DELIMITER , required = true ) String delimiter , @ Param ( value = INDEX , required = true ) String index ) { Map < String , String > result = new HashMap < > ( ) ; try { String [ ] table = ListProcessor . toArray ( list , delimiter ) ; int resolvedIndex ; try { resolvedIndex = ListProcessor . getIndex ( index , table . length ) ; } catch ( NumberFormatException e ) { throw new NumberFormatException ( e . getMessage ( ) + WHILE_PARSING_INDEX ) ; } String value = table [ resolvedIndex ] ; result . put ( RESULT_TEXT , value ) ; result . put ( RESPONSE , SUCCESS ) ; result . put ( RETURN_RESULT , value ) ; result . put ( RETURN_CODE , RETURN_CODE_SUCCESS ) ; } catch ( Exception e ) { result . put ( RESULT_TEXT , e . getMessage ( ) ) ; result . put ( RESPONSE , FAILURE ) ; result . put ( RETURN_RESULT , e . getMessage ( ) ) ; result . put ( RETURN_CODE , RETURN_CODE_FAILURE ) ; } return result ; } | This operation is used to retrieve a value from a list . When the index of an element from a list is known this operation can be used to extract the element . |
6,714 | @ Action ( name = "Default if empty" , description = OPERATION_DESC , outputs = { @ Output ( value = RETURN_CODE , description = RETURN_CODE_DESC ) , @ Output ( value = RETURN_RESULT , description = RETURN_RESULT_DESC ) , @ Output ( value = EXCEPTION , description = EXCEPTION_DESC ) , } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = ReturnCodes . SUCCESS , matchType = COMPARE_EQUAL , responseType = RESOLVED , description = SUCCESS_DESC ) , @ Response ( text = FAILURE , field = RETURN_CODE , value = ReturnCodes . FAILURE , matchType = COMPARE_EQUAL , responseType = ERROR , isOnFail = true , description = FAILURE_DESC ) } ) public Map < String , String > execute ( @ Param ( value = INITIAL_VALUE , description = INITIAL_VALUE_DESC ) String initialValue , @ Param ( value = DEFAULT_VALUE , required = true , description = DEFAULT_VALUE_DESC ) String defaultValue , @ Param ( value = TRIM , description = TRIM_DESC ) String trim ) { try { trim = defaultIfBlank ( trim , BooleanValues . TRUE ) ; final boolean validTrim = toBoolean ( trim ) ; return getSuccessResultsMap ( DefaultIfEmptyService . defaultIfBlankOrEmpty ( initialValue , defaultValue , validTrim ) ) ; } catch ( Exception e ) { return getFailureResultsMap ( e ) ; } } | This operation checks if a string is blank or empty and if it s true a default value will be assigned instead of the initial string . |
6,715 | protected void validateDelimiters ( String rowDelimiter , String columnDelimiter ) throws Exception { if ( rowDelimiter . equals ( columnDelimiter ) ) { throw new Exception ( INVALID_DELIMITERS ) ; } if ( StringUtils . contains ( columnDelimiter , rowDelimiter ) ) { throw new Exception ( INVALID_ROW_DELIMITER ) ; } } | This method checks if the delimiters are equal and if the row delimiter is a substring of the column delimiter and throws an exception with the appropriate message . |
6,716 | protected Object [ ] extractHeaderNamesAndValues ( String headersMap , String rowDelimiter , String columnDelimiter ) throws Exception { String [ ] rows = headersMap . split ( Pattern . quote ( rowDelimiter ) ) ; ArrayList < String > headerNames = new ArrayList < > ( ) ; ArrayList < String > headerValues = new ArrayList < > ( ) ; for ( int i = 0 ; i < rows . length ; i ++ ) { if ( isEmpty ( rows [ i ] ) ) { continue ; } else { if ( validateRow ( rows [ i ] , columnDelimiter , i ) ) { String [ ] headerNameAndValue = rows [ i ] . split ( Pattern . quote ( columnDelimiter ) ) ; headerNames . add ( i , headerNameAndValue [ 0 ] . trim ( ) ) ; headerValues . add ( i , headerNameAndValue [ 1 ] . trim ( ) ) ; } } } return new Object [ ] { headerNames , headerValues } ; } | This method extracts and returns an object containing two Lists . A list with the header names and a list with the header values . Values found on same position in the two lists correspond to each other . |
6,717 | protected boolean validateRow ( String row , String columnDelimiter , int rowNumber ) throws Exception { if ( row . contains ( columnDelimiter ) ) { if ( row . equals ( columnDelimiter ) ) { throw new Exception ( format ( ROW_WITH_EMPTY_HEADERS_INPUT , rowNumber + 1 ) ) ; } else { String [ ] headerNameAndValue = row . split ( Pattern . quote ( columnDelimiter ) ) ; if ( StringUtils . countMatches ( row , columnDelimiter ) > 1 ) { throw new Exception ( format ( ROW_WITH_MULTIPLE_COLUMN_DELIMITERS_IN_HEADERS_INPUT , rowNumber + 1 ) ) ; } else { if ( headerNameAndValue . length == 1 ) { throw new Exception ( format ( ROW_WITH_MISSING_VALUE_FOR_HEADER , rowNumber + 1 ) ) ; } else { return true ; } } } } else { throw new Exception ( "Row #" + ( rowNumber + 1 ) + " in the 'headers' input has no column delimiter." ) ; } } | This method validates a row contained in the headers input of the operation . |
6,718 | protected SMTPMessage addHeadersToSMTPMessage ( SMTPMessage message , List < String > headerNames , List < String > headerValues ) throws MessagingException { SMTPMessage msg = new SMTPMessage ( message ) ; Iterator namesIter = headerNames . iterator ( ) ; Iterator valuesIter = headerValues . iterator ( ) ; while ( namesIter . hasNext ( ) && valuesIter . hasNext ( ) ) { String headerName = ( String ) namesIter . next ( ) ; String headerValue = ( String ) valuesIter . next ( ) ; if ( msg . getHeader ( headerName ) != null ) { msg . addHeader ( headerName , headerValue ) ; } else { msg . setHeader ( headerName , headerValue ) ; } } return msg ; } | The method creates a copy of the SMTPMessage object passed through the arguments list and adds the headers to the copied object then returns it . If the header is already present in the message then its values list will be updated with the given header value . |
6,719 | private static String getLowerCaseString ( final String string ) { return StringUtils . strip ( string ) . toLowerCase ( ) ; } | Given a string it lowercase it and strips the blank spaces from the ends |
6,720 | @ Action ( name = "List Contains All" , outputs = { @ Output ( RESPONSE_TEXT ) , @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) , @ Output ( EXCEPTION ) } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = RETURN_CODE_SUCCESS , matchType = MatchType . COMPARE_EQUAL ) , @ Response ( text = FAILURE , field = RETURN_CODE , value = RETURN_CODE_FAILURE , matchType = MatchType . COMPARE_EQUAL , isOnFail = true , isDefault = true ) } ) public Map < String , String > containsElement ( @ Param ( value = SUBLIST , required = true ) String sublist , @ Param ( value = CONTAINER , required = true ) String container , @ Param ( value = DELIMITER ) String delimiter , @ Param ( value = IGNORE_CASE ) String ignoreCase ) { Map < String , String > result = new HashMap < > ( ) ; try { delimiter = InputsUtils . getInputDefaultValue ( delimiter , Constants . DEFAULT_DELIMITER ) ; String [ ] subArray = sublist . split ( delimiter ) ; String [ ] containerArray = container . split ( delimiter ) ; String [ ] uncontainedArray = ListProcessor . getUncontainedArray ( subArray , containerArray , InputsUtils . toBoolean ( ignoreCase , true , IGNORE_CASE ) ) ; if ( ListProcessor . arrayElementsAreNull ( uncontainedArray ) ) { result . put ( RESPONSE_TEXT , TRUE ) ; result . put ( RETURN_RESULT , EMPTY_STRING ) ; result . put ( RETURN_CODE , RETURN_CODE_SUCCESS ) ; result . put ( EXCEPTION , EMPTY_STRING ) ; } else { result . put ( RESPONSE , FALSE ) ; result . put ( RETURN_CODE , RETURN_CODE_FAILURE ) ; result . put ( RETURN_RESULT , StringUtils . join ( uncontainedArray , delimiter ) ) ; result . put ( EXCEPTION , EMPTY_STRING ) ; } } catch ( Exception e ) { result . put ( RESPONSE , FAILURE ) ; result . put ( RETURN_RESULT , EMPTY_STRING ) ; result . put ( RETURN_CODE , RETURN_CODE_FAILURE ) ; result . put ( EXCEPTION , e . getMessage ( ) ) ; } return result ; } | This method checks to see if a list contains every element in another list . |
6,721 | public static String execQueryAllRows ( final SQLInputs sqlInputs ) throws Exception { ConnectionService connectionService = new ConnectionService ( ) ; try ( final Connection connection = connectionService . setUpConnection ( sqlInputs ) ) { connection . setReadOnly ( true ) ; Statement statement = connection . createStatement ( sqlInputs . getResultSetType ( ) , sqlInputs . getResultSetConcurrency ( ) ) ; statement . setQueryTimeout ( sqlInputs . getTimeout ( ) ) ; final ResultSet resultSet = statement . executeQuery ( sqlInputs . getSqlCommand ( ) ) ; final String resultSetToDelimitedColsAndRows = Format . resultSetToDelimitedColsAndRows ( resultSet , sqlInputs . isNetcool ( ) , sqlInputs . getColDelimiter ( ) , sqlInputs . getRowDelimiter ( ) ) ; if ( resultSet != null ) { resultSet . close ( ) ; } return resultSetToDelimitedColsAndRows ; } } | todo Run a SQL query with given configuration |
6,722 | public static ObjectContent [ ] getObjectProperties ( ConnectionResources connectionResources , ManagedObjectReference mor , String [ ] properties ) throws RuntimeFaultFaultMsg , InvalidPropertyFaultMsg { if ( mor == null ) { return new ObjectContent [ 0 ] ; } PropertyFilterSpec spec = new PropertyFilterSpec ( ) ; spec . getPropSet ( ) . add ( new PropertySpec ( ) ) ; if ( ( properties == null || properties . length == 0 ) ) { spec . getPropSet ( ) . get ( 0 ) . setAll ( true ) ; } else { spec . getPropSet ( ) . get ( 0 ) . setAll ( false ) ; } spec . getPropSet ( ) . get ( 0 ) . setType ( mor . getType ( ) ) ; spec . getPropSet ( ) . get ( 0 ) . getPathSet ( ) . addAll ( Arrays . asList ( properties ) ) ; spec . getObjectSet ( ) . add ( new ObjectSpec ( ) ) ; spec . getObjectSet ( ) . get ( 0 ) . setObj ( mor ) ; spec . getObjectSet ( ) . get ( 0 ) . setSkip ( false ) ; List < PropertyFilterSpec > propertyFilterSpecs = new ArrayList < > ( 1 ) ; propertyFilterSpecs . add ( spec ) ; List < ObjectContent > objectContentList = retrievePropertiesAllObjects ( connectionResources , propertyFilterSpecs ) ; return objectContentList . toArray ( new ObjectContent [ objectContentList . size ( ) ] ) ; } | Retrieve contents for a single object based on the property collector registered with the service . |
6,723 | private static List < ObjectContent > retrievePropertiesAllObjects ( ConnectionResources connectionResources , List < PropertyFilterSpec > propertyFilterSpecList ) throws RuntimeFaultFaultMsg , InvalidPropertyFaultMsg { VimPortType vimPort = connectionResources . getVimPortType ( ) ; ManagedObjectReference serviceInstance = connectionResources . getServiceInstance ( ) ; ServiceContent serviceContent = vimPort . retrieveServiceContent ( serviceInstance ) ; ManagedObjectReference propertyCollectorReference = serviceContent . getPropertyCollector ( ) ; RetrieveOptions propertyObjectRetrieveOptions = new RetrieveOptions ( ) ; List < ObjectContent > objectContentList = new ArrayList < > ( ) ; RetrieveResult results = vimPort . retrievePropertiesEx ( propertyCollectorReference , propertyFilterSpecList , propertyObjectRetrieveOptions ) ; if ( results != null && results . getObjects ( ) != null && ! results . getObjects ( ) . isEmpty ( ) ) { objectContentList . addAll ( results . getObjects ( ) ) ; } String token = null ; if ( results != null && results . getToken ( ) != null ) { token = results . getToken ( ) ; } while ( token != null && ! token . isEmpty ( ) ) { results = vimPort . continueRetrievePropertiesEx ( propertyCollectorReference , token ) ; token = null ; if ( results != null ) { token = results . getToken ( ) ; if ( results . getObjects ( ) != null && ! results . getObjects ( ) . isEmpty ( ) ) { objectContentList . addAll ( results . getObjects ( ) ) ; } } } return objectContentList ; } | Uses the new RetrievePropertiesEx method to emulate the now deprecated RetrieveProperties method |
6,724 | public static void validateInputs ( EditXmlInputs inputs ) throws Exception { validateXmlAndFilePathInputs ( inputs . getXml ( ) , inputs . getFilePath ( ) ) ; if ( Constants . Inputs . MOVE_ACTION . equals ( inputs . getAction ( ) ) ) { validateIsNotEmpty ( inputs . getXpath2 ( ) , "xpath2 input is required for action 'move' " ) ; } if ( ! Constants . Inputs . SUBNODE_ACTION . equals ( inputs . getAction ( ) ) && ! Constants . Inputs . MOVE_ACTION . equals ( inputs . getAction ( ) ) ) { validateIsNotEmpty ( inputs . getType ( ) , "type input is required for action '" + inputs . getAction ( ) + "'" ) ; if ( ! Constants . Inputs . TYPE_ELEM . equals ( inputs . getType ( ) ) && ! Constants . Inputs . TYPE_ATTR . equals ( inputs . getType ( ) ) && ! Constants . Inputs . TYPE_TEXT . equals ( inputs . getType ( ) ) ) { throw new Exception ( "Invalid type. Only supported : " + Constants . Inputs . TYPE_ELEM + ", " + Constants . Inputs . TYPE_ATTR + ", " + Constants . Inputs . TYPE_TEXT ) ; } if ( Constants . Inputs . TYPE_ATTR . equals ( inputs . getType ( ) ) ) { validateIsNotEmpty ( inputs . getName ( ) , "name input is required for type 'attr' " ) ; } } } | Validates the operation inputs . |
6,725 | @ Action ( name = "Get shared access key token for Azure" , outputs = { @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) , @ Output ( EXCEPTION ) } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = ReturnCodes . SUCCESS , matchType = COMPARE_EQUAL , responseType = RESOLVED ) , @ Response ( text = FAILURE , field = RETURN_CODE , value = ReturnCodes . FAILURE , matchType = COMPARE_EQUAL , responseType = ERROR ) } ) public Map < String , String > execute ( @ Param ( value = IDENTIFIER , required = true ) final String identifier , @ Param ( value = PRIMARY_OR_SECONDARY_KEY , required = true ) final String primaryOrSecondaryKey , @ Param ( value = EXPIRY , required = true ) final String expiry ) { final List < String > exceptionMessages = InputsValidation . verifySharedAccessInputs ( identifier , primaryOrSecondaryKey , expiry ) ; if ( ! exceptionMessages . isEmpty ( ) ) { final String errorMessage = StringUtilities . join ( exceptionMessages , System . lineSeparator ( ) ) ; return getFailureResultsMap ( errorMessage ) ; } try { final Date expiryDate = DateUtilities . parseDate ( expiry . trim ( ) ) ; return getSuccessResultsMap ( getToken ( identifier . trim ( ) , primaryOrSecondaryKey . trim ( ) , expiryDate ) ) ; } catch ( Exception exception ) { return getFailureResultsMap ( exception ) ; } } | Generates the shared access key token for Azure API calls . |
6,726 | @ Action ( name = "List Sort" , outputs = { @ Output ( RESULT_TEXT ) , @ Output ( RESPONSE ) , @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = RETURN_CODE_SUCCESS , matchType = MatchType . COMPARE_EQUAL ) , @ Response ( text = FAILURE , field = RETURN_CODE , value = RETURN_CODE_FAILURE , matchType = MatchType . COMPARE_EQUAL , isOnFail = true , isDefault = true ) } ) public Map < String , String > sortList ( @ Param ( value = LIST , required = true ) String list , @ Param ( value = DELIMITER , required = true ) String delimiter , @ Param ( value = REVERSE ) String reverse ) { Map < String , String > result = new HashMap < > ( ) ; try { String sortedList = sort ( list , Boolean . parseBoolean ( reverse ) , delimiter ) ; result . put ( RESULT_TEXT , sortedList ) ; result . put ( RESPONSE , SUCCESS ) ; result . put ( RETURN_RESULT , sortedList ) ; result . put ( RETURN_CODE , RETURN_CODE_SUCCESS ) ; } catch ( Exception e ) { result . put ( RESULT_TEXT , e . getMessage ( ) ) ; result . put ( RESPONSE , FAILURE ) ; result . put ( RETURN_RESULT , e . getMessage ( ) ) ; result . put ( RETURN_CODE , RETURN_CODE_FAILURE ) ; } return result ; } | This method sorts a list of strings . If the list contains only numerical strings it is sorted in numerical order . Otherwise it is sorted alphabetically . |
6,727 | @ Action ( name = "List Remover" , outputs = { @ Output ( RESPONSE ) , @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = RETURN_CODE_SUCCESS , matchType = MatchType . COMPARE_EQUAL ) , @ Response ( text = FAILURE , field = RETURN_CODE , value = RETURN_CODE_FAILURE , matchType = MatchType . COMPARE_EQUAL , isOnFail = true , isDefault = true ) } ) public Map < String , String > removeElement ( @ Param ( value = LIST , required = true ) String list , @ Param ( value = ELEMENT , required = true ) String index , @ Param ( value = DELIMITER , required = true ) String delimiter ) { Map < String , String > result = new HashMap < > ( ) ; try { if ( StringUtils . isEmpty ( list ) || StringUtils . isEmpty ( index ) || StringUtils . isEmpty ( delimiter ) ) { throw new RuntimeException ( EMPTY_INPUT_EXCEPTION ) ; } else { String [ ] elements = StringUtils . split ( list , delimiter ) ; elements = ArrayUtils . remove ( elements , Integer . parseInt ( index ) ) ; result . put ( RESPONSE , SUCCESS ) ; result . put ( RETURN_RESULT , StringUtils . join ( elements , delimiter ) ) ; result . put ( RETURN_CODE , RETURN_CODE_SUCCESS ) ; } } catch ( Exception e ) { result . put ( RESPONSE , FAILURE ) ; result . put ( RETURN_RESULT , e . getMessage ( ) ) ; result . put ( RETURN_CODE , RETURN_CODE_FAILURE ) ; } return result ; } | This method removes an element from a list of strings . |
6,728 | public DataSource openPooledDataSource ( DBType aDbType , String aDbUrl , String aUsername , String aPassword ) throws SQLException { final DataSource unPooledDS = DataSources . unpooledDataSource ( aDbUrl , aUsername , aPassword ) ; final Map < String , String > props = this . getPoolingProperties ( aDbType ) ; return DataSources . pooledDataSource ( unPooledDS , props ) ; } | get the pooled datasource from c3p0 pool |
6,729 | private Map < String , String > getPoolingProperties ( DBType aDbType ) { Map < String , String > retMap = new HashMap < > ( ) ; String acqIncSize = this . getPropStringValue ( CONNECTION_ACQUIREINCREMENT_SIZE_NAME , CONNECTION_ACQUIREINCREMENT_SIZE_DEFAULT_VALUE ) ; retMap . put ( C3P0_ACQUIRE_INCREMENT_NAME , acqIncSize ) ; String retryCount = this . getPropStringValue ( CONNECTION_RETRY_COUNT_NAME , CONNECTION_RETRY_COUNT_DEFAULT_VALUE ) ; retMap . put ( C3P0_ACQUIRE_RETRY_ATTEMPTS_NAME , retryCount ) ; String retryDelay = this . getPropStringValue ( CONNECTION_RETRY_DELAY_NAME , CONNECTION_RETRY_DELAY_DEFAULT_VALUE ) ; retMap . put ( C3P0_ACQUIRE_RETRY_DELAY_NAME , retryDelay ) ; String testPeriod = this . getPropStringValue ( CONNECTION_TEST_PERIOD_NAME , CONNECTION_TEST_PERIOD_DEFAULT_VALUE ) ; retMap . put ( C3P0_IDLE_CONNECTION_TEST_PERIOD_NAME , testPeriod ) ; String bTestOnCheckIn = this . getPropStringValue ( CONNECTION_TEST_ONCHECKIN_NAME , CONNECTION_TEST_ONCHECKIN_DEFAULT_VALUE ) ; retMap . put ( C3P0_TEST_CONNECTION_ON_CHECKIN_NAME , bTestOnCheckIn ) ; String bTestOnCheckOut = this . getPropStringValue ( CONNECTION_TEST_ONCHECKOUT_NAME , CONNECTION_TEST_ONCHECKOUT_DEFAULT_VALUE ) ; retMap . put ( C3P0_TEST_CONNECTION_ON_CHECKOUT_NAME , bTestOnCheckOut ) ; String maxIdleTime = this . getPropStringValue ( CONNECTION_MAX_IDLETIME_NAME , CONNECTION_MAX_IDLETIME_DEFAULT_VALUE ) ; retMap . put ( C3P0_MAX_IDLE_TIME_NAME , maxIdleTime ) ; String maxPoolSize = this . getPropStringValue ( MAX_POOL_SIZE_NAME , MAX_POOL_SIZE_DEFAULT_VALUE ) ; retMap . put ( C3P0_MAX_POOL_SIZE_NAME , maxPoolSize ) ; String minPoolSize = this . getPropStringValue ( MIN_POOL_SIZE_NAME , MIN_POOL_SIZE_DEFAULT_VALUE ) ; retMap . put ( C3P0_MIN_POOL_SIZE_NAME , minPoolSize ) ; String initPoolSize = this . getPropStringValue ( INIT_POOL_SIZE_NAME , INIT_POOL_SIZE_DEFAULT_VALUE ) ; retMap . put ( C3P0_INIT_POOL_SIZE_NAME , initPoolSize ) ; String conTimeout = this . getPropStringValue ( CONNECTION_CHECKOUT_TIMEOUT_NAME , CONNECTION_CHECKOUT_TIMEOUT_DEFAULT_VALUE ) ; retMap . put ( C3P0_CHECKOUT_TIMEOUT_NAME , conTimeout ) ; String breakAfterFailure = this . getPropStringValue ( CONNECTION_BREAKAFTERACQUIREFAILURE_NAME , CONNECTION_BREAKAFTERACQUIREFAILURE_DEFAULT_VALUE ) ; retMap . put ( C3P0_BREAK_AFTERACQUIREFAILURE_NAME , breakAfterFailure ) ; String conLifeTimeName ; switch ( aDbType ) { case ORACLE : conLifeTimeName = ORACLE_CONNECTION_LIFETIME_NAME ; break ; case MSSQL : conLifeTimeName = MSSQL_CONNECTION_LIFETIME_NAME ; break ; case MYSQL : conLifeTimeName = MYSQL_CONNECTION_LIFETIME_NAME ; break ; case SYBASE : conLifeTimeName = SYBASE_CONNECTION_LIFETIME_NAME ; break ; case DB2 : conLifeTimeName = DB2_CONNECTION_LIFETIME_NAME ; break ; case NETCOOL : conLifeTimeName = NETCOOL_CONNECTION_LIFETIME_NAME ; break ; default : conLifeTimeName = CUSTOM_CONNECTION_LIFETIME_NAME ; break ; } String connectionLifetime = this . getPropStringValue ( conLifeTimeName , CONNECTION_LIFETIME_DEFAULT_VALUE ) ; retMap . put ( C3P0_MAX_CONNECTION_AGE_NAME , connectionLifetime ) ; return retMap ; } | set up the properties for c3p0 based on the properties values in databasePooling . properties . |
6,730 | public int getAllConnectionNumber ( DataSource aPooledDataSource ) throws SQLException { PooledDataSource pDs = ( PooledDataSource ) aPooledDataSource ; return pDs . getNumConnectionsAllUsers ( ) ; } | The followings are only for testing purpose |
6,731 | public static String getIPv4OrIPv6WithSquareBracketsHost ( String dbServer ) { final Address address = new Address ( dbServer ) ; return address . getURIIPV6Literal ( ) ; } | Method returning the host surrounded by square brackets if dbServer is IPv6 format . Otherwise the returned string will be the same . |
6,732 | public static String computeSessionId ( final String aString ) { final byte [ ] byteData = DigestUtils . sha256 ( aString . getBytes ( ) ) ; final StringBuilder sb = new StringBuilder ( "SQLQuery:" ) ; for ( final byte aByteData : byteData ) { final String hex = Integer . toHexString ( 0xFF & aByteData ) ; if ( hex . length ( ) == 1 ) { sb . append ( '0' ) ; } sb . append ( hex ) ; } return sb . toString ( ) ; } | compute session id for JDBC operations |
6,733 | public void cleanDataSources ( ) { Hashtable < String , List < String > > removedDsKeyTable = null ; Enumeration < String > allPoolKeys = dbmsPoolTable . keys ( ) ; while ( allPoolKeys . hasMoreElements ( ) ) { String dbPoolKey = allPoolKeys . nextElement ( ) ; Hashtable < String , DataSource > dsTable = dbmsPoolTable . get ( dbPoolKey ) ; Enumeration < String > allDsKeys = dsTable . keys ( ) ; while ( allDsKeys . hasMoreElements ( ) ) { String dsKey = allDsKeys . nextElement ( ) ; DataSource ds = dsTable . get ( dsKey ) ; if ( ds != null && ds instanceof PooledDataSource ) { PooledDataSource pDs = ( PooledDataSource ) ds ; int conCount ; try { conCount = pDs . getNumConnectionsAllUsers ( ) ; } catch ( SQLException e ) { continue ; } if ( conCount == 0 ) { List < String > removedList = null ; if ( removedDsKeyTable == null ) { removedDsKeyTable = new Hashtable < > ( ) ; } else { removedList = removedDsKeyTable . get ( dbPoolKey ) ; } if ( removedList == null ) { removedList = new ArrayList < > ( ) ; removedList . add ( dsKey ) ; removedDsKeyTable . put ( dbPoolKey , removedList ) ; } else { removedList . add ( dsKey ) ; } } } } } if ( removedDsKeyTable != null && ! removedDsKeyTable . isEmpty ( ) ) { Enumeration < String > removedPoolKeys = removedDsKeyTable . keys ( ) ; while ( removedPoolKeys . hasMoreElements ( ) ) { String removedPoolKey = removedPoolKeys . nextElement ( ) ; PooledDataSourceProvider provider = this . getProvider ( removedPoolKey ) ; List < String > removedDsList = removedDsKeyTable . get ( removedPoolKey ) ; Hashtable < String , DataSource > dsTable = dbmsPoolTable . get ( removedPoolKey ) ; for ( String dsKey : removedDsList ) { DataSource removedDs = dsTable . remove ( dsKey ) ; try { provider . closePooledDataSource ( removedDs ) ; } catch ( SQLException e ) { continue ; } } if ( dsTable . isEmpty ( ) ) { dbmsPoolTable . remove ( removedPoolKey ) ; } } } } | clean any empty datasource and pool in the dbmsPool table . |
6,734 | public synchronized void shutdownDbmsPools ( ) { datasourceCleaner . shutdown ( ) ; datasourceCleaner = null ; cleanerThread . interrupt ( ) ; cleanerThread = null ; if ( dbmsPoolTable == null ) { return ; } Enumeration < String > allDbmsKeys = dbmsPoolTable . keys ( ) ; while ( allDbmsKeys . hasMoreElements ( ) ) { String dbmsKey = allDbmsKeys . nextElement ( ) ; PooledDataSourceProvider provider = this . getProvider ( dbmsKey ) ; Hashtable < String , DataSource > dsTable = dbmsPoolTable . get ( dbmsKey ) ; for ( DataSource ds : dsTable . values ( ) ) { try { provider . closePooledDataSource ( ds ) ; } catch ( SQLException e ) { } } dsTable . clear ( ) ; } dbmsPoolTable . clear ( ) ; dbmsPoolTable = null ; } | force shutdown everything |
6,735 | protected boolean getPropBooleanValue ( String aPropName , String aDefaultValue ) { boolean retValue ; String temp = dbPoolingProperties . getProperty ( aPropName , aDefaultValue ) ; retValue = Boolean . valueOf ( temp ) ; return retValue ; } | get boolean value based on the property name from property file the property file is databasePooling . properties |
6,736 | protected int getPropIntValue ( String aPropName , String aDefaultValue ) { int retValue ; String temp = dbPoolingProperties . getProperty ( aPropName , aDefaultValue ) ; retValue = Integer . valueOf ( temp ) ; return retValue ; } | get int value based on the property name from property file the property file is databasePooling . properties |
6,737 | private void createCleaner ( ) { if ( cleanerThread == null ) { int interval = getPropIntValue ( DB_DATASOURCE_CLEAN_INTERNAL_NAME , DB_DATASOURCE_CLEAN_INTERNAL_DEFAULT_VALUE ) ; this . datasourceCleaner = new PooledDataSourceCleaner ( this , interval ) ; this . cleanerThread = new Thread ( datasourceCleaner ) ; this . cleanerThread . setDaemon ( true ) ; this . cleanerThread . start ( ) ; } } | create and start a pool cleaner if pooling is enabled . |
6,738 | protected DataSource createDataSource ( DBType aDbType , String aDbUrl , String aUsername , String aPassword , Hashtable < String , DataSource > aDsTable ) throws SQLException { DataSource retDatasource ; String totalMaxPoolSizeName ; switch ( aDbType ) { case ORACLE : totalMaxPoolSizeName = ORACLE_MAX_POOL_SIZE_NAME ; break ; case MSSQL : totalMaxPoolSizeName = MSSQL_MAX_POOL_SIZE_NAME ; break ; case MYSQL : totalMaxPoolSizeName = MYSQL_MAX_POOL_SIZE_NAME ; break ; case SYBASE : totalMaxPoolSizeName = SYBASE_MAX_POOL_SIZE_NAME ; break ; case DB2 : totalMaxPoolSizeName = DB2_MAX_POOL_SIZE_NAME ; break ; case NETCOOL : totalMaxPoolSizeName = NETCOOL_MAX_POOL_SIZE_NAME ; break ; default : totalMaxPoolSizeName = CUSTOM_MAX_POOL_SIZE_NAME ; break ; } int totalMaxPoolSize = this . getPropIntValue ( totalMaxPoolSizeName , MAX_TOTAL_POOL_SIZE_DEFAULT_VALUE ) ; int perUserMaxPoolSize = this . getPropIntValue ( PooledDataSourceProvider . MAX_POOL_SIZE_NAME , PooledDataSourceProvider . MAX_POOL_SIZE_DEFAULT_VALUE ) ; int numDs = aDsTable . size ( ) ; int actualTotal = perUserMaxPoolSize * numDs ; if ( actualTotal >= totalMaxPoolSize ) { throw new TotalMaxPoolSizeExceedException ( "Can not create another datasource, the total max pool size exceeded. " + " Expected total max pool size = " + totalMaxPoolSize + " Actual total max pool size = " + actualTotal ) ; } retDatasource = this . createDataSource ( aDbType , aDbUrl , aUsername , aPassword ) ; return retDatasource ; } | create a new pooled datasource if total max pool size for the dbms is still ok . total max pool size per user < = total max pool size specified for specific db type . for example max pool size per user = 20 total max pool size for oracle dbms is 100 . only 5 datasource can be opened . |
6,739 | private char retrieveWrappingQuoteTypeOfJsonMemberNames ( String jsonString ) { char quote = '\"' ; for ( char c : jsonString . toCharArray ( ) ) { if ( c == '\'' || c == '\"' ) { quote = c ; break ; } } return quote ; } | Returns the quote character used for specifying json member names and String values of json members |
6,740 | public Map < String , String > customizeVM ( HttpInputs httpInputs , VmInputs vmInputs , GuestInputs guestInputs , boolean isWin ) throws Exception { ConnectionResources connectionResources = new ConnectionResources ( httpInputs , vmInputs ) ; try { ManagedObjectReference vmMor = new MorObjectHandler ( ) . getMor ( connectionResources , ManagedObjectType . VIRTUAL_MACHINE . getValue ( ) , vmInputs . getVirtualMachineName ( ) ) ; if ( vmMor != null ) { CustomizationSpec customizationSpec = isWin ? new GuestConfigSpecs ( ) . getWinCustomizationSpec ( guestInputs ) : new GuestConfigSpecs ( ) . getLinuxCustomizationSpec ( guestInputs ) ; connectionResources . getVimPortType ( ) . checkCustomizationSpec ( vmMor , customizationSpec ) ; ManagedObjectReference task = connectionResources . getVimPortType ( ) . customizeVMTask ( vmMor , customizationSpec ) ; return new ResponseHelper ( connectionResources , task ) . getResultsMap ( "Success: The [" + vmInputs . getVirtualMachineName ( ) + "] VM was successfully customized. The taskId is: " + task . getValue ( ) , "Failure: The [" + vmInputs . getVirtualMachineName ( ) + "] VM could not be customized." ) ; } else { return ResponseUtils . getVmNotFoundResultsMap ( vmInputs ) ; } } catch ( Exception ex ) { return ResponseUtils . getResultsMap ( ex . toString ( ) , Outputs . RETURN_CODE_FAILURE ) ; } finally { if ( httpInputs . isCloseSession ( ) ) { connectionResources . getConnection ( ) . disconnect ( ) ; clearConnectionFromContext ( httpInputs . getGlobalSessionObject ( ) ) ; } } } | Method used to connect to specified data center and customize the windows OS based virtual machine identified by the inputs provided . |
6,741 | public Map < String , String > mountTools ( HttpInputs httpInputs , VmInputs vmInputs ) throws Exception { ConnectionResources connectionResources = new ConnectionResources ( httpInputs , vmInputs ) ; try { ManagedObjectReference vmMor = new MorObjectHandler ( ) . getMor ( connectionResources , ManagedObjectType . VIRTUAL_MACHINE . getValue ( ) , vmInputs . getVirtualMachineName ( ) ) ; if ( vmMor != null ) { connectionResources . getVimPortType ( ) . mountToolsInstaller ( vmMor ) ; return ResponseUtils . getResultsMap ( INITIATED_TOOLS_INSTALLER_MOUNT + vmInputs . getVirtualMachineName ( ) , Outputs . RETURN_CODE_SUCCESS ) ; } else { return ResponseUtils . getVmNotFoundResultsMap ( vmInputs ) ; } } catch ( Exception ex ) { return ResponseUtils . getResultsMap ( ex . toString ( ) , Outputs . RETURN_CODE_FAILURE ) ; } finally { if ( httpInputs . isCloseSession ( ) ) { connectionResources . getConnection ( ) . disconnect ( ) ; clearConnectionFromContext ( httpInputs . getGlobalSessionObject ( ) ) ; } } } | Method used to connect to specified data center and start the Install Tools process on virtual machine identified by the inputs provided . |
6,742 | public static Map < String , Object > validateAndBuildKeyValuesMap ( String listenAddresses , String port , String ssl , String sslCaFile , String sslCertFile , String sslKeyFile , String maxConnections , String sharedBuffers , String effectiveCacheSize , String autovacuum , String workMem ) { Map < String , Object > keyValues = new HashMap < > ( ) ; if ( listenAddresses != null && listenAddresses . length ( ) > 0 ) { keyValues . put ( LISTEN_ADDRESSES , listenAddresses ) ; } if ( StringUtils . isNumeric ( port ) ) { keyValues . put ( PORT , Integer . parseInt ( port ) ) ; } if ( StringUtils . isNotEmpty ( ssl ) ) { keyValues . put ( SSL , ssl ) ; } if ( StringUtils . isNotEmpty ( sslCaFile ) ) { keyValues . put ( SSL_CA_FILE , sslCaFile ) ; } if ( StringUtils . isNotEmpty ( sslCertFile ) ) { keyValues . put ( SSL_CERT_FILE , sslCertFile ) ; } if ( StringUtils . isNotEmpty ( sslKeyFile ) ) { keyValues . put ( SSL_KEY_FILE , sslKeyFile ) ; } if ( StringUtils . isNumeric ( maxConnections ) ) { keyValues . put ( MAX_CONNECTIONS , Integer . parseInt ( maxConnections ) ) ; } if ( StringUtils . isNotEmpty ( sharedBuffers ) ) { keyValues . put ( SHARED_BUFFERS , sharedBuffers ) ; } if ( StringUtils . isNotEmpty ( effectiveCacheSize ) ) { keyValues . put ( EFFECTIVE_CACHE_SIZE , effectiveCacheSize ) ; } if ( StringUtils . isNotEmpty ( autovacuum ) ) { keyValues . put ( AUTOVACUUM , autovacuum ) ; } if ( StringUtils . isNotEmpty ( workMem ) ) { keyValues . put ( WORK_MEM , workMem ) ; } return keyValues ; } | Method to validate inputs and consolidate to a map . |
6,743 | public static void changeProperty ( String filename , Map < String , Object > keyValuePairs ) throws IOException { if ( keyValuePairs . size ( ) == 0 ) { return ; } final File file = new File ( filename ) ; final File tmpFile = new File ( file + ".tmp" ) ; PrintWriter pw = new PrintWriter ( tmpFile ) ; BufferedReader br = new BufferedReader ( new FileReader ( file ) ) ; Set < String > keys = keyValuePairs . keySet ( ) ; List < String > inConfig = new ArrayList < > ( ) ; for ( String line ; ( line = br . readLine ( ) ) != null ; ) { int keyPos = line . indexOf ( '=' ) ; if ( keyPos > - 1 ) { String key = line . substring ( 0 , keyPos ) . trim ( ) ; if ( ! key . trim ( ) . startsWith ( "#" ) && keys . contains ( key ) && ! inConfig . contains ( key ) ) { String [ ] keyValuePair = line . split ( "=" ) ; StringBuilder lineBuilder = new StringBuilder ( ) ; lineBuilder . append ( keyValuePair [ 0 ] . trim ( ) ) . append ( " = " ) . append ( keyValuePairs . get ( key ) ) ; line = lineBuilder . toString ( ) ; inConfig . add ( key ) ; } } pw . println ( line ) ; } for ( String key : keys ) { if ( ! inConfig . contains ( key ) ) { StringBuilder lineBuilder = new StringBuilder ( ) ; lineBuilder . append ( key ) . append ( " = " ) . append ( keyValuePairs . get ( key ) ) ; pw . println ( lineBuilder . toString ( ) ) ; } } br . close ( ) ; pw . close ( ) ; file . delete ( ) ; tmpFile . renameTo ( file ) ; } | Method to modify the Postgres config postgresql . conf based on key - value pairs |
6,744 | public static void changeProperty ( String filename , String [ ] allowedHosts , String [ ] allowedUsers ) throws IOException { if ( ( allowedHosts == null || allowedHosts . length == 0 ) && ( allowedUsers == null || allowedUsers . length == 0 ) ) { return ; } final File file = new File ( filename ) ; final File tmpFile = new File ( file + ".tmp" ) ; PrintWriter pw = new PrintWriter ( tmpFile ) ; BufferedReader br = new BufferedReader ( new FileReader ( file ) ) ; Object [ ] allowedArr = new Object [ allowedHosts . length * allowedUsers . length ] ; boolean [ ] skip = new boolean [ allowedArr . length ] ; int ctr = 0 ; for ( int i = 0 ; i < allowedHosts . length ; i ++ ) { for ( int j = 0 ; j < allowedUsers . length ; j ++ ) { allowedArr [ ctr ++ ] = new String [ ] { allowedHosts [ i ] , allowedUsers [ j ] } ; } } for ( String line ; ( line = br . readLine ( ) ) != null ; ) { if ( line . startsWith ( "host" ) ) { for ( int x = 0 ; x < allowedArr . length ; x ++ ) { if ( ! skip [ x ] ) { String [ ] allowedItem = ( String [ ] ) allowedArr [ x ] ; if ( line . contains ( allowedItem [ 0 ] ) && line . contains ( allowedItem [ 1 ] ) ) { skip [ x ] = true ; break ; } } } } pw . println ( line ) ; } StringBuilder addUserHostLineBuilder = new StringBuilder ( ) ; for ( int x = 0 ; x < allowedArr . length ; x ++ ) { if ( ! skip [ x ] ) { String [ ] allowedItem = ( String [ ] ) allowedArr [ x ] ; addUserHostLineBuilder . append ( "host" ) . append ( "\t" ) . append ( "all" ) . append ( "\t" ) . append ( allowedItem [ 1 ] ) . append ( "\t" ) . append ( allowedItem [ 0 ] ) . append ( "\t" ) . append ( "trust" ) . append ( "\n" ) ; } } pw . write ( addUserHostLineBuilder . toString ( ) ) ; br . close ( ) ; pw . close ( ) ; file . delete ( ) ; tmpFile . renameTo ( file ) ; } | Method to modify the Postgres config pg_hba . config |
6,745 | @ Action ( name = "Convert XML to Json" , outputs = { @ Output ( NAMESPACES_PREFIXES ) , @ Output ( NAMESPACES_URIS ) , @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) , @ Output ( EXCEPTION ) } , responses = { @ Response ( text = ResponseNames . SUCCESS , field = RETURN_CODE , value = SUCCESS ) , @ Response ( text = ResponseNames . FAILURE , field = RETURN_CODE , value = FAILURE ) } ) public Map < String , String > execute ( @ Param ( value = XML , required = true ) String xml , @ Param ( value = TEXT_ELEMENTS_NAME ) String textElementsName , @ Param ( value = INCLUDE_ROOT ) String includeRootElement , @ Param ( value = INCLUDE_ATTRIBUTES ) String includeAttributes , @ Param ( value = PRETTY_PRINT ) String prettyPrint , @ Param ( value = PARSING_FEATURES ) String parsingFeatures ) { try { includeRootElement = defaultIfEmpty ( includeRootElement , TRUE ) ; includeAttributes = defaultIfEmpty ( includeAttributes , TRUE ) ; prettyPrint = defaultIfEmpty ( prettyPrint , TRUE ) ; ValidateUtils . validateInputs ( includeRootElement , includeAttributes , prettyPrint ) ; final ConvertXmlToJsonInputs inputs = new ConvertXmlToJsonInputs . ConvertXmlToJsonInputsBuilder ( ) . withXml ( xml ) . withTextElementsName ( textElementsName ) . withIncludeRootElement ( Boolean . parseBoolean ( includeRootElement ) ) . withIncludeAttributes ( Boolean . parseBoolean ( includeAttributes ) ) . withPrettyPrint ( Boolean . parseBoolean ( prettyPrint ) ) . withParsingFeatures ( parsingFeatures ) . build ( ) ; final ConvertXmlToJsonService converter = new ConvertXmlToJsonService ( ) ; final String json = converter . convertToJsonString ( inputs ) ; final Map < String , String > result = getSuccessResultsMap ( json ) ; result . put ( NAMESPACES_PREFIXES , converter . getNamespacesPrefixes ( ) ) ; result . put ( NAMESPACES_URIS , converter . getNamespacesUris ( ) ) ; return result ; } catch ( Exception e ) { final Map < String , String > result = getFailureResultsMap ( e ) ; result . put ( NAMESPACES_PREFIXES , EMPTY ) ; result . put ( NAMESPACES_URIS , EMPTY ) ; return result ; } } | Converts a XML document to a JSON array or a JSON object . |
6,746 | @ Action ( name = "Trim List" , outputs = { @ Output ( RESULT_TEXT ) , @ Output ( RESPONSE ) , @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = RETURN_CODE_SUCCESS , matchType = MatchType . COMPARE_EQUAL ) , @ Response ( text = FAILURE , field = RETURN_CODE , value = RETURN_CODE_FAILURE , matchType = MatchType . COMPARE_EQUAL , isOnFail = true , isDefault = true ) } ) public Map < String , String > trimList ( @ Param ( value = LIST , required = true ) String list , @ Param ( value = DELIMITER , required = true ) String delimiter , @ Param ( value = PERCENTAGE , required = true ) String percentage ) { Map < String , String > result = new HashMap < > ( ) ; try { int intPct ; try { intPct = Integer . parseInt ( percentage ) ; } catch ( NumberFormatException e ) { throw new NumberFormatException ( e . getMessage ( ) + PARSING_PERCENT_EXCEPTION_MSG ) ; } String value ; try { value = trimIntList ( list , delimiter , intPct ) ; } catch ( Exception e ) { try { value = trimDoubleList ( list , delimiter , intPct ) ; } catch ( Exception f ) { value = trimStringList ( list , delimiter , intPct ) ; } } result . put ( RESULT_TEXT , value ) ; result . put ( RESPONSE , SUCCESS ) ; result . put ( RETURN_RESULT , value ) ; result . put ( RETURN_CODE , RETURN_CODE_SUCCESS ) ; } catch ( Exception e ) { result . put ( RESULT_TEXT , e . getMessage ( ) ) ; result . put ( RESPONSE , FAILURE ) ; result . put ( RETURN_RESULT , e . getMessage ( ) ) ; result . put ( RETURN_CODE , RETURN_CODE_FAILURE ) ; } return result ; } | This method trims values from a list . The values trimmed are equally distributed from the high and low ends of the list . The list is sorted before trimming . The number of elements trimmed is dictated by the percentage that is passed in . If the percentage would indicate an odd number of elements the number trimmed is lowered by one so that the same number are taken from both ends . |
6,747 | @ Action ( name = "Find Text in PDF" , description = FIND_TEXT_IN_PDF_OPERATION_DESC , outputs = { @ Output ( value = RETURN_CODE , description = RETURN_CODE_DESC ) , @ Output ( value = RETURN_RESULT , description = FIND_TEXT_IN_PDF_RETURN_RESULT_DESC ) , @ Output ( value = EXCEPTION , description = EXCEPTION_DESC ) , } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = ReturnCodes . SUCCESS , matchType = COMPARE_EQUAL , responseType = RESOLVED , description = SUCCESS_DESC ) , @ Response ( text = FAILURE , field = RETURN_CODE , value = ReturnCodes . FAILURE , matchType = COMPARE_EQUAL , responseType = ERROR , isOnFail = true , description = FAILURE_DESC ) } ) public Map < String , String > execute ( @ Param ( value = TEXT , required = true , description = INITIAL_VALUE_DESC ) String text , @ Param ( value = IGNORE_CASE , description = IGNORE_CASE_DESC ) String ignoreCase , @ Param ( value = PATH_TO_FILE , required = true , description = DEFAULT_VALUE_DESC ) String pathToFile , @ Param ( value = PASSWORD , description = PASSWORD_DESC , encrypted = true ) String password ) { try { final Path path = Paths . get ( pathToFile ) ; final String pdfPassword = defaultIfEmpty ( password , EMPTY ) ; final String pdfContent = PdfParseService . getPdfContent ( path , pdfPassword ) . trim ( ) . replace ( System . lineSeparator ( ) , EMPTY ) ; final boolean validIgnoreCase = BooleanUtilities . isValid ( ignoreCase ) ; if ( ! validIgnoreCase ) { throw new RuntimeException ( format ( "Invalid boolean value for ignoreCase parameter: %s" , ignoreCase ) ) ; } return getSuccessResultsMap ( PdfParseService . getOccurrences ( pdfContent , text , toBoolean ( ignoreCase ) ) ) ; } catch ( Exception e ) { return getFailureResultsMap ( e ) ; } } | This operation checks if a text input is found in a PDF file . |
6,748 | @ Action ( name = "List Prepender" , outputs = { @ Output ( RESPONSE ) , @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = RETURN_CODE_SUCCESS , matchType = MatchType . COMPARE_EQUAL ) , @ Response ( text = FAILURE , field = RETURN_CODE , value = RETURN_CODE_FAILURE , matchType = MatchType . COMPARE_EQUAL , isOnFail = true , isDefault = true ) } ) public Map < String , String > prependElement ( @ Param ( value = LIST , required = true ) String list , @ Param ( value = ELEMENT , required = true ) String element , @ Param ( value = DELIMITER ) String delimiter ) { Map < String , String > result = new HashMap < > ( ) ; try { StringBuilder sb = new StringBuilder ( ) ; sb = StringUtils . isEmpty ( list ) ? sb . append ( element ) : sb . append ( element ) . append ( delimiter ) . append ( list ) ; result . put ( RESPONSE , SUCCESS ) ; result . put ( RETURN_RESULT , sb . toString ( ) ) ; result . put ( RETURN_CODE , RETURN_CODE_SUCCESS ) ; } catch ( Exception e ) { result . put ( RESPONSE , FAILURE ) ; result . put ( RETURN_RESULT , e . getMessage ( ) ) ; result . put ( RETURN_CODE , RETURN_CODE_FAILURE ) ; } return result ; } | This method pre - pends an element to a list of strings . |
6,749 | @ Action ( name = "Append Child" , outputs = { @ Output ( RETURN_CODE ) , @ Output ( RETURN_RESULT ) , @ Output ( RESULT_XML ) , @ Output ( ERROR_MESSAGE ) } , responses = { @ Response ( text = ResponseNames . SUCCESS , field = RETURN_CODE , value = SUCCESS , matchType = COMPARE_EQUAL ) , @ Response ( text = ResponseNames . FAILURE , field = RETURN_CODE , value = FAILURE , matchType = COMPARE_EQUAL , isDefault = true , isOnFail = true ) } ) public Map < String , String > execute ( @ Param ( value = XML_DOCUMENT , required = true ) String xmlDocument , @ Param ( value = XML_DOCUMENT_SOURCE ) String xmlDocumentSource , @ Param ( value = XPATH_ELEMENT_QUERY , required = true ) String xPathQuery , @ Param ( value = XML_ELEMENT , required = true ) String xmlElement , @ Param ( value = SECURE_PROCESSING ) String secureProcessing ) { final CommonInputs inputs = new CommonInputs . CommonInputsBuilder ( ) . withXmlDocument ( xmlDocument ) . withXmlDocumentSource ( xmlDocumentSource ) . withXpathQuery ( xPathQuery ) . withSecureProcessing ( secureProcessing ) . build ( ) ; final CustomInputs customInputs = new CustomInputs . CustomInputsBuilder ( ) . withXmlElement ( xmlElement ) . build ( ) ; return new AppendChildService ( ) . execute ( inputs , customInputs ) ; } | Appends a child to an XML element . |
6,750 | public static boolean saveSshSessionAndChannel ( Session session , Channel channel , GlobalSessionObject < Map < String , SSHConnection > > sessionParam , String sessionId ) { final SSHConnection sshConnection ; if ( channel != null ) { sshConnection = new SSHConnection ( session , channel ) ; } else { sshConnection = new SSHConnection ( session ) ; } if ( sessionParam != null ) { Map < String , SSHConnection > tempMap = sessionParam . get ( ) ; if ( tempMap == null ) { tempMap = new HashMap < > ( ) ; } tempMap . put ( sessionId , sshConnection ) ; sessionParam . setResource ( new SSHSessionResource ( tempMap ) ) ; return true ; } return false ; } | Save the SSH session and the channel in the cache . |
6,751 | public static String encodeStringInBase64 ( String str , Charset charset ) { return new String ( Base64 . encodeBase64 ( str . getBytes ( charset ) ) ) ; } | Encodes a string to base64 . |
6,752 | private ClusterDasVmConfigInfo createVmOverrideConfiguration ( ManagedObjectReference vmMor , String restartPriority ) { ClusterDasVmConfigInfo clusterDasVmConfigInfo = new ClusterDasVmConfigInfo ( ) ; clusterDasVmConfigInfo . setKey ( vmMor ) ; clusterDasVmConfigInfo . setDasSettings ( createClusterDasVmSettings ( restartPriority ) ) ; return clusterDasVmConfigInfo ; } | Das method adds a vm override to a HA enabled Cluster . |
6,753 | private ClusterDasVmSettings createClusterDasVmSettings ( String restartPriority ) { ClusterDasVmSettings clusterDasVmSettings = new ClusterDasVmSettings ( ) ; clusterDasVmSettings . setRestartPriority ( restartPriority ) ; return clusterDasVmSettings ; } | Das method creates a cluster vm setting . |
6,754 | private ClusterConfigInfoEx getClusterConfiguration ( ConnectionResources connectionResources , ManagedObjectReference clusterMor , String clusterName ) throws RuntimeFaultFaultMsg , InvalidPropertyFaultMsg { ObjectContent [ ] objectContents = GetObjectProperties . getObjectProperties ( connectionResources , clusterMor , new String [ ] { ClusterParameter . CONFIGURATION_EX . getValue ( ) } ) ; if ( objectContents != null && objectContents . length == 1 ) { List < DynamicProperty > dynamicProperties = objectContents [ 0 ] . getPropSet ( ) ; if ( dynamicProperties != null && dynamicProperties . size ( ) == 1 && dynamicProperties . get ( 0 ) . getVal ( ) instanceof ClusterConfigInfoEx ) { return ( ClusterConfigInfoEx ) dynamicProperties . get ( 0 ) . getVal ( ) ; } } throw new RuntimeException ( String . format ( ANOTHER_FAILURE_MSG , clusterName ) ) ; } | Das method gets the current cluster configurations . |
6,755 | @ Action ( name = "Update Property Value" , outputs = { @ Output ( RETURN_CODE ) , @ Output ( RETURN_RESULT ) , @ Output ( EXCEPTION ) , @ Output ( STDERR ) } , responses = { @ Response ( text = ResponseNames . SUCCESS , field = RETURN_CODE , value = SUCCESS , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . RESOLVED ) , @ Response ( text = ResponseNames . FAILURE , field = RETURN_CODE , value = FAILURE , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . ERROR , isOnFail = true ) } ) public Map < String , String > execute ( @ Param ( value = FILE_PATH , required = true ) String installationPath , @ Param ( value = LISTEN_ADDRESSES , required = true ) String listenAddresses , @ Param ( value = PORT ) String port , @ Param ( value = SSL ) String ssl , @ Param ( value = SSL_CA_FILE ) String sslCaFile , @ Param ( value = SSL_CERT_FILE ) String sslCertFile , @ Param ( value = SSL_KEY_FILE ) String sslKeyFile , @ Param ( value = MAX_CONNECTIONS ) String maxConnections , @ Param ( value = SHARED_BUFFERS ) String sharedBuffers , @ Param ( value = EFFECTIVE_CACHE_SIZE ) String effectiveCacheSize , @ Param ( value = AUTOVACUUM ) String autovacuum , @ Param ( value = WORK_MEM ) String workMem ) { try { Map < String , Object > keyValues = ConfigService . validateAndBuildKeyValuesMap ( listenAddresses , port , ssl , sslCaFile , sslCertFile , sslKeyFile , maxConnections , sharedBuffers , effectiveCacheSize , autovacuum , workMem ) ; ConfigService . changeProperty ( installationPath , keyValues ) ; return getSuccessResultsMap ( "Updated postgresql.conf successfully" ) ; } catch ( Exception e ) { return getFailureResultsMap ( "Failed to update postgresql.conf" , e ) ; } } | Updates the Postgres config postgresql . conf |
6,756 | public Map < String , ManagedObjectReference > inContainerByType ( ManagedObjectReference folder , String morefType , RetrieveOptions retrieveOptions ) throws InvalidPropertyFaultMsg , RuntimeFaultFaultMsg { RetrieveResult results = containerViewByType ( folder , morefType , retrieveOptions ) ; return toMap ( results ) ; } | Returns all the MOREFs of the specified type that are present under the container |
6,757 | private RetrieveResult containerViewByType ( final ManagedObjectReference container , final String morefType , final RetrieveOptions retrieveOptions , final String ... morefProperties ) throws RuntimeFaultFaultMsg , InvalidPropertyFaultMsg { PropertyFilterSpec [ ] propertyFilterSpecs = propertyFilterSpecs ( container , morefType , morefProperties ) ; return containerViewByType ( retrieveOptions , propertyFilterSpecs ) ; } | Returns the raw RetrieveResult object for the provided container filtered on properties list |
6,758 | private RetrieveResult containerViewByType ( final ManagedObjectReference container , final String morefType , final RetrieveOptions retrieveOptions ) throws RuntimeFaultFaultMsg , InvalidPropertyFaultMsg { return this . containerViewByType ( container , morefType , retrieveOptions , ManagedObjectType . NAME . getValue ( ) ) ; } | Initialize the helper object on the current connection at invocation time . Do not initialize on construction since the connection may not be ready yet . |
6,759 | public static void init ( SQLInputs sqlInputs ) throws Exception { if ( sqlInputs != null ) { sqlInputs . setStrDelim ( "," ) ; sqlInputs . setStrColumns ( "" ) ; sqlInputs . setLRows ( new ArrayList < String > ( ) ) ; sqlInputs . setIUpdateCount ( 0 ) ; sqlInputs . setSqlCommand ( null ) ; sqlInputs . setDbServer ( null ) ; sqlInputs . setDbName ( null ) ; sqlInputs . setDbType ( null ) ; sqlInputs . setUsername ( null ) ; sqlInputs . setPassword ( null ) ; sqlInputs . setAuthenticationType ( null ) ; sqlInputs . setDbUrl ( null ) ; sqlInputs . setDbClass ( null ) ; sqlInputs . setNetcool ( false ) ; sqlInputs . setLRowsFiles ( new ArrayList < List < String > > ( ) ) ; sqlInputs . setLRowsNames ( new ArrayList < List < String > > ( ) ) ; sqlInputs . setSkip ( 0L ) ; sqlInputs . setInstance ( null ) ; sqlInputs . setTimeout ( 0 ) ; sqlInputs . setKey ( null ) ; sqlInputs . setIgnoreCase ( false ) ; sqlInputs . setResultSetConcurrency ( - 1000000 ) ; sqlInputs . setResultSetType ( - 1000000 ) ; sqlInputs . setTrustAllRoots ( false ) ; sqlInputs . setTrustStore ( "" ) ; } else throw new Exception ( "Cannot init null Sql inputs!" ) ; } | init all the non - static variables . |
6,760 | public void run ( ) { state = STATE_CLEANER . RUNNING ; while ( state != STATE_CLEANER . SHUTDOWN ) { try { Thread . sleep ( interval * 1000 ) ; } catch ( InterruptedException e ) { break ; } this . manager . cleanDataSources ( ) ; if ( this . manager . getDbmsPoolSize ( ) == 0 ) { state = STATE_CLEANER . SHUTDOWN ; break ; } } } | wake up and clean the pools if the pool has empty connection table . |
6,761 | public static boolean arrayElementsAreNull ( String [ ] uncontainedArray ) { boolean empty = true ; for ( Object ob : uncontainedArray ) { if ( ob != null ) { empty = false ; break ; } } return empty ; } | This method check if all elements of an array are null . |
6,762 | public String getSignedHeadersString ( Map < String , String > headers ) { List < String > sortedList = new ArrayList < > ( headers . keySet ( ) ) ; Collections . sort ( sortedList , String . CASE_INSENSITIVE_ORDER ) ; StringBuilder signedHeaderString = new StringBuilder ( ) ; for ( String header : sortedList ) { if ( signedHeaderString . length ( ) > START_INDEX ) { signedHeaderString . append ( SEMICOLON ) ; } signedHeaderString . append ( nullToEmpty ( header ) . toLowerCase ( ) ) ; } return signedHeaderString . toString ( ) ; } | Creates a comma separated list of headers . |
6,763 | public static String encryptPassword ( final String aPlainPass ) throws Exception { byte [ ] encBytes = encryptString ( aPlainPass . getBytes ( DEFAULT_CODEPAGE ) ) ; return Base64 . encodeBase64String ( encBytes ) ; } | encrypt a plain password |
6,764 | public static String documentToString ( Document xmlDocument ) throws IOException { String encoding = ( xmlDocument . getXmlEncoding ( ) == null ) ? "UTF-8" : xmlDocument . getXmlEncoding ( ) ; OutputFormat format = new OutputFormat ( xmlDocument ) ; format . setLineWidth ( 65 ) ; format . setIndenting ( true ) ; format . setIndent ( 2 ) ; format . setEncoding ( encoding ) ; try ( Writer out = new StringWriter ( ) ) { XMLSerializer serializer = new XMLSerializer ( out , format ) ; serializer . serialize ( xmlDocument ) ; return out . toString ( ) ; } } | Returns a String representation for the XML Document . |
6,765 | private Source readSource ( String xmlDocument , String features ) throws Exception { if ( xmlDocument . startsWith ( Constants . Inputs . HTTP_PREFIX_STRING ) || xmlDocument . startsWith ( Constants . Inputs . HTTPS_PREFIX_STRING ) ) { URL xmlUrl = new URL ( xmlDocument ) ; InputStream xmlStream = xmlUrl . openStream ( ) ; XmlUtils . parseXmlInputStream ( xmlStream , features ) ; return new StreamSource ( xmlStream ) ; } else { if ( new File ( xmlDocument ) . exists ( ) ) { XmlUtils . parseXmlFile ( xmlDocument , features ) ; return new StreamSource ( new FileInputStream ( xmlDocument ) ) ; } XmlUtils . parseXmlString ( xmlDocument , features ) ; return new StreamSource ( new StringReader ( xmlDocument ) ) ; } } | Reads the xml content from a file URL or string . |
6,766 | public static boolean isDateValid ( String date , Locale locale ) { try { DateFormat format = DateFormat . getDateTimeInstance ( DateFormat . DEFAULT , DateFormat . DEFAULT , locale ) ; format . parse ( date ) ; return true ; } catch ( ParseException e ) { return false ; } } | Because the date passed as argument can be in java format and because not all formats are compatible with joda - time this method checks if the date string is valid with java . In this way we can use the proper DateTime without changing the output . |
6,767 | public static Locale getLocaleByCountry ( String lang , String country ) { return StringUtils . isNotBlank ( country ) ? new Locale ( lang , country ) : new Locale ( lang ) ; } | Generates the locale |
6,768 | public static DateTime getJodaOrJavaDate ( final DateTimeFormatter dateFormatter , final String date ) throws Exception { if ( DateTimeUtils . isDateValid ( date , dateFormatter . getLocale ( ) ) ) { DateFormat dateFormat = DateFormat . getDateTimeInstance ( DateFormat . DEFAULT , DateFormat . DEFAULT , dateFormatter . getLocale ( ) ) ; Calendar dateCalendar = GregorianCalendar . getInstance ( ) ; dateCalendar . setTime ( dateFormat . parse ( date ) ) ; return new DateTime ( dateCalendar . getTime ( ) ) ; } return new DateTime ( date ) ; } | Returns a LocalDateTime depending on how the date passes as argument is formatted . |
6,769 | public static DateTimeFormatter getDateFormatter ( String format , String lang , String country ) { if ( StringUtils . isNotBlank ( format ) ) { DateTimeFormatter dateFormat = DateTimeFormat . forPattern ( format ) ; if ( StringUtils . isNotBlank ( lang ) ) { return dateFormat . withLocale ( DateTimeUtils . getLocaleByCountry ( lang , country ) ) ; } return dateFormat ; } return formatWithDefault ( lang , country ) ; } | Generates a DateTimeFormatter using a custom pattern with the default locale or a new one according to what language and country are provided as params . |
6,770 | public static DateTimeFormatter formatWithDefault ( String lang , String country ) { return ( StringUtils . isNotBlank ( lang ) ) ? DateTimeFormat . longDateTime ( ) . withLocale ( DateTimeUtils . getLocaleByCountry ( lang , country ) ) : DateTimeFormat . longDateTime ( ) . withLocale ( Locale . getDefault ( ) ) ; } | Generates a DateTimeFormatter using full date pattern with the default locale or a new one according to what language and country are provided as params . |
6,771 | public static String execSqlQueryTabular ( final SQLInputs sqlInputs ) throws Exception { ConnectionService connectionService = new ConnectionService ( ) ; try ( final Connection connection = connectionService . setUpConnection ( sqlInputs ) ) { connection . setReadOnly ( true ) ; final Statement statement = connection . createStatement ( sqlInputs . getResultSetType ( ) , sqlInputs . getResultSetConcurrency ( ) ) ; statement . setQueryTimeout ( sqlInputs . getTimeout ( ) ) ; final ResultSet resultSet = statement . executeQuery ( sqlInputs . getSqlCommand ( ) ) ; final String resultSetToTable = Format . resultSetToTable ( resultSet , sqlInputs . isNetcool ( ) ) ; resultSet . close ( ) ; return resultSetToTable ; } } | Run a SQL query with given configuration |
6,772 | @ Action ( name = "XpathQuery" , outputs = { @ Output ( RETURN_CODE ) , @ Output ( RETURN_RESULT ) , @ Output ( SELECTED_VALUE ) , @ Output ( ERROR_MESSAGE ) } , responses = { @ Response ( text = ResponseNames . SUCCESS , field = RETURN_CODE , value = SUCCESS , matchType = COMPARE_EQUAL ) , @ Response ( text = ResponseNames . FAILURE , field = RETURN_CODE , value = FAILURE , matchType = COMPARE_EQUAL , isDefault = true , isOnFail = true ) } ) public Map < String , String > execute ( @ Param ( value = Constants . Inputs . XML_DOCUMENT , required = true ) String xmlDocument , @ Param ( Constants . Inputs . XML_DOCUMENT_SOURCE ) String xmlDocumentSource , @ Param ( value = Constants . Inputs . XPATH_QUERY , required = true ) String xPathQuery , @ Param ( value = Constants . Inputs . QUERY_TYPE , required = true ) String queryType , @ Param ( Constants . Inputs . DELIMITER ) String delimiter , @ Param ( Constants . Inputs . SECURE_PROCESSING ) String secureProcessing ) { final CommonInputs commonInputs = new CommonInputs . CommonInputsBuilder ( ) . withXmlDocument ( xmlDocument ) . withXmlDocumentSource ( xmlDocumentSource ) . withXpathQuery ( xPathQuery ) . withSecureProcessing ( secureProcessing ) . build ( ) ; final CustomInputs customInputs = new CustomInputs . CustomInputsBuilder ( ) . withQueryType ( queryType ) . withDelimiter ( delimiter ) . build ( ) ; return new XpathQueryService ( ) . execute ( commonInputs , customInputs ) ; } | Selects from an XML document using an XPATH query . |
6,773 | @ Action ( name = "Convert JSON to XML" , outputs = { @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) } , responses = { @ Response ( text = ResponseNames . SUCCESS , field = RETURN_CODE , value = SUCCESS ) , @ Response ( text = ResponseNames . FAILURE , field = RETURN_CODE , value = FAILURE ) } ) public Map < String , String > execute ( @ Param ( value = JSON , required = true ) String json , @ Param ( value = PRETTY_PRINT ) String prettyPrint , @ Param ( value = SHOW_XML_DECLARATION ) String showXmlDeclaration , @ Param ( value = ROOT_TAG_NAME ) String rootTagName , @ Param ( value = DEFAULT_JSON_ARRAY_ITEM_NAME ) String defaultJsonArrayItemName , @ Param ( value = NAMESPACES_PREFIXES ) String namespacesPrefixes , @ Param ( value = NAMESPACES_URIS ) String namespacesUris , @ Param ( value = JSON_ARRAYS_NAMES ) String jsonArraysNames , @ Param ( value = JSON_ARRAYS_ITEM_NAMES ) String jsonArraysItemNames , @ Param ( value = DELIMITER ) String delimiter ) { try { showXmlDeclaration = StringUtils . defaultIfEmpty ( showXmlDeclaration , TRUE ) ; prettyPrint = StringUtils . defaultIfEmpty ( prettyPrint , TRUE ) ; ValidateUtils . validateInputs ( prettyPrint , showXmlDeclaration ) ; final ConvertJsonToXmlInputs inputs = new ConvertJsonToXmlInputs . ConvertJsonToXmlInputsBuilder ( ) . withJson ( json ) . withPrettyPrint ( Boolean . parseBoolean ( prettyPrint ) ) . withShowXmlDeclaration ( Boolean . parseBoolean ( showXmlDeclaration ) ) . withRootTagName ( rootTagName ) . withDefaultJsonArrayItemName ( defaultJsonArrayItemName ) . withNamespaces ( namespacesUris , namespacesPrefixes , delimiter ) . withJsonArraysNames ( jsonArraysNames , jsonArraysItemNames , delimiter ) . build ( ) ; final ConvertJsonToXmlService converter = new ConvertJsonToXmlService ( ) ; converter . setNamespaces ( inputs . getNamespaces ( ) ) ; converter . setJsonArrayItemNames ( inputs . getArraysItemNames ( ) ) ; converter . setJsonArrayItemName ( inputs . getDefaultJsonArrayItemName ( ) ) ; final String xml = converter . convertToXmlString ( inputs ) ; return getSuccessResultsMap ( xml ) ; } catch ( Exception e ) { return getFailureResultsMap ( e ) ; } } | Converts a JSON array or a JSON object to a XML document . |
6,774 | @ Action ( name = "Update pg_hba.config" , outputs = { @ Output ( RETURN_CODE ) , @ Output ( RETURN_RESULT ) , @ Output ( EXCEPTION ) , @ Output ( STDERR ) } , responses = { @ Response ( text = ResponseNames . SUCCESS , field = RETURN_CODE , value = SUCCESS , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . RESOLVED ) , @ Response ( text = ResponseNames . FAILURE , field = RETURN_CODE , value = FAILURE , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . ERROR , isOnFail = true ) } ) public Map < String , String > execute ( @ Param ( value = FILE_PATH , required = true ) String installationPath , @ Param ( value = ALLOWED_HOSTS ) String allowedHosts , @ Param ( value = ALLOWED_USERS ) String allowedUsers ) { try { if ( allowedHosts == null && allowedUsers == null ) { return getSuccessResultsMap ( "No changes in pg_hba.conf" ) ; } if ( allowedHosts == null || allowedHosts . trim ( ) . length ( ) == 0 ) { allowedHosts = "localhost" ; } allowedHosts = allowedHosts . replace ( "\'" , "" ) . trim ( ) ; if ( allowedUsers == null || allowedUsers . trim ( ) . length ( ) == 0 ) { allowedUsers = "all" ; } else { allowedUsers = allowedUsers . replace ( "\'" , "" ) . trim ( ) ; } ConfigService . changeProperty ( installationPath , allowedHosts . split ( ";" ) , allowedUsers . split ( ";" ) ) ; return getSuccessResultsMap ( "Updated pg_hba.conf successfully" ) ; } catch ( Exception e ) { return getFailureResultsMap ( "Failed to update pg_hba.conf" , e ) ; } } | Updates the Postgres config pg_hba . config |
6,775 | @ Action ( name = "Extract text from image" , description = EXTRACT_TEXT_FROM_IMAGE_DESC , outputs = { @ Output ( value = RETURN_CODE , description = RETURN_CODE_DESC ) , @ Output ( value = RETURN_RESULT , description = RETURN_RESULT_DESC ) , @ Output ( value = TEXT_STRING , description = TEXT_STRING_DESC ) , @ Output ( value = TEXT_JSON , description = TEXT_JSON_DESC ) , @ Output ( value = EXCEPTION , description = EXCEPTION_DESC ) , } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = ReturnCodes . SUCCESS , matchType = COMPARE_EQUAL , responseType = RESOLVED , description = SUCCESS_DESC ) , @ Response ( text = FAILURE , field = RETURN_CODE , value = ReturnCodes . FAILURE , matchType = COMPARE_EQUAL , responseType = ERROR , isOnFail = true , description = FAILURE_DESC ) } ) public Map < String , String > execute ( @ Param ( value = FILE_PATH , required = true , description = FILE_PATH_DESC ) String filePath , @ Param ( value = DATA_PATH , required = true , description = DATA_PATH_DESC ) String dataPath , @ Param ( value = LANGUAGE , required = true , description = LANGUAGE_DESC ) String language , @ Param ( value = TEXT_BLOCKS , description = TEXT_BLOCKS_DESC ) String textBlocks , @ Param ( value = DESKEW , description = DESKEW_DESC ) String deskew ) { dataPath = defaultIfEmpty ( dataPath , EMPTY ) ; language = defaultIfEmpty ( language , ENG ) ; textBlocks = defaultIfEmpty ( textBlocks , FALSE ) ; deskew = defaultIfEmpty ( deskew , FALSE ) ; final List < String > exceptionMessages = verifyExtractTextInputs ( filePath , dataPath , textBlocks , deskew ) ; if ( ! exceptionMessages . isEmpty ( ) ) { return getFailureResultsMap ( StringUtilities . join ( exceptionMessages , NEW_LINE ) ) ; } try { final String resultText = extractTextFromImage ( filePath , dataPath , language , textBlocks , deskew ) ; final Map < String , String > result = getSuccessResultsMap ( resultText ) ; if ( Boolean . parseBoolean ( textBlocks ) ) { result . put ( TEXT_JSON , resultText ) ; } else { result . put ( TEXT_STRING , resultText ) ; } return result ; } catch ( Exception e ) { return getFailureResultsMap ( e ) ; } } | This operation extracts the text from a specified file given as input using Tesseract s OCR library . |
6,776 | public static boolean isUUID ( String string ) { try { if ( string != null ) { UUID . fromString ( string ) ; return true ; } else { return false ; } } catch ( IllegalArgumentException ex ) { return false ; } } | Checks if a string is a valid UUID or not . |
6,777 | public static void validateUUID ( String uuid , String uuidValueOf ) throws RuntimeException { if ( ! WSManUtils . isUUID ( uuid ) ) { throw new RuntimeException ( "The returned " + uuidValueOf + " is not a valid UUID value! " + uuidValueOf + ": " + uuid ) ; } } | Validates a UUID value and throws a specific exception if UUID is invalid . |
6,778 | public static void verifyScriptExecutionStatus ( final Map < String , String > resultMap ) { if ( ZERO_SCRIPT_EXIT_CODE . equals ( resultMap . get ( SCRIPT_EXIT_CODE ) ) ) { resultMap . put ( RETURN_CODE , RETURN_CODE_SUCCESS ) ; } else { resultMap . put ( RETURN_CODE , RETURN_CODE_FAILURE ) ; } } | Checks the scriptExitCode value of the script execution and fails the operation if exit code is different than zero . |
6,779 | @ Action ( name = "Offset Time By" , description = "Changes the time represented by a date by the specified number of seconds" , outputs = { @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) , @ Output ( EXCEPTION ) } , responses = { @ Response ( text = SUCCESS , field = RETURN_CODE , value = ReturnCodes . SUCCESS , matchType = COMPARE_EQUAL , responseType = RESOLVED ) , @ Response ( text = FAILURE , field = RETURN_CODE , value = ReturnCodes . FAILURE , matchType = COMPARE_EQUAL , responseType = ERROR , isOnFail = true ) } ) public Map < String , String > execute ( @ Param ( value = LOCALE_DATE , required = true ) String date , @ Param ( value = LOCALE_OFFSET , required = true ) String offset , @ Param ( value = LOCALE_LANG ) String localeLang , @ Param ( value = LOCALE_COUNTRY ) String localeCountry ) { try { return OutputUtilities . getSuccessResultsMap ( DateTimeService . offsetTimeBy ( date , offset , localeLang , localeCountry ) ) ; } catch ( Exception exception ) { return OutputUtilities . getFailureResultsMap ( exception ) ; } } | Changes the time represented by a date by the specified number of seconds . If locale is specified it will return the date and time string based on the locale . Otherwise default locale will be used . |
6,780 | @ Action ( name = "List AWS Cloud Formation stacks" , outputs = { @ Output ( Outputs . RETURN_CODE ) , @ Output ( Outputs . RETURN_RESULT ) , @ Output ( Outputs . EXCEPTION ) } , responses = { @ Response ( text = Outputs . SUCCESS , field = Outputs . RETURN_CODE , value = Outputs . SUCCESS_RETURN_CODE , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . RESOLVED ) , @ Response ( text = Outputs . FAILURE , field = Outputs . RETURN_CODE , value = Outputs . FAILURE_RETURN_CODE , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . ERROR ) } ) public Map < String , String > execute ( @ Param ( value = IDENTITY , required = true ) String identity , @ Param ( value = CREDENTIAL , required = true , encrypted = true ) String credential , @ Param ( value = REGION , required = true ) String region , @ Param ( value = PROXY_HOST ) String proxyHost , @ Param ( value = PROXY_PORT ) String proxyPort , @ Param ( value = PROXY_USERNAME ) String proxyUsername , @ Param ( value = PROXY_PASSWORD ) String proxyPassword , @ Param ( value = CONNECT_TIMEOUT ) String connectTimeoutMs , @ Param ( value = EXECUTION_TIMEOUT ) String execTimeoutMs ) { proxyPort = defaultIfEmpty ( proxyPort , DefaultValues . PROXY_PORT ) ; connectTimeoutMs = defaultIfEmpty ( connectTimeoutMs , DefaultValues . CONNECT_TIMEOUT ) ; execTimeoutMs = defaultIfEmpty ( execTimeoutMs , DefaultValues . EXEC_TIMEOUT ) ; try { AmazonCloudFormation stackBuilder = CloudFormationClientBuilder . getCloudFormationClient ( identity , credential , proxyHost , proxyPort , proxyUsername , proxyPassword , connectTimeoutMs , execTimeoutMs , region ) ; StringBuilder listOfStacksResult = new StringBuilder ( EMPTY ) ; for ( Stack stack : stackBuilder . describeStacks ( new DescribeStacksRequest ( ) ) . getStacks ( ) ) { listOfStacksResult . append ( stack . getStackName ( ) + Constants . Miscellaneous . COMMA_DELIMITER ) ; } if ( listOfStacksResult . length ( ) > 0 ) { listOfStacksResult . deleteCharAt ( listOfStacksResult . length ( ) - 1 ) ; } return OutputUtilities . getSuccessResultsMap ( listOfStacksResult . toString ( ) ) ; } catch ( Exception e ) { return OutputUtilities . getFailureResultsMap ( e ) ; } } | List AWS Cloud Formation Stacks |
6,781 | @ Action ( name = "List Size" , outputs = { @ Output ( RESULT_TEXT ) , @ Output ( RESPONSE ) , @ Output ( RETURN_RESULT ) , @ Output ( RETURN_CODE ) } , responses = { @ Response ( text = Constants . ResponseNames . SUCCESS , field = RETURN_CODE , value = RETURN_CODE_SUCCESS , matchType = MatchType . COMPARE_EQUAL ) , @ Response ( text = Constants . ResponseNames . FAILURE , field = RETURN_CODE , value = RETURN_CODE_FAILURE , matchType = MatchType . COMPARE_EQUAL , isOnFail = true , isDefault = true ) } ) public Map < String , String > getListSize ( @ Param ( value = LIST , required = true ) String list , @ Param ( value = DELIMITER , required = true ) String delimiter ) { Map < String , String > result = new HashMap < > ( ) ; try { String [ ] table = ListProcessor . toArray ( list , delimiter ) ; result . put ( RESULT_TEXT , String . valueOf ( table . length ) ) ; result . put ( RESPONSE , Constants . ResponseNames . SUCCESS ) ; result . put ( RETURN_RESULT , String . valueOf ( table . length ) ) ; result . put ( RETURN_CODE , RETURN_CODE_SUCCESS ) ; } catch ( Exception e ) { result . put ( RESULT_TEXT , e . getMessage ( ) ) ; result . put ( RESPONSE , Constants . ResponseNames . FAILURE ) ; result . put ( RETURN_RESULT , e . getMessage ( ) ) ; result . put ( RETURN_CODE , RETURN_CODE_FAILURE ) ; } return result ; } | This method returns the length of a list of strings . |
6,782 | protected String getPropStringValue ( String aPropName , String aDefaultValue ) { return dbPoolingProperties . getProperty ( aPropName , aDefaultValue ) ; } | get string value based on the property name from property file the property file is databasePooling . properties |
6,783 | public String getStringToSign ( String requestDate , String credentialScope , String canonicalRequest ) throws SignatureException { try { return AWS4_SIGNING_ALGORITHM + LINE_SEPARATOR + requestDate + LINE_SEPARATOR + credentialScope + LINE_SEPARATOR + new String ( Hex . encode ( calculateHash ( canonicalRequest ) ) , ENCODING ) ; } catch ( NoSuchAlgorithmException | UnsupportedEncodingException e ) { throw new SignatureException ( CANONICAL_REQUEST_DIGEST_ERROR + e . getMessage ( ) ) ; } } | Combines the inputs into a string with a fixed structure and calculates the canonical request digest . This string can be used with the derived signing key to create an AWS signature . |
6,784 | public byte [ ] getDerivedSigningKey ( String secretAccessKey , String dateStamp , String region , String amazonApi ) throws SignatureException { try { byte [ ] kSecret = ( AWS_SIGNATURE_VERSION + secretAccessKey ) . getBytes ( ENCODING ) ; byte [ ] kDate = calculateHmacSHA256 ( dateStamp , kSecret ) ; byte [ ] kRegion = calculateHmacSHA256 ( region , kDate ) ; byte [ ] kService = calculateHmacSHA256 ( amazonApi , kRegion ) ; return calculateHmacSHA256 ( AWS_REQUEST_VERSION , kService ) ; } catch ( NoSuchAlgorithmException | UnsupportedEncodingException | InvalidKeyException e ) { throw new SignatureException ( DERIVED_SIGNING_ERROR + e . getMessage ( ) ) ; } } | Derives a signing key from the AWS secret access key . |
6,785 | private byte [ ] calculateHmacSHA256 ( String data , byte [ ] key ) throws NoSuchAlgorithmException , InvalidKeyException , UnsupportedEncodingException { Mac mac = Mac . getInstance ( HMAC_ALGORITHM ) ; mac . init ( new SecretKeySpec ( key , HMAC_ALGORITHM ) ) ; return mac . doFinal ( data . getBytes ( ENCODING ) ) ; } | Calculates the keyed - hash message authentication code for the data string . |
6,786 | public Map < String , String > getOsDescriptors ( HttpInputs httpInputs , VmInputs vmInputs , String delimiter ) throws Exception { ConnectionResources connectionResources = new ConnectionResources ( httpInputs , vmInputs ) ; try { ManagedObjectReference environmentBrowserMor = new MorObjectHandler ( ) . getEnvironmentBrowser ( connectionResources , ManagedObjectType . ENVIRONMENT_BROWSER . getValue ( ) ) ; VirtualMachineConfigOption configOptions = connectionResources . getVimPortType ( ) . queryConfigOption ( environmentBrowserMor , null , connectionResources . getHostMor ( ) ) ; List < GuestOsDescriptor > guestOSDescriptors = configOptions . getGuestOSDescriptor ( ) ; return ResponseUtils . getResultsMap ( ResponseUtils . getResponseStringFromCollection ( guestOSDescriptors , delimiter ) , Outputs . RETURN_CODE_SUCCESS ) ; } catch ( Exception ex ) { return ResponseUtils . getResultsMap ( ex . toString ( ) , Outputs . RETURN_CODE_FAILURE ) ; } finally { if ( httpInputs . isCloseSession ( ) ) { connectionResources . getConnection ( ) . disconnect ( ) ; clearConnectionFromContext ( httpInputs . getGlobalSessionObject ( ) ) ; } } } | Method used to connect to data center to retrieve a list with all the guest operating system descriptors supported by the host system . |
6,787 | public Map < String , String > createVM ( HttpInputs httpInputs , VmInputs vmInputs ) throws Exception { ConnectionResources connectionResources = new ConnectionResources ( httpInputs , vmInputs ) ; try { VmUtils utils = new VmUtils ( ) ; ManagedObjectReference vmFolderMor = utils . getMorFolder ( vmInputs . getFolderName ( ) , connectionResources ) ; ManagedObjectReference resourcePoolMor = utils . getMorResourcePool ( vmInputs . getResourcePool ( ) , connectionResources ) ; ManagedObjectReference hostMor = utils . getMorHost ( vmInputs . getHostname ( ) , connectionResources , null ) ; VirtualMachineConfigSpec vmConfigSpec = new VmConfigSpecs ( ) . getVmConfigSpec ( vmInputs , connectionResources ) ; ManagedObjectReference task = connectionResources . getVimPortType ( ) . createVMTask ( vmFolderMor , vmConfigSpec , resourcePoolMor , hostMor ) ; return new ResponseHelper ( connectionResources , task ) . getResultsMap ( "Success: Created [" + vmInputs . getVirtualMachineName ( ) + "] VM. The taskId is: " + task . getValue ( ) , "Failure: Could not create [" + vmInputs . getVirtualMachineName ( ) + "] VM" ) ; } catch ( Exception ex ) { return ResponseUtils . getResultsMap ( ex . toString ( ) , Outputs . RETURN_CODE_FAILURE ) ; } finally { if ( httpInputs . isCloseSession ( ) ) { connectionResources . getConnection ( ) . disconnect ( ) ; clearConnectionFromContext ( httpInputs . getGlobalSessionObject ( ) ) ; } } } | Method used to connect to specified data center and create a virtual machine using the inputs provided . |
6,788 | public Map < String , String > deleteVM ( HttpInputs httpInputs , VmInputs vmInputs ) throws Exception { ConnectionResources connectionResources = new ConnectionResources ( httpInputs , vmInputs ) ; try { ManagedObjectReference vmMor = new MorObjectHandler ( ) . getMor ( connectionResources , ManagedObjectType . VIRTUAL_MACHINE . getValue ( ) , vmInputs . getVirtualMachineName ( ) ) ; if ( vmMor != null ) { ManagedObjectReference task = connectionResources . getVimPortType ( ) . destroyTask ( vmMor ) ; return new ResponseHelper ( connectionResources , task ) . getResultsMap ( "Success: The [" + vmInputs . getVirtualMachineName ( ) + "] VM was deleted. The taskId is: " + task . getValue ( ) , "Failure: The [" + vmInputs . getVirtualMachineName ( ) + "] VM could not be deleted." ) ; } else { return ResponseUtils . getVmNotFoundResultsMap ( vmInputs ) ; } } catch ( Exception ex ) { return ResponseUtils . getResultsMap ( ex . toString ( ) , Outputs . RETURN_CODE_FAILURE ) ; } finally { if ( httpInputs . isCloseSession ( ) ) { connectionResources . getConnection ( ) . disconnect ( ) ; clearConnectionFromContext ( httpInputs . getGlobalSessionObject ( ) ) ; } } } | Method used to connect to specified data center and delete the virtual machine identified by the inputs provided . |
6,789 | public Map < String , String > listVMsAndTemplates ( HttpInputs httpInputs , VmInputs vmInputs , String delimiter ) throws Exception { ConnectionResources connectionResources = new ConnectionResources ( httpInputs , vmInputs ) ; try { Map < String , ManagedObjectReference > virtualMachinesMorMap = new MorObjectHandler ( ) . getSpecificObjectsMap ( connectionResources , ManagedObjectType . VIRTUAL_MACHINE . getValue ( ) ) ; Set < String > virtualMachineNamesList = virtualMachinesMorMap . keySet ( ) ; if ( virtualMachineNamesList . size ( ) > 0 ) { return ResponseUtils . getResultsMap ( ResponseUtils . getResponseStringFromCollection ( virtualMachineNamesList , delimiter ) , Outputs . RETURN_CODE_SUCCESS ) ; } else { return ResponseUtils . getResultsMap ( "No VM found in datacenter." , Outputs . RETURN_CODE_FAILURE ) ; } } catch ( Exception ex ) { return ResponseUtils . getResultsMap ( ex . toString ( ) , Outputs . RETURN_CODE_FAILURE ) ; } finally { if ( httpInputs . isCloseSession ( ) ) { connectionResources . getConnection ( ) . disconnect ( ) ; clearConnectionFromContext ( httpInputs . getGlobalSessionObject ( ) ) ; } } } | Method used to connect to data center to retrieve a list with all the virtual machines and templates within . |
6,790 | public Map < String , String > getVMDetails ( HttpInputs httpInputs , VmInputs vmInputs ) throws Exception { ConnectionResources connectionResources = new ConnectionResources ( httpInputs , vmInputs ) ; try { ManagedObjectReference vmMor = new MorObjectHandler ( ) . getMor ( connectionResources , ManagedObjectType . VIRTUAL_MACHINE . getValue ( ) , vmInputs . getVirtualMachineName ( ) ) ; ObjectContent [ ] objectContents = GetObjectProperties . getObjectProperties ( connectionResources , vmMor , new String [ ] { ManagedObjectType . SUMMARY . getValue ( ) } ) ; if ( objectContents != null ) { Map < String , String > vmDetails = new HashMap < > ( ) ; for ( ObjectContent objectItem : objectContents ) { List < DynamicProperty > vmProperties = objectItem . getPropSet ( ) ; for ( DynamicProperty propertyItem : vmProperties ) { VirtualMachineSummary virtualMachineSummary = ( VirtualMachineSummary ) propertyItem . getVal ( ) ; VirtualMachineConfigSummary virtualMachineConfigSummary = virtualMachineSummary . getConfig ( ) ; ResponseUtils . addDataToVmDetailsMap ( vmDetails , virtualMachineSummary , virtualMachineConfigSummary ) ; } } String responseJson = ResponseUtils . getJsonString ( vmDetails ) ; return ResponseUtils . getResultsMap ( responseJson , Outputs . RETURN_CODE_SUCCESS ) ; } else { return ResponseUtils . getResultsMap ( "Could not retrieve the details for: [" + vmInputs . getVirtualMachineName ( ) + "] VM." , Outputs . RETURN_CODE_FAILURE ) ; } } catch ( Exception ex ) { return ResponseUtils . getResultsMap ( ex . toString ( ) , Outputs . RETURN_CODE_FAILURE ) ; } finally { if ( httpInputs . isCloseSession ( ) ) { connectionResources . getConnection ( ) . disconnect ( ) ; clearConnectionFromContext ( httpInputs . getGlobalSessionObject ( ) ) ; } } } | Method used to connect to data center to retrieve details of a virtual machine identified by the inputs provided . |
6,791 | public Map < String , String > updateVM ( HttpInputs httpInputs , VmInputs vmInputs ) throws Exception { ConnectionResources connectionResources = new ConnectionResources ( httpInputs , vmInputs ) ; try { ManagedObjectReference vmMor = new MorObjectHandler ( ) . getMor ( connectionResources , ManagedObjectType . VIRTUAL_MACHINE . getValue ( ) , vmInputs . getVirtualMachineName ( ) ) ; if ( vmMor != null ) { VirtualMachineConfigSpec vmConfigSpec = new VirtualMachineConfigSpec ( ) ; String device = Device . getValue ( vmInputs . getDevice ( ) ) . toLowerCase ( ) ; if ( Constants . CPU . equalsIgnoreCase ( device ) || Constants . MEMORY . equalsIgnoreCase ( device ) ) { vmConfigSpec = new VmUtils ( ) . getUpdateConfigSpec ( vmInputs , vmConfigSpec , device ) ; } else { vmConfigSpec = new VmUtils ( ) . getAddOrRemoveSpecs ( connectionResources , vmMor , vmInputs , vmConfigSpec , device ) ; } ManagedObjectReference task = connectionResources . getVimPortType ( ) . reconfigVMTask ( vmMor , vmConfigSpec ) ; return new ResponseHelper ( connectionResources , task ) . getResultsMap ( "Success: The [" + vmInputs . getVirtualMachineName ( ) + "] VM was successfully reconfigured. The taskId is: " + task . getValue ( ) , "Failure: The [" + vmInputs . getVirtualMachineName ( ) + "] VM could not be reconfigured." ) ; } else { return ResponseUtils . getVmNotFoundResultsMap ( vmInputs ) ; } } catch ( Exception ex ) { return ResponseUtils . getResultsMap ( ex . toString ( ) , Outputs . RETURN_CODE_FAILURE ) ; } finally { if ( httpInputs . isCloseSession ( ) ) { connectionResources . getConnection ( ) . disconnect ( ) ; clearConnectionFromContext ( httpInputs . getGlobalSessionObject ( ) ) ; } } } | Method used to connect to data center to update existing devices of a virtual machine identified by the inputs provided . |
6,792 | public Map < String , String > cloneVM ( HttpInputs httpInputs , VmInputs vmInputs ) throws Exception { ConnectionResources connectionResources = new ConnectionResources ( httpInputs , vmInputs ) ; try { ManagedObjectReference vmMor = new MorObjectHandler ( ) . getMor ( connectionResources , ManagedObjectType . VIRTUAL_MACHINE . getValue ( ) , vmInputs . getVirtualMachineName ( ) ) ; if ( vmMor != null ) { VmUtils utils = new VmUtils ( ) ; ManagedObjectReference folder = utils . getMorFolder ( vmInputs . getFolderName ( ) , connectionResources ) ; ManagedObjectReference resourcePool = utils . getMorResourcePool ( vmInputs . getCloneResourcePool ( ) , connectionResources ) ; ManagedObjectReference host = utils . getMorHost ( vmInputs . getCloneHost ( ) , connectionResources , vmMor ) ; ManagedObjectReference dataStore = utils . getMorDataStore ( vmInputs . getCloneDataStore ( ) , connectionResources , vmMor , vmInputs ) ; VirtualMachineRelocateSpec vmRelocateSpec = utils . getVirtualMachineRelocateSpec ( resourcePool , host , dataStore , vmInputs ) ; VirtualMachineCloneSpec cloneSpec = new VmConfigSpecs ( ) . getCloneSpec ( vmInputs , vmRelocateSpec ) ; ManagedObjectReference taskMor = connectionResources . getVimPortType ( ) . cloneVMTask ( vmMor , folder , vmInputs . getCloneName ( ) , cloneSpec ) ; return new ResponseHelper ( connectionResources , taskMor ) . getResultsMap ( "Success: The [" + vmInputs . getVirtualMachineName ( ) + "] VM was successfully cloned. The taskId is: " + taskMor . getValue ( ) , "Failure: The [" + vmInputs . getVirtualMachineName ( ) + "] VM could not be cloned." ) ; } else { return ResponseUtils . getVmNotFoundResultsMap ( vmInputs ) ; } } catch ( Exception ex ) { return ResponseUtils . getResultsMap ( ex . toString ( ) , Outputs . RETURN_CODE_FAILURE ) ; } finally { if ( httpInputs . isCloseSession ( ) ) { connectionResources . getConnection ( ) . disconnect ( ) ; clearConnectionFromContext ( httpInputs . getGlobalSessionObject ( ) ) ; } } } | Method used to connect to data center and clone a virtual machine identified by the inputs provided . |
6,793 | @ Action ( name = "Merge Arrays" , outputs = { @ Output ( OutputNames . RETURN_RESULT ) , @ Output ( OutputNames . RETURN_CODE ) , @ Output ( OutputNames . EXCEPTION ) } , responses = { @ Response ( text = ResponseNames . SUCCESS , field = OutputNames . RETURN_CODE , value = ReturnCodes . SUCCESS , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . RESOLVED ) , @ Response ( text = ResponseNames . FAILURE , field = OutputNames . RETURN_CODE , value = ReturnCodes . FAILURE , matchType = MatchType . COMPARE_EQUAL , responseType = ResponseType . ERROR , isOnFail = true ) } ) public Map < String , String > execute ( @ Param ( value = Constants . InputNames . ARRAY , required = true ) String array1 , @ Param ( value = Constants . InputNames . ARRAY , required = true ) String array2 ) { Map < String , String > returnResult = new HashMap < > ( ) ; if ( StringUtilities . isBlank ( array1 ) ) { final String exceptionValue = NOT_A_VALID_JSON_ARRAY_MESSAGE + ARRAY1_MESSAGE . replaceFirst ( "=" , EMPTY_STRING ) ; return populateResult ( returnResult , exceptionValue , new Exception ( exceptionValue ) ) ; } if ( StringUtilities . isBlank ( array2 ) ) { final String exceptionValue = NOT_A_VALID_JSON_ARRAY_MESSAGE + ARRAY2_MESSAGE . replaceFirst ( "=" , EMPTY_STRING ) ; return populateResult ( returnResult , new Exception ( exceptionValue ) ) ; } JsonNode jsonNode1 ; JsonNode jsonNode2 ; ObjectMapper mapper = new ObjectMapper ( ) ; try { jsonNode1 = mapper . readTree ( array1 ) ; } catch ( IOException exception ) { final String value = INVALID_JSON_OBJECT_PROVIDED_EXCEPTION_MESSAGE + ARRAY1_MESSAGE + array1 ; return populateResult ( returnResult , value , exception ) ; } try { jsonNode2 = mapper . readTree ( array2 ) ; } catch ( IOException exception ) { final String value = INVALID_JSON_OBJECT_PROVIDED_EXCEPTION_MESSAGE + ARRAY2_MESSAGE + array2 ; return populateResult ( returnResult , value , exception ) ; } final String result ; if ( jsonNode1 instanceof ArrayNode && jsonNode2 instanceof ArrayNode ) { final ArrayNode asJsonArray1 = ( ArrayNode ) jsonNode1 ; final ArrayNode asJsonArray2 = ( ArrayNode ) jsonNode2 ; final ArrayNode asJsonArrayResult = new ArrayNode ( mapper . getNodeFactory ( ) ) ; asJsonArrayResult . addAll ( asJsonArray1 ) ; asJsonArrayResult . addAll ( asJsonArray2 ) ; result = asJsonArrayResult . toString ( ) ; } else { result = NOT_A_VALID_JSON_ARRAY_MESSAGE + ARRAY1_MESSAGE + array1 + ARRAY2_MESSAGE + array2 ; return populateResult ( returnResult , new Exception ( result ) ) ; } return populateResult ( returnResult , result , null ) ; } | This operation merge the contents of two JSON arrays . This operation does not modify either of the input arrays . The result is the contents or array1 and array2 merged into a single array . The merge operation add into the result the first array and then the second array . |
6,794 | public Map < String , String > runCommand ( WSManRequestInputs wsManRequestInputs ) throws RuntimeException , IOException , InterruptedException , ParserConfigurationException , TransformerException , XPathExpressionException , TimeoutException , URISyntaxException , SAXException { HttpClientService csHttpClient = new HttpClientService ( ) ; HttpClientInputs httpClientInputs = new HttpClientInputs ( ) ; URL url = buildURL ( wsManRequestInputs , WSMAN_RESOURCE_URI ) ; httpClientInputs = setCommonHttpInputs ( httpClientInputs , url , wsManRequestInputs ) ; String shellId = createShell ( csHttpClient , httpClientInputs , wsManRequestInputs ) ; WSManUtils . validateUUID ( shellId , SHELL_ID ) ; String commandStr = WSManUtils . constructCommand ( wsManRequestInputs ) ; String commandId = executeCommand ( csHttpClient , httpClientInputs , shellId , wsManRequestInputs , commandStr ) ; WSManUtils . validateUUID ( commandId , COMMAND_ID ) ; Map < String , String > scriptResults = receiveCommandResult ( csHttpClient , httpClientInputs , shellId , commandId , wsManRequestInputs ) ; deleteShell ( csHttpClient , httpClientInputs , shellId , wsManRequestInputs ) ; return scriptResults ; } | Executes a command on a remote shell by communicating with the WinRM server from the remote host . Method creates a shell runs a command on the shell waits for the command execution to finnish retrieves the result then deletes the shell . |
6,795 | private static HttpClientInputs setCommonHttpInputs ( HttpClientInputs httpClientInputs , URL url , WSManRequestInputs wsManRequestInputs ) throws MalformedURLException { httpClientInputs . setUrl ( url . toString ( ) ) ; httpClientInputs . setUsername ( wsManRequestInputs . getUsername ( ) ) ; httpClientInputs . setPassword ( wsManRequestInputs . getPassword ( ) ) ; httpClientInputs . setAuthType ( wsManRequestInputs . getAuthType ( ) ) ; httpClientInputs . setKerberosConfFile ( wsManRequestInputs . getKerberosConfFile ( ) ) ; httpClientInputs . setKerberosLoginConfFile ( wsManRequestInputs . getKerberosLoginConfFile ( ) ) ; httpClientInputs . setKerberosSkipPortCheck ( wsManRequestInputs . getKerberosSkipPortForLookup ( ) ) ; httpClientInputs . setTrustAllRoots ( wsManRequestInputs . getTrustAllRoots ( ) ) ; httpClientInputs . setX509HostnameVerifier ( wsManRequestInputs . getX509HostnameVerifier ( ) ) ; httpClientInputs . setProxyHost ( wsManRequestInputs . getProxyHost ( ) ) ; httpClientInputs . setProxyPort ( wsManRequestInputs . getProxyPort ( ) ) ; httpClientInputs . setProxyUsername ( wsManRequestInputs . getProxyUsername ( ) ) ; httpClientInputs . setProxyPassword ( wsManRequestInputs . getProxyPassword ( ) ) ; httpClientInputs . setKeystore ( wsManRequestInputs . getKeystore ( ) ) ; httpClientInputs . setKeystorePassword ( wsManRequestInputs . getKeystorePassword ( ) ) ; httpClientInputs . setTrustKeystore ( wsManRequestInputs . getTrustKeystore ( ) ) ; httpClientInputs . setTrustPassword ( wsManRequestInputs . getTrustPassword ( ) ) ; String headers = httpClientInputs . getHeaders ( ) ; if ( StringUtils . isEmpty ( headers ) ) { httpClientInputs . setHeaders ( CONTENT_TYPE_HEADER ) ; } else { httpClientInputs . setHeaders ( headers + NEW_LINE_SEPARATOR + CONTENT_TYPE_HEADER ) ; } httpClientInputs . setMethod ( HttpPost . METHOD_NAME ) ; return httpClientInputs ; } | Configures the HttpClientInputs object with the most common http parameters . |
6,796 | private Map < String , String > executeRequestWithBody ( HttpClientService csHttpClient , HttpClientInputs httpClientInputs , String body ) { httpClientInputs . setBody ( body ) ; Map < String , String > requestResponse = csHttpClient . execute ( httpClientInputs ) ; if ( UNAUTHORIZED_STATUS_CODE . equals ( requestResponse . get ( STATUS_CODE ) ) ) { throw new RuntimeException ( UNAUTHORIZED_EXCEPTION_MESSAGE ) ; } return requestResponse ; } | This method executes a request with the given CSHttpClient HttpClientInputs and body . |
6,797 | private String createShell ( HttpClientService csHttpClient , HttpClientInputs httpClientInputs , WSManRequestInputs wsManRequestInputs ) throws RuntimeException , IOException , URISyntaxException , XPathExpressionException , SAXException , ParserConfigurationException { String document = ResourceLoader . loadAsString ( CREATE_SHELL_REQUEST_XML ) ; document = createCreateShellRequestBody ( document , httpClientInputs . getUrl ( ) , String . valueOf ( wsManRequestInputs . getMaxEnvelopeSize ( ) ) , wsManRequestInputs . getWinrmLocale ( ) , String . valueOf ( wsManRequestInputs . getOperationTimeout ( ) ) ) ; Map < String , String > createShellResult = executeRequestWithBody ( csHttpClient , httpClientInputs , document ) ; return getResourceId ( createShellResult . get ( RETURN_RESULT ) , CREATE_RESPONSE_ACTION , CREATE_RESPONSE_SHELL_ID_XPATH , SHELL_ID_NOT_RETRIEVED ) ; } | Creates a shell on the remote server and returns the shell id . |
6,798 | private String executeCommand ( HttpClientService csHttpClient , HttpClientInputs httpClientInputs , String shellId , WSManRequestInputs wsManRequestInputs , String command ) throws RuntimeException , IOException , URISyntaxException , TransformerException , XPathExpressionException , SAXException , ParserConfigurationException { String documentStr = ResourceLoader . loadAsString ( EXECUTE_COMMAND_REQUEST_XML ) ; documentStr = createExecuteCommandRequestBody ( documentStr , httpClientInputs . getUrl ( ) , shellId , command , String . valueOf ( wsManRequestInputs . getMaxEnvelopeSize ( ) ) , wsManRequestInputs . getWinrmLocale ( ) , String . valueOf ( wsManRequestInputs . getOperationTimeout ( ) ) ) ; commandExecutionStartTime = System . currentTimeMillis ( ) / 1000 ; Map < String , String > executeCommandResult = executeRequestWithBody ( csHttpClient , httpClientInputs , documentStr ) ; return getResourceId ( executeCommandResult . get ( RETURN_RESULT ) , COMMAND_RESPONSE_ACTION , COMMAND_RESULT_COMMAND_ID_XPATH , COMMAND_ID_NOT_RETRIEVED ) ; } | Executes a command on the given shell . |
6,799 | private Map < String , String > receiveCommandResult ( HttpClientService csHttpClient , HttpClientInputs httpClientInputs , String shellId , String commandId , WSManRequestInputs wsManRequestInputs ) throws RuntimeException , IOException , URISyntaxException , TransformerException , TimeoutException , XPathExpressionException , SAXException , ParserConfigurationException , InterruptedException { String documentStr = ResourceLoader . loadAsString ( RECEIVE_REQUEST_XML ) ; documentStr = createReceiveRequestBody ( documentStr , httpClientInputs . getUrl ( ) , shellId , commandId , String . valueOf ( wsManRequestInputs . getMaxEnvelopeSize ( ) ) , wsManRequestInputs . getWinrmLocale ( ) , String . valueOf ( wsManRequestInputs . getOperationTimeout ( ) ) ) ; Map < String , String > receiveResult ; while ( true ) { receiveResult = executeRequestWithBody ( csHttpClient , httpClientInputs , documentStr ) ; if ( executionIsTimedOut ( commandExecutionStartTime , wsManRequestInputs . getOperationTimeout ( ) ) ) { throw new TimeoutException ( EXECUTION_TIMED_OUT ) ; } else if ( WSManUtils . isSpecificResponseAction ( receiveResult . get ( RETURN_RESULT ) , RECEIVE_RESPONSE_ACTION ) && WSManUtils . commandExecutionIsDone ( receiveResult . get ( RETURN_RESULT ) ) ) { return processCommandExecutionResponse ( receiveResult ) ; } else if ( WSManUtils . isFaultResponse ( receiveResult . get ( RETURN_RESULT ) ) ) { throw new RuntimeException ( WSManUtils . getResponseFault ( receiveResult . get ( RETURN_RESULT ) ) ) ; } try { Thread . sleep ( 200 ) ; } catch ( InterruptedException e ) { throw e ; } } } | Waits for a specific command that is running on a remote shell to finnish it s execution . |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.