java.security.Provider Java Examples

The following examples show how to use java.security.Provider. You can vote up the ones you like or vote down the ones you don't like, and go to the original project or source file by following the links above each example. You may check out the related API usage on the sidebar.
Example #1
Source File: TestCipherKeyWrapperPBEKey.java    From hottub with GNU General Public License v2.0 6 votes vote down vote up
public boolean runAll(Provider p, PrintStream out) {
    boolean finalResult = true;

    for (String algorithm : PBEAlgorithms) {
        out.println("Running test with " + algorithm + ":");
        try {
            if (!runTest(p, algorithm, out)) {
                finalResult = false;
                out.println("STATUS: Failed");
            } else {
                out.println("STATUS: Passed");
            }
        } catch (Exception ex) {
            finalResult = false;
            ex.printStackTrace(out);
            out.println("STATUS:Failed");
        }
    }

    return finalResult;
}
 
Example #2
Source File: PBESealedObject.java    From jdk8u-jdk with GNU General Public License v2.0 6 votes vote down vote up
public boolean runAll(Provider p, PrintStream out) {
    boolean finalResult = true;

    for (String algorithm : PBEAlgorithms) {
        out.println("Running test with " + algorithm + ":");
        try {
            if (!runTest(p, algorithm, out)) {
                finalResult = false;
                out.println("STATUS: Failed");
            } else {
                out.println("STATUS: Passed");
            }
        } catch (Exception ex) {
            finalResult = false;
            ex.printStackTrace(out);
            out.println("STATUS:Failed");
        }
    }

    return finalResult;
}
 
Example #3
Source File: BouncyCastleProviderHelp.java    From Jose4j with Apache License 2.0 6 votes vote down vote up
public static boolean enableBouncyCastleProvider()
{
	try
	{
		Class<Provider> bcProvider = (Class<Provider>) Class.forName(BC_PROVIDER_FQCN);

		for (Provider provider : Security.getProviders())
		{
			if (bcProvider.isInstance(provider))
			{
				return true;
			}
		}

		Security.addProvider(bcProvider.newInstance());
		return true;
	}
	catch (Exception e)
	{
		// Not available...
		return false;
	}
}
 
Example #4
Source File: TestCipherKeyWrapperTest.java    From TencentKona-8 with GNU General Public License v2.0 6 votes vote down vote up
private void wrapperPBEKeyTest(Provider p) throws InvalidKeySpecException,
        InvalidKeyException, NoSuchPaddingException,
        IllegalBlockSizeException, InvalidAlgorithmParameterException,
        NoSuchAlgorithmException {
    for (String alg : PBE_ALGORITHM_AR) {
        String baseAlgo = alg.split("/")[0].toUpperCase();
        // only run the tests on longer key lengths if unlimited version
        // of JCE jurisdiction policy files are installed

        if (Cipher.getMaxAllowedKeyLength(alg) < Integer.MAX_VALUE
                && (baseAlgo.endsWith("TRIPLEDES") || alg
                        .endsWith("AES_256"))) {
            out.println("keyStrength > 128 within " + alg
                    + " will not run under global policy");
            continue;
        }
        SecretKeyFactory skf = SecretKeyFactory.getInstance(baseAlgo, p);
        SecretKey key = skf.generateSecret(new PBEKeySpec("Secret Lover"
                .toCharArray()));
        wrapTest(alg, alg, key, key, Cipher.SECRET_KEY, true);
    }
}
 
Example #5
Source File: ProviderList.java    From openjdk-jdk9 with GNU General Public License v2.0 6 votes vote down vote up
public ProviderList(GSSCaller caller, boolean useNative) {
    this.caller = caller;
    Provider[] provList;
    if (useNative) {
        provList = new Provider[1];
        provList[0] = new SunNativeProvider();
    } else {
        provList = Security.getProviders();
    }

    for (int i = 0; i < provList.length; i++) {
        Provider prov = provList[i];
        try {
            addProviderAtEnd(prov, null);
        } catch (GSSException ge) {
            // Move on to the next provider
            GSSUtil.debug("Error in adding provider " +
                          prov.getName() + ": " + ge);
        }
    } // End of for loop
}
 
