aboutsummaryrefslogtreecommitdiffstats
path: root/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils
diff options
context:
space:
mode:
Diffstat (limited to 'ecomp-sdk-app/src/main/java/org/openecomp/policy/utils')
-rw-r--r--ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/ConfigurableRESTUtils.java163
-rw-r--r--ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/PolicyContainer.java121
-rw-r--r--ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/PolicyItemSetChangeNotifier.java95
-rw-r--r--ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/XACMLPolicyWriterWithPapNotify.java494
4 files changed, 873 insertions, 0 deletions
diff --git a/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/ConfigurableRESTUtils.java b/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/ConfigurableRESTUtils.java
new file mode 100644
index 000000000..eafd2196d
--- /dev/null
+++ b/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/ConfigurableRESTUtils.java
@@ -0,0 +1,163 @@
+/*-
+ * ============LICENSE_START=======================================================
+ * ECOMP Policy Engine
+ * ================================================================================
+ * Copyright (C) 2017 AT&T Intellectual Property. All rights reserved.
+ * ================================================================================
+ * Licensed under the Apache License, Version 2.0 (the "License");
+ * you may not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ * ============LICENSE_END=========================================================
+ */
+
+package org.openecomp.policy.utils;
+
+
+import java.io.IOException;
+import java.io.InputStream;
+import java.io.OutputStreamWriter;
+import java.net.HttpURLConnection;
+import java.net.URL;
+import java.util.Map;
+
+import org.openecomp.policy.common.logging.flexlogger.FlexLogger;
+import org.openecomp.policy.common.logging.flexlogger.Logger;
+
+
+public class ConfigurableRESTUtils {
+
+ protected Logger logger = FlexLogger.getLogger(this.getClass());
+
+ //
+ // How the value is returned from the RESTful server
+ // httpResponseCode means the result is simply the HTTP Response code (e.g. 200, 505, etc.)
+ // other values identify the encoding used for the string in the body of the HTTP response
+ //
+ public enum REST_RESPONSE_FORMAT {httpResponseCode, json }
+ public enum RESQUEST_METHOD {
+ GET, HEAD, POST, PUT, PATCH, DELETE, OPTIONS, TRACE;
+ }
+
+ public String ERROR_RECEIVED = "ERROR - Unexpected HTTP response: ";
+
+ public ConfigurableRESTUtils() {
+
+ }
+
+
+ /**
+ * Call the RESTful API and return a string containing the result. The string may be either a httpResponseCode or json body
+ *
+ * @param fullURI
+ * @param hardCodedHeaders
+ * @param httpResponseCodes
+ * @param responseFormat
+ * @param jsonBody
+ * @param requestMethod
+ * @return String
+ */
+ public String sendRESTRequest(String fullURI, Map<String, String> hardCodedHeaderMap,
+ Map<Integer,String> httpResponseCodeMap,
+ REST_RESPONSE_FORMAT responseFormat,
+ String jsonBody,
+ RESQUEST_METHOD requestMethod ){
+
+ String responseString = null;
+ HttpURLConnection connection = null;
+ try {
+
+ URL url = new URL(fullURI);
+
+ //
+ // Open up the connection
+ //
+ connection = (HttpURLConnection)url.openConnection();
+ //
+ // Setup our method and headers
+ //
+ connection.setRequestMethod(requestMethod.toString());
+
+ connection.setUseCaches(false);
+
+ // add hard-coded headers
+ for (String headerName : hardCodedHeaderMap.keySet()) {
+ connection.addRequestProperty(headerName, hardCodedHeaderMap.get(headerName));
+ }
+
+
+
+ if (jsonBody != null){
+ connection.setDoInput(true);
+ connection.setDoOutput(true);
+ OutputStreamWriter out = new OutputStreamWriter(connection.getOutputStream());
+ out.write(jsonBody);
+ out.flush();
+ out.close();
+ } else{
+ connection.connect();
+ }
+
+ int responseCode = connection.getResponseCode();
+
+ // check that the response is one we expected (and get the associated value at the same time)
+ responseString = httpResponseCodeMap.get(responseCode);
+ if (responseString == null) {
+ // the response was not configured, meaning it is unexpected and therefore an error
+ logger.error("Unexpected HTTP response code '" + responseCode + "' from RESTful Server");
+ return ERROR_RECEIVED + " code" + responseCode + " from RESTful Server";
+ }
+
+ // if the response is contained only in the http code we are done. Otherwise we need to read the body
+ if (responseFormat == REST_RESPONSE_FORMAT.httpResponseCode) {
+ return responseString;
+ }
+
+ // Need to read the body and return that as the responseString.
+
+ responseString = null;
+ // read the inputStream into a buffer (trick found online scans entire input looking for end-of-file)
+ java.util.Scanner scanner = new java.util.Scanner(connection.getInputStream());
+ scanner.useDelimiter("\\A");
+ responseString = scanner.hasNext() ? scanner.next() : "";
+ scanner.close();
+ logger.debug("RESTful body: " + responseString);
+ return responseString;
+
+ } catch (Exception e) {
+ logger.error("HTTP Request/Response from RESTFUL server: " + e);
+ responseString = ERROR_RECEIVED + e;
+ } finally {
+ // cleanup the connection
+ if (connection != null) {
+ try {
+ // For some reason trying to get the inputStream from the connection
+ // throws an exception rather than returning null when the InputStream does not exist.
+ InputStream is = null;
+ try {
+ is = connection.getInputStream();
+ } catch (Exception e1) {
+ // ignore this
+ }
+ if (is != null) {
+ is.close();
+ }
+
+ } catch (IOException ex) {
+ logger.error("Failed to close connection: " + ex, ex);
+ }
+ connection.disconnect();
+ }
+ }
+ return responseString;
+
+ }
+
+}
diff --git a/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/PolicyContainer.java b/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/PolicyContainer.java
new file mode 100644
index 000000000..fdca336ea
--- /dev/null
+++ b/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/PolicyContainer.java
@@ -0,0 +1,121 @@
+/*-
+ * ============LICENSE_START=======================================================
+ * ECOMP Policy Engine
+ * ================================================================================
+ * Copyright (C) 2017 AT&T Intellectual Property. All rights reserved.
+ * ================================================================================
+ * Licensed under the Apache License, Version 2.0 (the "License");
+ * you may not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ * ============LICENSE_END=========================================================
+ */
+
+package org.openecomp.policy.utils;
+
+import java.io.Serializable;
+import java.util.Collection;
+import java.util.List;
+
+
+public interface PolicyContainer extends Serializable{
+
+ public Collection<?> getContainerPropertyIds();
+
+ public Collection<?> getItemIds();
+
+ public Class<?> getType(Object propertyId);
+
+ public int size();
+
+ public boolean containsId(Object itemId);
+
+ public Object addItem() throws UnsupportedOperationException;
+
+ public boolean removeItem(Object itemId)
+ throws UnsupportedOperationException;
+
+ public boolean addContainerProperty(Object propertyId, Class<?> type,
+ Object defaultValue) throws UnsupportedOperationException;
+
+ public boolean removeContainerProperty(Object propertyId)
+ throws UnsupportedOperationException;
+
+ public boolean removeAllItems() throws UnsupportedOperationException;
+
+ public interface Ordered extends PolicyContainer {
+
+ public Object nextItemId(Object itemId);
+
+ public Object prevItemId(Object itemId);
+
+ public Object firstItemId();
+
+ public Object lastItemId();
+
+ public boolean isFirstId(Object itemId);
+
+ public boolean isLastId(Object itemId);
+
+ public Object addItemAfter(Object previousItemId)
+ throws UnsupportedOperationException;
+
+ }
+
+
+ public interface Indexed extends Ordered {
+
+ public int indexOfId(Object itemId);
+
+ public Object getIdByIndex(int index);
+
+ public List<?> getItemIds(int startIndex, int numberOfItems);
+
+ public Object addItemAt(int index) throws UnsupportedOperationException;
+
+ public interface ItemAddEvent extends ItemSetChangeEvent {
+
+ public Object getFirstItemId();
+
+ public int getFirstIndex();
+
+ public int getAddedItemsCount();
+ }
+
+
+ public interface ItemRemoveEvent extends ItemSetChangeEvent {
+
+ public Object getFirstItemId();
+
+ public int getFirstIndex();
+
+ public int getRemovedItemsCount();
+ }
+ }
+
+ public interface ItemSetChangeEvent extends Serializable {
+
+ public PolicyContainer getContainer();
+ }
+
+ public interface ItemSetChangeListener extends Serializable {
+
+ public void containerItemSetChange(PolicyContainer.ItemSetChangeEvent event);
+ }
+
+ public interface ItemSetChangeNotifier extends Serializable {
+
+ public void addItemSetChangeListener(
+ PolicyContainer.ItemSetChangeListener listener);
+
+ public void removeItemSetChangeListener(
+ PolicyContainer.ItemSetChangeListener listener);
+ }
+}
diff --git a/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/PolicyItemSetChangeNotifier.java b/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/PolicyItemSetChangeNotifier.java
new file mode 100644
index 000000000..934c30564
--- /dev/null
+++ b/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/PolicyItemSetChangeNotifier.java
@@ -0,0 +1,95 @@
+/*-
+ * ============LICENSE_START=======================================================
+ * ECOMP Policy Engine
+ * ================================================================================
+ * Copyright (C) 2017 AT&T Intellectual Property. All rights reserved.
+ * ================================================================================
+ * Licensed under the Apache License, Version 2.0 (the "License");
+ * you may not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ * ============LICENSE_END=========================================================
+ */
+
+package org.openecomp.policy.utils;
+
+
+import java.io.Serializable;
+import java.util.Collection;
+import java.util.EventObject;
+import java.util.LinkedList;
+
+import org.openecomp.policy.utils.PolicyContainer.ItemSetChangeEvent;
+import org.openecomp.policy.utils.PolicyContainer.ItemSetChangeListener;
+
+
+
+public class PolicyItemSetChangeNotifier implements PolicyContainer.ItemSetChangeNotifier {
+ private static final long serialVersionUID = 1L;
+ private Collection<PolicyContainer.ItemSetChangeListener> itemSetChangeListeners = null;
+ private PolicyContainer container = null;
+
+ public PolicyItemSetChangeNotifier() {
+ }
+
+ protected void setContainer(PolicyContainer c) {
+ this.container = c;
+ }
+
+ @Override
+ public void addItemSetChangeListener(ItemSetChangeListener listener) {
+ if (getItemSetChangeListeners() == null) {
+ setItemSetChangeListeners(new LinkedList<PolicyContainer.ItemSetChangeListener>());
+ }
+ getItemSetChangeListeners().add(listener); }
+
+ @Override
+ public void removeItemSetChangeListener(ItemSetChangeListener listener) {
+ if (getItemSetChangeListeners() != null) {
+ getItemSetChangeListeners().remove(listener);
+ }
+ }
+
+ protected static class BaseItemSetChangeEvent extends EventObject implements
+ PolicyContainer.ItemSetChangeEvent, Serializable {
+ private static final long serialVersionUID = 1L;
+
+ protected BaseItemSetChangeEvent(PolicyContainer source) {
+ super(source);
+ }
+
+ @Override
+ public PolicyContainer getContainer() {
+ return (PolicyContainer) getSource();
+ }
+ }
+
+ protected void setItemSetChangeListeners(
+ Collection<PolicyContainer.ItemSetChangeListener> itemSetChangeListeners) {
+ this.itemSetChangeListeners = itemSetChangeListeners;
+ }
+ protected Collection<PolicyContainer.ItemSetChangeListener> getItemSetChangeListeners() {
+ return itemSetChangeListeners;
+ }
+
+ protected void fireItemSetChange() {
+ fireItemSetChange(new BaseItemSetChangeEvent(this.container));
+ }
+
+ protected void fireItemSetChange(ItemSetChangeEvent event) {
+ if (getItemSetChangeListeners() != null) {
+ final Object[] l = getItemSetChangeListeners().toArray();
+ for (int i = 0; i < l.length; i++) {
+ ((PolicyContainer.ItemSetChangeListener) l[i])
+ .containerItemSetChange(event);
+ }
+ }
+ }
+}
diff --git a/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/XACMLPolicyWriterWithPapNotify.java b/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/XACMLPolicyWriterWithPapNotify.java
new file mode 100644
index 000000000..20bfa1a50
--- /dev/null
+++ b/ecomp-sdk-app/src/main/java/org/openecomp/policy/utils/XACMLPolicyWriterWithPapNotify.java
@@ -0,0 +1,494 @@
+/*-
+ * ============LICENSE_START=======================================================
+ * ECOMP Policy Engine
+ * ================================================================================
+ * Copyright (C) 2017 AT&T Intellectual Property. All rights reserved.
+ * ================================================================================
+ * Licensed under the Apache License, Version 2.0 (the "License");
+ * you may not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ * http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing, software
+ * distributed under the License is distributed on an "AS IS" BASIS,
+ * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ * See the License for the specific language governing permissions and
+ * limitations under the License.
+ * ============LICENSE_END=========================================================
+ */
+
+package org.openecomp.policy.utils;
+
+
+import java.io.IOException;
+import java.io.InputStream;
+import java.io.OutputStream;
+import java.io.UnsupportedEncodingException;
+import java.net.HttpURLConnection;
+import java.net.MalformedURLException;
+import java.net.ProtocolException;
+import java.net.URL;
+import java.net.URLEncoder;
+import java.nio.charset.StandardCharsets;
+import java.nio.file.DirectoryNotEmptyException;
+import java.nio.file.Files;
+import java.nio.file.Path;
+import java.util.Base64;
+import java.util.UUID;
+
+import org.openecomp.policy.rest.XACMLRestProperties;
+
+import org.openecomp.policy.xacml.api.XACMLErrorConstants;
+import org.openecomp.policy.xacml.util.XACMLPolicyWriter;
+import com.att.research.xacml.util.XACMLProperties;
+
+import oasis.names.tc.xacml._3_0.core.schema.wd_17.PolicySetType;
+import oasis.names.tc.xacml._3_0.core.schema.wd_17.PolicyType;
+
+import org.openecomp.policy.common.logging.flexlogger.FlexLogger;
+import org.openecomp.policy.common.logging.flexlogger.Logger;
+
+/**
+ * Helper static class that wraps XACMLPolicyWriter
+ *
+ *
+ */
+public class XACMLPolicyWriterWithPapNotify{
+ private static final Logger logger = FlexLogger.getLogger(XACMLPolicyWriterWithPapNotify.class);
+
+ /**
+ * Helper static class that does the work to write a policy set to a file on disk and notify PAP
+ *
+ *
+ */
+ public static Path writePolicyFile(Path filename, PolicySetType policySet) {
+ if(logger.isDebugEnabled()){
+ logger.debug("\nXACMLPolicyWriterWithPapNotify.writePolicyFile(Path filename, PolicySetType policySet)"
+ + "\nfilename = " + filename
+ + "\npolicySet = " + policySet);
+ }
+ //write to file
+ Path path = XACMLPolicyWriter.writePolicyFile(filename, policySet);
+
+ if(path!=null){
+ //write to DB
+ if(notifyPapOfCreateUpdate(filename.toAbsolutePath().toString())){
+ return path;
+ }else{
+ //write to DB failed. So, delete the file
+ try{
+ Files.deleteIfExists(path);
+ }catch(DirectoryNotEmptyException e){
+ //We are trying to delete a directory and it is not empty
+ logger.error("\nXACMLPolicyWriterWithPapNotify.writePolicyFile(Path filename, PolicySetType policySet): Files.deleteIfExists(path)"
+ + "\nDirectoryNotEmptyException for path = " + path
+ + "\nException message = " + e);
+ }catch(IOException e) {
+ // File permission problems are caught here.
+ logger.error("\nXACMLPolicyWriterWithPapNotify.writePolicyFile(Path filename, PolicySetType policySet): Files.deleteIfExists(path)"
+ + "\nIOException for path = " + path
+ + "\nException message = " + e);
+ }catch(Exception e){
+ logger.error("\nXACMLPolicyWriterWithPapNotify.writePolicyFile(Path filename, PolicySetType policySet): Files.deleteIfExists(path)"
+ + "\nException for path = " + path
+ + "\nException message = " + e);
+ }
+ return null;
+ }
+
+ }else{
+ return null;
+ }
+ }
+
+ /**
+ * Helper static class that does the work to write a policy set to an output stream and notify PAP
+ *
+ *
+ */
+ public static void writePolicyFile(OutputStream os, PolicySetType policySet) {
+ if(logger.isDebugEnabled()){
+ logger.debug("\nXACMLPolicyWriterWithPapNotify.writePolicyFile(OutputStream os, PolicySetType policySet)"
+ + "\nos = " + os
+ + "\npolicySet = " + policySet);
+ }
+ //Only used for writing a byte array output stream for a message. No file is written
+ XACMLPolicyWriter.writePolicyFile(os, policySet);
+ }
+
+ /**
+ * Helper static class that does the work to write a policy to a file on disk.
+ *
+ *
+ */
+ public static Path writePolicyFile(Path filename, PolicyType policy) {
+ if(logger.isDebugEnabled()){
+ logger.debug("\nXACMLPolicyWriterWithPapNotify.writePolicyFile(Path filename, PolicyType policy)"
+ + "\nfilename = " + filename
+ + "\npolicy = " + policy);
+ }
+
+ //write to file
+ Path path = XACMLPolicyWriter.writePolicyFile(filename, policy);
+
+ if(path!=null){
+ //write to DB
+ if(notifyPapOfCreateUpdate(filename.toAbsolutePath().toString())){
+ return path;
+ }else{
+ //write to DB failed so delete the file
+ try{
+ Files.deleteIfExists(path);
+ }catch(DirectoryNotEmptyException e){
+ //We are trying to delete a directory and it is not empty
+ logger.error("\nXACMLPolicyWriterWithPapNotify.writePolicyFile(Path filename, PolicySetType policySet)Files.deleteIfExists(path) :"
+ + "\nDirectoryNotEmptyException for path = " + path
+ + "\nException message = " + e);
+ }catch(IOException e) {
+ // File permission problems are caught here.
+ logger.error("\nXACMLPolicyWriterWithPapNotify.writePolicyFile(Path filename, PolicySetType policySet): Files.deleteIfExists(path)"
+ + "\nIOException for path = " + path
+ + "\nException message = " + e);
+ }catch(Exception e){
+ logger.error("\nXACMLPolicyWriterWithPapNotify.writePolicyFile(Path filename, PolicySetType policySet): Files.deleteIfExists(path)"
+ + "\nException for path = " + path
+ + "\nException message = " + e);
+ }
+ return null;
+ }
+
+ }else{
+ return null;
+ }
+ }
+
+
+ /**
+ * Helper static class that does the work to write a policy to a file on disk.
+ *
+ *
+ */
+ public static InputStream getXmlAsInputStream(PolicyType policy) {
+ if(logger.isDebugEnabled()){
+ logger.debug("\nXACMLPolicyWriterWithPapNotify.getXmlAsInputStream(PolicyType policy)"
+ + "\npolicy = " + policy);
+ }
+ return XACMLPolicyWriter.getXmlAsInputStream(policy);
+ }
+ /**
+ * Helper static class that does the work to write a policy set to an output stream.
+ *
+ *
+ */
+ public static void writePolicyFile(OutputStream os, PolicyType policy) {
+ if(logger.isDebugEnabled()){
+ logger.debug("\nXACMLPolicyWriterWithPapNotify.writePolicyFile(OutputStream os, PolicyType policy)"
+ + "\nos = " + os
+ + "\npolicy = " + policy);
+ }
+ //There are no references to this and if there were, it would most likely be used in an http message
+ XACMLPolicyWriter.writePolicyFile(os, policy);
+ }
+
+ public static String changeFileNameInXmlWhenRenamePolicy(Path filename) {
+ if(logger.isDebugEnabled()){
+ logger.debug("\nXACMLPolicyWriterWithPapNotify.changeFileNameInXmlWhenRenamePolicy(Path filename)"
+ + "\nfilename = " + filename);
+ }
+ return XACMLPolicyWriter.changeFileNameInXmlWhenRenamePolicy(filename);
+ }
+
+ public static boolean notifyPapOfPolicyRename(String oldPolicyName, String newPolicyName){
+ if(logger.isDebugEnabled()){
+ logger.debug("\nXACMLPolicyWriterWithPapNotify.notifyPapOfCreateUpdate(String policyToCreateUpdate) "
+ + "\npolicyToCreateUpdate = " + " ");
+ }
+ Base64.Encoder encoder = Base64.getEncoder();
+ String encoding = encoder.encodeToString((XACMLProperties.getProperty(XACMLRestProperties.PROP_PAP_USERID)+":"+XACMLProperties.getProperty(XACMLRestProperties.PROP_PAP_PASS)).getBytes(StandardCharsets.UTF_8));
+ HttpURLConnection connection = null;
+ UUID requestID = UUID.randomUUID();
+ //loggingContext.setRequestID(requestID.toString());
+ //loggingContext.transactionStarted();
+ URL url;
+ try {
+ url = new URL(XACMLProperties.getProperty(XACMLRestProperties.PROP_PAP_URL)+"?oldPolicyName="+ URLEncoder.encode(oldPolicyName, "UTF-8")+"&newPolicyName="+URLEncoder.encode(newPolicyName,"UTF-8"));
+ if(logger.isDebugEnabled()){
+ logger.debug("\nnotifyPapOfCreateUpdate: URL = " + url);
+ }
+ } catch (MalformedURLException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nMalformedURLException message = " + e);
+
+ return false;
+ } catch (UnsupportedEncodingException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nUnsupportedEncodingException message = " + e);
+
+ return false;
+ }
+ //
+ // Open up the connection
+ //
+ try {
+ connection = (HttpURLConnection)url.openConnection();
+ } catch (IOException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nurl.openConnection() IOException message = " + e);
+ return false;
+ }
+ //
+ // Setup our method and headers
+ //
+ try {
+ connection.setRequestMethod("PUT");
+ } catch (ProtocolException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nconnection.setRequestMethod(PUT) ProtocolException message = " + e);
+ connection.disconnect();
+ return false;
+ }
+ connection.setRequestProperty("Authorization", "Basic " + encoding);
+ connection.setRequestProperty("Accept", "text/x-java-properties");
+ connection.setRequestProperty("Content-Type", "text/x-java-properties");
+ connection.setRequestProperty("requestID", requestID.toString());
+ connection.setUseCaches(false);
+ //
+ // Adding this in. It seems the HttpUrlConnection class does NOT
+ // properly forward our headers for POST re-direction. It does so
+ // for a GET re-direction.
+ //
+ // So we need to handle this ourselves.
+ //
+ connection.setInstanceFollowRedirects(false);
+ connection.setDoOutput(true);
+ connection.setDoInput(true);
+ try {
+ connection.connect();
+ } catch (IOException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nconnection.connect() IOException message = " + e);
+ connection.disconnect();
+ return false;
+ }
+ try {
+ int responseCode = connection.getResponseCode();
+ if(logger.isDebugEnabled()){
+ logger.debug("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nconnection.getResponseCode() = " + responseCode);
+ }
+ if (responseCode == 200) {
+ connection.disconnect();
+ return true;
+ } else {
+ connection.disconnect();
+ return false;
+ //System.out.println(connection.getResponseMessage());
+ //System.out.println(connection.getResponseCode());
+ //System.out.println(connection.g);
+ }
+ } catch (IOException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nconnection.getResponseCode() IOException message = " + e);
+ connection.disconnect();
+ return false;
+ }
+ }
+
+ public static boolean notifyPapOfDelete(String policyToDelete){
+ Base64.Encoder encoder = Base64.getEncoder();
+ String encoding = encoder.encodeToString((XACMLProperties.getProperty(XACMLRestProperties.PROP_PAP_USERID)+":"+XACMLProperties.getProperty(XACMLRestProperties.PROP_PAP_PASS)).getBytes(StandardCharsets.UTF_8));
+ HttpURLConnection connection = null;
+ UUID requestID = UUID.randomUUID();
+ //loggingContext.setRequestID(requestID.toString());
+ //loggingContext.transactionStarted();
+ String papUrl = XACMLProperties.getProperty(XACMLRestProperties.PROP_PAP_URL);
+ if(papUrl == null){
+ logger.error(XACMLErrorConstants.ERROR_DATA_ISSUE +
+ "PAP url property does not exist");
+ return false;
+ }
+ String urlString = "";
+ try{
+ urlString = papUrl+"?groupId=0&isDeleteNotify=1&policyToDelete="+ URLEncoder.encode(policyToDelete, "UTF-8");
+ } catch(UnsupportedEncodingException e){
+ logger.error(XACMLErrorConstants.ERROR_DATA_ISSUE +
+ "Invalid encoding: UTF-8", e);
+ return false;
+ }
+ URL url;
+ try {
+ url = new URL(urlString);
+ } catch (MalformedURLException e) {
+ logger.error(XACMLErrorConstants.ERROR_PROCESS_FLOW +
+ "Error parsing PAP url: "
+ + urlString
+ , e);
+ return false;
+ }
+ //
+ // Open up the connection
+ //
+ try {
+ connection = (HttpURLConnection)url.openConnection();
+ } catch (IOException e) {
+ logger.error(XACMLErrorConstants.ERROR_SYSTEM_ERROR +
+ "Error opening HttpURLConnection to: "
+ + url.toString()
+ , e);
+ return false;
+ }
+ //
+ // Setup our method and headers
+ //
+ try {
+ connection.setRequestMethod("DELETE");
+ } catch (ProtocolException e) {
+ logger.error(XACMLErrorConstants.ERROR_DATA_ISSUE +
+ "Invalid request method: DELETE", e);
+ connection.disconnect();
+ return false;
+ }
+ connection.setRequestProperty("Authorization", "Basic " + encoding);
+ connection.setRequestProperty("Accept", "text/x-java-properties");
+ connection.setRequestProperty("Content-Type", "text/x-java-properties");
+ connection.setRequestProperty("requestID", requestID.toString());
+ connection.setUseCaches(false);
+ //
+ // Adding this in. It seems the HttpUrlConnection class does NOT
+ // properly forward our headers for POST re-direction. It does so
+ // for a GET re-direction.
+ //
+ // So we need to handle this ourselves.
+ //
+ connection.setInstanceFollowRedirects(false);
+ connection.setDoOutput(true);
+ connection.setDoInput(true);
+ try {
+ connection.connect();
+ } catch (IOException e) {
+ logger.error(XACMLErrorConstants.ERROR_SYSTEM_ERROR +
+ "Error connecting HttpURLConnection to: "
+ + connection.getURL().toString()
+ , e);
+ connection.disconnect();
+ return false;
+ }
+ try {
+ if (connection.getResponseCode() == 200) {
+ connection.disconnect();
+ //worked
+ return true;
+ } else {
+ connection.disconnect();
+ return false;
+ //System.out.println(connection.getResponseMessage());
+ //System.out.println(connection.getResponseCode());
+ //System.out.println(connection.g);
+ }
+ } catch (IOException e) {
+ logger.error(XACMLErrorConstants.ERROR_SYSTEM_ERROR +
+ "Error getting HttpUrlConnection response code for: "
+ + connection.getURL().toString()
+ , e);
+ connection.disconnect();
+ return false;
+ }
+ }
+
+ public static boolean notifyPapOfCreateUpdate(String policyToCreateUpdate){
+ if(logger.isDebugEnabled()){
+ logger.debug("\nXACMLPolicyWriterWithPapNotify.notifyPapOfCreateUpdate(String policyToCreateUpdate) "
+ + "\npolicyToCreateUpdate = " + policyToCreateUpdate);
+ }
+ Base64.Encoder encoder = Base64.getEncoder();
+ String encoding = encoder.encodeToString((XACMLProperties.getProperty(XACMLRestProperties.PROP_PAP_USERID)+":"+XACMLProperties.getProperty(XACMLRestProperties.PROP_PAP_PASS)).getBytes(StandardCharsets.UTF_8));
+ HttpURLConnection connection = null;
+ UUID requestID = UUID.randomUUID();
+ //loggingContext.setRequestID(requestID.toString());
+ //loggingContext.transactionStarted();
+ URL url;
+ try {
+ url = new URL(XACMLProperties.getProperty(XACMLRestProperties.PROP_PAP_URL)+"?policyToCreateUpdate="+ URLEncoder.encode(policyToCreateUpdate, "UTF-8"));
+ if(logger.isDebugEnabled()){
+ logger.debug("\nnotifyPapOfCreateUpdate: URL = " + url);
+ }
+ } catch (MalformedURLException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nMalformedURLException message = " + e);
+
+ return false;
+ } catch (UnsupportedEncodingException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nUnsupportedEncodingException message = " + e);
+
+ return false;
+ }
+ //
+ // Open up the connection
+ //
+ try {
+ connection = (HttpURLConnection)url.openConnection();
+ } catch (IOException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nurl.openConnection() IOException message = " + e);
+ return false;
+ }
+ //
+ // Setup our method and headers
+ //
+ try {
+ connection.setRequestMethod("PUT");
+ } catch (ProtocolException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nconnection.setRequestMethod(PUT) ProtocolException message = " + e);
+ connection.disconnect();
+ return false;
+ }
+ connection.setRequestProperty("Authorization", "Basic " + encoding);
+ connection.setRequestProperty("Accept", "text/x-java-properties");
+ connection.setRequestProperty("Content-Type", "text/x-java-properties");
+ connection.setRequestProperty("requestID", requestID.toString());
+ connection.setUseCaches(false);
+ //
+ // Adding this in. It seems the HttpUrlConnection class does NOT
+ // properly forward our headers for POST re-direction. It does so
+ // for a GET re-direction.
+ //
+ // So we need to handle this ourselves.
+ //
+ connection.setInstanceFollowRedirects(false);
+ connection.setDoOutput(true);
+ connection.setDoInput(true);
+ try {
+ connection.connect();
+ } catch (IOException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nconnection.connect() IOException message = " + e);
+ connection.disconnect();
+ return false;
+ }
+ try {
+ int responseCode = connection.getResponseCode();
+ if(logger.isDebugEnabled()){
+ logger.debug("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nconnection.getResponseCode() = " + responseCode);
+ }
+ if (responseCode == 200) {
+ connection.disconnect();
+ return true;
+ } else {
+ connection.disconnect();
+ return false;
+ //System.out.println(connection.getResponseMessage());
+ //System.out.println(connection.getResponseCode());
+ //System.out.println(connection.g);
+ }
+ } catch (IOException e) {
+ logger.error("\nnotifyPapOfCreateUpdate(String policyToCreateUpdate)"
+ + "\nconnection.getResponseCode() IOException message = " + e);
+ connection.disconnect();
+ return false;
+ }
+ }
+}