Example #6
Source File: ProviderServiceTest.java    From j2objc with Apache License 2.0 6 votes vote down vote up
public void testNewlyCreatedServiceDoesntGetsRegistered() throws Exception {
    String type = "SecureRandom";
    String algorithm = "algorithm";
    MyProvider p = new MyProvider();
    Provider.Service s = new Provider.Service(p, type,
            algorithm,
            "org.apache.harmony.security.tests.support.RandomImpl",
            null, null);
    assertSame(p, s.getProvider());

    assertNull(p.getService(type, algorithm));

    try {
        Object o = s.newInstance(null);
        fail("Expected " + NoSuchAlgorithmException.class.getName() + " as the service is not "
                + "registered with the provider");
    } catch (NoSuchAlgorithmException e) {
        // Expected.
    }
}
 
Example #7
Source File: MessageDigest2Test.java    From j2objc with Apache License 2.0 6 votes vote down vote up
private List<String> getDigestAlgorithms(Provider provider) {
    if (provider == null) {
        fail("No digest algorithms were found");
    }

    List<String> algs = new ArrayList<String>();
    for (Object key : provider.keySet()) {
        String algorithm = (String) key;
        if (algorithm.startsWith(MESSAGEDIGEST_ID) && !algorithm.contains(" ")) {
            algs.add(algorithm.substring(MESSAGEDIGEST_ID.length()));
        }
    }

    if (algs.size() == 0) {
        fail("No digest algorithms were found");
    }
    return algs;
}
 
Example #8
Source File: CryptUtils.java    From http4e with Apache License 2.0 6 votes vote down vote up
/**
 * returns the available implementations for a service type
 */
private static Set getCryptoImpls( String serviceType){
   Set result = new HashSet();

   // All all providers
   Provider[] providers = Security.getProviders();
   for (int i = 0; i < providers.length; i++) {
      // Get services provided by each provider
      Set keys = providers[i].keySet();
      for (Iterator it = keys.iterator(); it.hasNext();) {
         String key = (String) it.next();
         key = key.split(" ")[0];

         if (key.startsWith(serviceType + ".")) {
            result.add(key.substring(serviceType.length() + 1));
         } else if (key.startsWith("Alg.Alias." + serviceType + ".")) {
            // This is an alias
            result.add(key.substring(serviceType.length() + 11));
         }
      }
   }
   return result;
}
 
Example #9
Source File: SupportedDHKeys.java    From openjdk-jdk9 with GNU General Public License v2.0 6 votes vote down vote up
@Override
public void main(Provider provider) throws Exception {
    if (provider.getService("KeyPairGenerator", "DiffieHellman") == null) {
        System.out.println("No support of DH KeyPairGenerator, skipping");
        return;
    }

    for (SupportedKeySize keySize : SupportedKeySize.values()) {
        System.out.println("Checking " + keySize.primeSize + " ...");
        KeyPairGenerator kpg =
                KeyPairGenerator.getInstance("DiffieHellman", provider);
        kpg.initialize(keySize.primeSize);
        KeyPair kp = kpg.generateKeyPair();
        checkKeyPair(kp, keySize.primeSize, provider);

        DHPublicKey publicKey = (DHPublicKey)kp.getPublic();
        BigInteger p = publicKey.getParams().getP();
        BigInteger g = publicKey.getParams().getG();
        kpg.initialize(new DHParameterSpec(p, g));
        kp = kpg.generateKeyPair();
        checkKeyPair(kp, keySize.primeSize, provider);
    }
}
 
Example #10
Source File: SecurityUtil.java    From Smack with Apache License 2.0 6 votes vote down vote up
public static void ensureProviderAtFirstPosition(Class<? extends Provider> providerClass) {
    if (INSERTED_PROVIDERS_CACHE.containsKey(providerClass)) {
        return;
    }

    Provider provider;
    try {
        provider = providerClass.getDeclaredConstructor().newInstance();
    } catch (InstantiationException | IllegalAccessException | IllegalArgumentException | InvocationTargetException
            | NoSuchMethodException | SecurityException e) {
        throw new IllegalArgumentException(e);
    }

    String providerName = provider.getName();

    int installedPosition ;
    synchronized (Security.class) {
        Security.removeProvider(providerName);
        installedPosition = Security.insertProviderAt(provider, 1);
    }
    assert installedPosition == 1;

    INSERTED_PROVIDERS_CACHE.put(providerClass, null);
}
 
Example #11
Source File: ProviderVersionCheck.java    From openjdk-jdk9 with GNU General Public License v2.0 6 votes vote down vote up
public static void main(String arg[]) throws Exception{

        boolean failure = false;

        for (Provider p: Security.getProviders()) {
            System.out.print(p.getName() + " ");
            if (p.getVersion() != 9.0d) {
                System.out.println("failed. " + "Version received was " +
                        p.getVersion());
                failure = true;
            } else {
                System.out.println("passed.");
            }
        }

        if (failure) {
            throw new Exception("Provider(s) failed to have the expected " +
                    "version value.");
        }
    }
 
Example #12
Source File: PBESealedObject.java    From openjdk-jdk8u-backup with GNU General Public License v2.0 5 votes vote down vote up
public static void main(String[] args) {
    PBESealedObject test = new PBESealedObject();
    Provider sunjce = Security.getProvider("SunJCE");

    if (!test.runAll(sunjce, System.out)) {
        throw new RuntimeException("One or more tests have failed....");
    }
}
 
Example #13
Source File: DOMManifest.java    From jdk8u-jdk with GNU General Public License v2.0 5 votes vote down vote up
/**
 * Creates a <code>DOMManifest</code> from an element.
 *
 * @param manElem a Manifest element
 */
public DOMManifest(Element manElem, XMLCryptoContext context,
                   Provider provider)
    throws MarshalException
{
    Attr attr = manElem.getAttributeNodeNS(null, "Id");
    if (attr != null) {
        this.id = attr.getValue();
        manElem.setIdAttributeNode(attr, true);
    } else {
        this.id = null;
    }

    boolean secVal = Utils.secureValidation(context);

    Element refElem = DOMUtils.getFirstChildElement(manElem, "Reference");
    List<Reference> refs = new ArrayList<Reference>();
    refs.add(new DOMReference(refElem, context, provider));

    refElem = DOMUtils.getNextSiblingElement(refElem);
    while (refElem != null) {
        String localName = refElem.getLocalName();
        if (!localName.equals("Reference")) {
            throw new MarshalException("Invalid element name: " +
                                       localName + ", expected Reference");
        }
        refs.add(new DOMReference(refElem, context, provider));
        if (secVal && (refs.size() > DOMSignedInfo.MAXIMUM_REFERENCE_COUNT)) {
            String error = "A maxiumum of " + DOMSignedInfo.MAXIMUM_REFERENCE_COUNT + " "
                + "references per Manifest are allowed with secure validation";
            throw new MarshalException(error);
        }
        refElem = DOMUtils.getNextSiblingElement(refElem);
    }
    this.references = Collections.unmodifiableList(refs);
}
 
Example #14
Source File: ProviderList.java    From jdk8u-jdk with GNU General Public License v2.0 5 votes vote down vote up
/**
 * Helper routine that uses a preferences entry to obtain an
 * implementation of a MechanismFactory from it.
 * @param e the preferences entry that contains the provider and
 * either a null of an explicit oid that matched the oid of the
 * desired mechanism.
 * @param mechOid the oid of the desired mechanism
 * @throws GSSException If the application explicitly requested
 * this entry's provider to be used for the desired mechanism but
 * some problem is encountered
 */
private MechanismFactory getMechFactory(PreferencesEntry e, Oid mechOid)
    throws GSSException {
    Provider p = e.getProvider();

    /*
     * See if a MechanismFactory was previously instantiated for
     * this provider and mechanism combination.
     */
    PreferencesEntry searchEntry = new PreferencesEntry(p, mechOid);
    MechanismFactory retVal = factories.get(searchEntry);
    if (retVal == null) {
        /*
         * Apparently not. Now try to instantiate this class from
         * the provider.
         */
        String prop = PROV_PROP_PREFIX + mechOid.toString();
        String className = p.getProperty(prop);
        if (className != null) {
            retVal = getMechFactoryImpl(p, className, mechOid, caller);
            factories.put(searchEntry, retVal);
        } else {
            /*
             * This provider does not support this mechanism.
             * If the application explicitly requested that
             * this provider be used for this mechanism, then
             * throw an exception
             */
            if (e.getOid() != null) {
                throw new GSSExceptionImpl(GSSException.BAD_MECH,
                     "Provider " + p.getName() +
                     " does not support mechanism " + mechOid);
            }
        }
    }
    return retVal;
}
 
Example #15
Source File: DOMManifest.java    From jdk8u-jdk with GNU General Public License v2.0 5 votes vote down vote up
/**
 * Creates a <code>DOMManifest</code> from an element.
 *
 * @param manElem a Manifest element
 */
public DOMManifest(Element manElem, XMLCryptoContext context,
                   Provider provider)
    throws MarshalException
{
    Attr attr = manElem.getAttributeNodeNS(null, "Id");
    if (attr != null) {
        this.id = attr.getValue();
        manElem.setIdAttributeNode(attr, true);
    } else {
        this.id = null;
    }

    boolean secVal = Utils.secureValidation(context);

    Element refElem = DOMUtils.getFirstChildElement(manElem, "Reference");
    List<Reference> refs = new ArrayList<Reference>();
    refs.add(new DOMReference(refElem, context, provider));

    refElem = DOMUtils.getNextSiblingElement(refElem);
    while (refElem != null) {
        String localName = refElem.getLocalName();
        if (!localName.equals("Reference")) {
            throw new MarshalException("Invalid element name: " +
                                       localName + ", expected Reference");
        }
        refs.add(new DOMReference(refElem, context, provider));
        if (secVal && Policy.restrictNumReferences(refs.size())) {
            String error = "A maximum of " + Policy.maxReferences()
                + " references per Manifest are allowed when"
                + " secure validation is enabled";
            throw new MarshalException(error);
        }
        refElem = DOMUtils.getNextSiblingElement(refElem);
    }
    this.references = Collections.unmodifiableList(refs);
}
 
Example #16
Source File: SecurityConfig.java    From hadoop-ozone with Apache License 2.0 5 votes vote down vote up
/**
 * Adds a security provider dynamically if it is not loaded already.
 *
 * @param providerName - name of the provider.
 */
private Provider initSecurityProvider(String providerName) {
  switch (providerName) {
  case "BC":
    Security.addProvider(new BouncyCastleProvider());
    return Security.getProvider(providerName);
  default:
    LOG.error("Security Provider:{} is unknown", provider);
    throw new SecurityException("Unknown security provider:" + provider);
  }
}
 
Example #17
Source File: ProviderList.java    From openjdk-8 with GNU General Public License v2.0 5 votes vote down vote up
private static GSSException createGSSException(Provider p,
                                               String className,
                                               String trailingMsg,
                                               Exception cause) {
    String errClassInfo = className + " configured by " +
        p.getName() + " for GSS-API Mechanism Factory ";
    return new GSSExceptionImpl(GSSException.BAD_MECH,
                                errClassInfo + trailingMsg,
                                cause);
}
 
Example #18
Source File: COSCryptoModuleBase.java    From markdown-image-kit with MIT License 5 votes vote down vote up
/**
 * Returns a non-null content encryption material generated with the given kek material and
 * security providers.
 *
 * @throws SdkClientException if no encryption material can be found from the given encryption
 *         material provider.
 */
private ContentCryptoMaterial newContentCryptoMaterial(
        EncryptionMaterialsProvider kekMaterialProvider, Provider provider,
        CosServiceRequest req) {
    EncryptionMaterials kekMaterials = kekMaterialProvider.getEncryptionMaterials();
    if (kekMaterials == null)
        throw new CosClientException(
                "No material available from the encryption material provider");
    return buildContentCryptoMaterial(kekMaterials, provider, req);
}
 
Example #19
Source File: ProviderList.java    From openjdk-8-source with GNU General Public License v2.0 5 votes vote down vote up
/**
 * Helper routine to go through all properties contined in a
 * provider and add its mechanisms to the list of supported
 * mechanisms. If no default mechanism has been assinged so far,
 * it sets the default MechanismFactory and Oid as well.
 * @param p the provider to query
 * @return true if there is at least one mechanism that this
 * provider contributed, false otherwise
 */
private boolean addAllMechsFromProvider(Provider p) {

    String prop;
    boolean retVal = false;

    // Get all props for this provider
    Enumeration<Object> props = p.keys();

    // See if there are any GSS prop's
    while (props.hasMoreElements()) {
        prop = (String) props.nextElement();
        if (isMechFactoryProperty(prop)) {
            // Ok! This is a GSS provider!
            try {
                Oid mechOid = getOidFromMechFactoryProperty(prop);
                mechs.add(mechOid);
                retVal = true;
            } catch (GSSException e) {
                // Skip to next property
                GSSUtil.debug("Ignore the invalid property " +
                              prop + " from provider " + p.getName());
            }
        } // Processed GSS property
    } // while loop

    return retVal;

}
 
Example #20
Source File: DOMTransform.java    From jdk8u_jdk with GNU General Public License v2.0 5 votes vote down vote up
/**
 * Creates a {@code DOMTransform} from an element. This constructor
 * invokes the abstract {@link #unmarshalParams unmarshalParams} method to
 * unmarshal any algorithm-specific input parameters.
 *
 * @param transElem a Transform element
 */
public DOMTransform(Element transElem, XMLCryptoContext context,
                    Provider provider)
    throws MarshalException
{
    String algorithm = DOMUtils.getAttributeValue(transElem, "Algorithm");

    if (provider == null) {
        try {
            spi = TransformService.getInstance(algorithm, "DOM");
        } catch (NoSuchAlgorithmException e1) {
            throw new MarshalException(e1);
        }
    } else {
        try {
            spi = TransformService.getInstance(algorithm, "DOM", provider);
        } catch (NoSuchAlgorithmException nsae) {
            try {
                spi = TransformService.getInstance(algorithm, "DOM");
            } catch (NoSuchAlgorithmException e2) {
                throw new MarshalException(e2);
            }
        }
    }
    try {
        spi.init(new javax.xml.crypto.dom.DOMStructure(transElem), context);
    } catch (InvalidAlgorithmParameterException iape) {
        throw new MarshalException(iape);
    }
}
 
Example #21
Source File: PBESealedObject.java    From jdk8u_jdk with GNU General Public License v2.0 5 votes vote down vote up
public static void main(String[] args) {
    PBESealedObject test = new PBESealedObject();
    Provider sunjce = Security.getProvider("SunJCE");

    if (!test.runAll(sunjce, System.out)) {
        throw new RuntimeException("One or more tests have failed....");
    }
}
 
Example #22
Source File: DOMCanonicalizationMethod.java    From TencentKona-8 with GNU General Public License v2.0 5 votes vote down vote up
/**
 * Creates a <code>DOMCanonicalizationMethod</code> from an element. This
 * ctor invokes the abstract {@link #unmarshalParams unmarshalParams}
 * method to unmarshal any algorithm-specific input parameters.
 *
 * @param cmElem a CanonicalizationMethod element
 */
public DOMCanonicalizationMethod(Element cmElem, XMLCryptoContext context,
                                 Provider provider)
    throws MarshalException
{
    super(cmElem, context, provider);
    if (!(spi instanceof ApacheCanonicalizer) &&
            !isC14Nalg(spi.getAlgorithm())) {
        throw new MarshalException("Illegal CanonicalizationMethod");
    }
}
 
Example #23
Source File: JdkSslServerContext.java    From netty-4.1.22 with Apache License 2.0 5 votes vote down vote up
JdkSslServerContext(Provider provider,
    File certChainFile, File keyFile, String keyPassword,
    Iterable<String> ciphers, CipherSuiteFilter cipherFilter, JdkApplicationProtocolNegotiator apn,
    long sessionCacheSize, long sessionTimeout) throws SSLException {
    super(newSSLContext(provider, null, null,
        toX509CertificatesInternal(certChainFile), toPrivateKeyInternal(keyFile, keyPassword),
        keyPassword, null, sessionCacheSize, sessionTimeout), false,
        ciphers, cipherFilter, apn, ClientAuth.NONE, null, false);
}
 
Example #24
Source File: ECKeyUtil.java    From RipplePower with Apache License 2.0 5 votes vote down vote up
/**
 * Convert a passed in private EC key to have explicit parameters. If the key
 * is already using explicit parameters it is returned.
 *
 * @param key key to be converted
 * @param providerName provider name to be used.
 * @return the equivalent key with explicit curve parameters
 * @throws IllegalArgumentException
 * @throws NoSuchAlgorithmException
 * @throws NoSuchProviderException
 */
public static PrivateKey privateToExplicitParameters(PrivateKey key, String providerName)
    throws IllegalArgumentException, NoSuchAlgorithmException, NoSuchProviderException
{
    Provider provider = Security.getProvider(providerName);

    if (provider == null)
    {
        throw new NoSuchProviderException("cannot find provider: " + providerName);
    }

    return privateToExplicitParameters(key, provider);
}
 
Example #25
Source File: MessageDigest2Test.java    From j2objc with Apache License 2.0 5 votes vote down vote up
/**
 * java.security.MessageDigest#getAlgorithm()
 */
public void test_getAlgorithm() throws Exception {
    for (Entry<Provider, List<String>> e : digestAlgs.entrySet()) {
        for (String algorithm : e.getValue()) {
            MessageDigest md = MessageDigest.getInstance(algorithm, e.getKey().getName());
            assertEquals(algorithm, md.getAlgorithm());
        }
    }
}
 
Example #26
Source File: TestECDSA.java    From openjdk-jdk9 with GNU General Public License v2.0 5 votes vote down vote up
private void test(Provider provider, String pub, String priv, byte[] sig) throws Exception {

        KeyFactory kf = KeyFactory.getInstance("EC", provider);
        X509EncodedKeySpec pubSpec = new X509EncodedKeySpec(parse(pub));
        PKCS8EncodedKeySpec privSpec = new PKCS8EncodedKeySpec(parse(priv));

        PrivateKey privateKey = kf.generatePrivate(privSpec);
        PublicKey publicKey = kf.generatePublic(pubSpec);

        if (false) {
            sign(provider, "SHA1withECDSA", privateKey, data1Raw);
//          sign(provider, "NONEwithECDSA", privateKey, data1SHA);
            return;
        }

        // verify known-good and known-bad signatures using SHA1withECDSA and NONEwithECDSA
        verify(provider, "SHA1withECDSA", publicKey, data1Raw, sig, true);
        verify(provider, "SHA1withECDSA", publicKey, data2Raw, sig, false);

        verify(provider, "NONEwithECDSA", publicKey, data1SHA, sig, true);
        verify(provider, "NONEwithECDSA", publicKey, data2SHA, sig, false);

        System.out.println("Testing with default signature format: ASN.1");
        testSigning(provider, privateKey, publicKey, false);

        System.out.println("Testing with IEEE P1363 signature format");
        testSigning(provider, privateKey, publicKey, true);
    }
 
Example #27
Source File: GSSManagerImpl.java    From jdk8u60 with GNU General Public License v2.0 5 votes vote down vote up
GSSContextSpi getMechanismContext(GSSCredentialSpi myAcceptorCred,
                                  Oid mech)
    throws GSSException {
    Provider p = null;
    if (myAcceptorCred != null) {
        p = myAcceptorCred.getProvider();
    }
    MechanismFactory factory = list.getMechFactory(mech, p);
    return factory.getMechanismContext(myAcceptorCred);
}
 
Example #28
Source File: ProviderList.java    From jdk8u-jdk with GNU General Public License v2.0 5 votes vote down vote up
/**
 * Helper routine that uses a preferences entry to obtain an
 * implementation of a MechanismFactory from it.
 * @param e the preferences entry that contains the provider and
 * either a null of an explicit oid that matched the oid of the
 * desired mechanism.
 * @param mechOid the oid of the desired mechanism
 * @throws GSSException If the application explicitly requested
 * this entry's provider to be used for the desired mechanism but
 * some problem is encountered
 */
private MechanismFactory getMechFactory(PreferencesEntry e, Oid mechOid)
    throws GSSException {
    Provider p = e.getProvider();

    /*
     * See if a MechanismFactory was previously instantiated for
     * this provider and mechanism combination.
     */
    PreferencesEntry searchEntry = new PreferencesEntry(p, mechOid);
    MechanismFactory retVal = factories.get(searchEntry);
    if (retVal == null) {
        /*
         * Apparently not. Now try to instantiate this class from
         * the provider.
         */
        String prop = PROV_PROP_PREFIX + mechOid.toString();
        String className = p.getProperty(prop);
        if (className != null) {
            retVal = getMechFactoryImpl(p, className, mechOid, caller);
            factories.put(searchEntry, retVal);
        } else {
            /*
             * This provider does not support this mechanism.
             * If the application explicitly requested that
             * this provider be used for this mechanism, then
             * throw an exception
             */
            if (e.getOid() != null) {
                throw new GSSExceptionImpl(GSSException.BAD_MECH,
                     "Provider " + p.getName() +
                     " does not support mechanism " + mechOid);
            }
        }
    }
    return retVal;
}
 
Example #29
Source File: DOMCanonicalizationMethod.java    From jdk8u_jdk with GNU General Public License v2.0 5 votes vote down vote up
/**
 * Creates a <code>DOMCanonicalizationMethod</code> from an element. This
 * ctor invokes the abstract {@link #unmarshalParams unmarshalParams}
 * method to unmarshal any algorithm-specific input parameters.
 *
 * @param cmElem a CanonicalizationMethod element
 */
public DOMCanonicalizationMethod(Element cmElem, XMLCryptoContext context,
                                 Provider provider)
    throws MarshalException
{
    super(cmElem, context, provider);
    if (!(spi instanceof ApacheCanonicalizer) &&
            !isC14Nalg(spi.getAlgorithm())) {
        throw new MarshalException("Illegal CanonicalizationMethod");
    }
}
 
Example #30
Source File: DOMCanonicalizationMethod.java    From openjdk-jdk9 with GNU General Public License v2.0 5 votes vote down vote up
/**
 * Creates a <code>DOMCanonicalizationMethod</code> from an element. This
 * ctor invokes the abstract {@link #unmarshalParams unmarshalParams}
 * method to unmarshal any algorithm-specific input parameters.
 *
 * @param cmElem a CanonicalizationMethod element
 */
public DOMCanonicalizationMethod(Element cmElem, XMLCryptoContext context,
                                 Provider provider)
    throws MarshalException
{
    super(cmElem, context, provider);
    if (!(spi instanceof ApacheCanonicalizer) &&
            !isC14Nalg(spi.getAlgorithm())) {
        throw new MarshalException("Illegal CanonicalizationMethod");
    }
}