本文整理汇总了Scala中java.math.BigInteger类的典型用法代码示例。如果您正苦于以下问题:Scala BigInteger类的具体用法?Scala BigInteger怎么用?Scala BigInteger使用的例子?那么恭喜您, 这里精选的类代码示例或许可以为您提供帮助。
在下文中一共展示了BigInteger类的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Scala代码示例。
示例1: Prover
//设置package包名称以及导入依赖的类
package scapi.sigma.dlog
import java.math.BigInteger
import java.security.SecureRandom
import akka.actor.{Actor, ActorLogging, ActorRef}
import edu.biu.scapi.interactiveMidProtocols.sigmaProtocol.utility.{SigmaBIMsg, SigmaGroupElementMsg}
import edu.biu.scapi.primitives.dlog.GroupElement
import org.bouncycastle.util.BigIntegers
import scapi.sigma.rework.SigmaProtocolFunctions.{FirstMessage, RandomChallenge, SecondMessage, StartInteraction}
class Prover(commonInput: CommonInput,
proverInput: ProverInput,
verifierActor: ActorRef) extends Actor with ActorLogging {
val dlog = commonInput.dlogGroup
val w = proverInput.w
val random = new SecureRandom()
override def receive = beforeFirstMessage
private def beforeFirstMessage: Receive = {
case StartInteraction =>
val qMinusOne = dlog.getOrder.subtract(BigInteger.ONE)
val r = BigIntegers.createRandomInRange(BigInteger.ZERO, qMinusOne, random)
//Compute a = g^r.
val a: GroupElement = dlog.exponentiate(dlog.getGenerator, r)
val sigmaProtocolMsg = new SigmaGroupElementMsg(a.generateSendableData)
verifierActor ! FirstMessage(sigmaProtocolMsg)
context become beforeSecondMessage(r)
}
private def beforeSecondMessage(r: BigInteger): Receive = {
case RandomChallenge(challenge) =>
require(challenge.bytes.length * 8 == commonInput.protocolParams.soundness, "wrong challenge length")
//Compute z = (r+ew) mod q
val q: BigInteger = dlog.getOrder
val e: BigInteger = new BigInteger(1, challenge.bytes)
val ew: BigInteger = e.multiply(w).mod(q)
val z: BigInteger = r.add(ew).mod(q)
verifierActor ! SecondMessage(new SigmaBIMsg(z))
context become finished
}
private def finished: Receive = {
case a: Any => log.warning(s"Got a message after protocol being finished: $a")
}
}
示例2: PublicKeyBase
//设置package包名称以及导入依赖的类
package com.spooky.inbound
import javax.crypto.spec.DHParameterSpec
import java.math.BigInteger
import java.security.KeyPairGenerator
import javax.crypto.KeyAgreement
import javax.crypto.interfaces.DHPublicKey
import org.apache.commons.codec.binary.Hex
abstract class PublicKeyBase extends Base {
protected val p = new java.math.BigInteger("FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD129024E088A67CC74020BBEA63B139B22514A08798E3404DDEF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245E485B576625E7EC6F44C42E9A63A36210000000000090563", 16)
private val dhParamSpec = new DHParameterSpec(DH_P_BI, DH_G_BI, DH_L)
val dh_key_generator = KeyPairGenerator.getInstance("DH")
dh_key_generator.initialize(dhParamSpec)
private val keyPair = dh_key_generator.generateKeyPair()
val keyAgreement = KeyAgreement.getInstance("DH")
keyAgreement.init(keyPair.getPrivate())
private val dhPublicKey = keyPair.getPublic.asInstanceOf[DHPublicKey]
private val dh_y = dhPublicKey.getY()
println("New: " + LocalPublicKey.parse(dh_y, DH_SIZE_BYTES))
println("Old: " + Hex.encodeHexString(bigIntegerToBytes(dh_y, DH_SIZE_BYTES)))
val publicKey = LocalPublicKey(bigIntegerToBytes(dh_y, DH_SIZE_BYTES))
def decodeString(str: String): Array[Byte] = {
val chars = str.toCharArray();
val chars_length = chars.length - chars.length % 2;
val res = Array.ofDim[Byte](chars_length / 2);
for (i <- 0.until(chars_length, 2)) {
val b = new String(chars, i, 2);
res(i / 2) = Integer.parseInt(b, 16).asInstanceOf[Byte];
}
return (res);
}
def bigIntegerToBytes(bi: BigInteger, num_bytes: Int): Array[Byte] = {
var str = bi.toString(16);
// System.out.println(str.length() + "|" + str);
while (str.length() < num_bytes * 2) {
str = "0" + str;
}
// System.out.println(num_bytes * 2 + "||" + str);
return (decodeString(str));
}
}
示例3: Base
//设置package包名称以及导入依赖的类
package com.spooky.inbound
import java.math.BigInteger
import java.util.concurrent.ThreadLocalRandom
import java.nio.charset.Charset
abstract class Base {
protected val DH_P = "FFFFFFFFFFFFFFFFC90FDAA22168C234C4C6628B80DC1CD129024E088A67CC74020BBEA63B139B22514A08798E3404DDEF9519B3CD3A431B302B0A6DF25F14374FE1356D6D51C245E485B576625E7EC6F44C42E9A63A36210000000000090563"
protected val DH_G = "02"
protected val DH_L = 160
protected val UTF8 = Charset.forName("UTF8");
protected val KEYA_IV = "keyA".getBytes(UTF8)
protected val KEYB_IV = "keyB".getBytes(UTF8)
protected val REQ1_IV = "req1".getBytes(UTF8)
protected val REQ2_IV = "req2".getBytes(UTF8)
protected val REQ3_IV = "req3".getBytes(UTF8)
protected val VC = Array[Byte](0, 0, 0, 0, 0, 0, 0, 0)
protected val RC4_STREAM_ALG = "RC4";
protected val DH_P_BI = new BigInteger(DH_P, 16)
protected val DH_G_BI = new BigInteger(DH_G, 16)
protected val DH_SIZE_BYTES = DH_P.length() / 2
protected val CRYPTO_PLAIN: Byte = Plain.id
protected val CRYPTO_RC4: Byte = RC4.id
protected val PADDING_MAX = 512
private def randomPaddingSize: Int = {
val random = ThreadLocalRandom.current
Math.abs(random.nextInt % PADDING_MAX)
}
protected def randomPadding(): Array[Byte] = {
val padding = Array.ofDim[Byte](randomPaddingSize)
val random = ThreadLocalRandom.current
random.nextBytes(padding)
padding
}
}
示例4: SessionUtil
//设置package包名称以及导入依赖的类
package com.softwaremill.session
import java.math.BigInteger
import java.util.concurrent.ThreadLocalRandom
import javax.xml.bind.DatatypeConverter
object SessionUtil {
def randomString(length: Int) = {
// http://stackoverflow.com/questions/41107/how-to-generate-a-random-alpha-numeric-string
val random = ThreadLocalRandom.current()
new BigInteger(length * 5, random).toString(32) // because 2^5 = 32
}
def randomServerSecret() = randomString(128)
// Do not change this unless you understand the security issues behind timing attacks.
// This method intentionally runs in constant time if the two strings have the same length.
// If it didn't, it would be vulnerable to a timing attack.
def constantTimeEquals(a: String, b: String) = {
if (a.length != b.length) {
false
}
else {
var equal = 0
for (i <- Array.range(0, a.length)) {
equal |= a(i) ^ b(i)
}
equal == 0
}
}
def toHexString(array: Array[Byte]): String = {
DatatypeConverter.printHexBinary(array)
}
def hexStringToByte(hexString: String): Array[Byte] = {
DatatypeConverter.parseHexBinary(hexString)
}
}
示例5: md
//设置package包名称以及导入依赖的类
package mesosphere.marathon
package io
import java.math.BigInteger
import java.net.{ HttpURLConnection, URL, URLConnection }
import java.security.MessageDigest
import mesosphere.marathon.stream._
import org.apache.commons.io.FilenameUtils.getName
import scala.concurrent.ExecutionContext.Implicits.global
import scala.concurrent.Future
trait PathFun {
private[this] def md = MessageDigest.getInstance("SHA-1")
def mdHex(in: String): String = {
val ret = md
ret.update(in.getBytes("UTF-8"), 0, in.length)
new BigInteger(1, ret.digest()).toString(16)
}
def fileName(url: URL): String = getName(url.getFile)
def contentPath(url: URL): Future[String] = contentHeader(url).map { header =>
//filter only strong eTags and make sure, it can be used as path
val eTag: Option[String] = header.get("ETag")
.flatMap(_.filterNot(_.startsWith("W/")).headOption)
.map(_.replaceAll("[^A-z0-9\\-]", ""))
val contentPart = eTag.getOrElse(IO.mdSum(url.openStream()))
s"$contentPart/${fileName(url)}"
}
def contentHeader(url: URL): Future[Map[String, List[String]]] = Future {
val connection = url.openConnection() match {
case http: HttpURLConnection =>
http.setRequestMethod("HEAD")
http
case other: URLConnection => other
}
scala.concurrent.blocking(connection.getHeaderFields)
.map { case (key, list) => (key, list.toList) }(collection.breakOut)
}
}
示例6: Cert
//设置package包名称以及导入依赖的类
package run.cosy.crypto
import java.math.BigInteger
import java.security.KeyFactory
import java.security.interfaces.RSAPublicKey
import java.security.spec.RSAPublicKeySpec
import akka.http.scaladsl.model.Uri
import org.w3.banana.{PointedGraph, RDF, RDFOps, binder}
import org.w3.banana.binder.{PGBinder, RecordBinder, ToPG}
object Cert {
def binderWithName[Rdf<:RDF](u: Uri)(implicit ops: RDFOps[Rdf]): PGBinder[Rdf, RSAPublicKey] =
new Cert[Rdf].binderRootName(u.toString())
def binder[Rdf<:RDF](implicit ops: RDFOps[Rdf]): PGBinder[Rdf, RSAPublicKey] = new Cert[Rdf].binder
}
class Cert[Rdf<:RDF](implicit ops: RDFOps[Rdf]) {
import org.w3.banana.{CertPrefix, RDF, RDFOps, binder}
implicit val recordBinder = org.w3.banana.binder.RecordBinder[Rdf](ops)
val cert = CertPrefix[Rdf]
import org.w3.banana.binder._
import recordBinder._
implicit val rsaClassUri = recordBinder.classUrisFor[RSAPublicKey](cert.RSAPublicKey)
val factory = KeyFactory.getInstance("RSA")
val exponent = property[BigInteger](cert.exponent)
val modulus = property[Array[Byte]](cert.modulus)
val binder: PGBinder[Rdf, RSAPublicKey] =
pgb[RSAPublicKey](modulus, exponent)(
(m: Array[Byte], e: BigInteger) => factory.generatePublic(new RSAPublicKeySpec(new BigInteger(m), e)).asInstanceOf[RSAPublicKey],
(key: RSAPublicKey) => Some((key.getModulus.toByteArray, key.getPublicExponent))
).withClasses(rsaClassUri)
def binderRootName(uri: String) =
pgbWithConstId[RSAPublicKey](uri)(modulus, exponent)(
(m: Array[Byte], e: BigInteger) => factory.generatePublic(new RSAPublicKeySpec(new BigInteger(m), e)).asInstanceOf[RSAPublicKey],
(key: RSAPublicKey) => Some((key.getModulus.toByteArray, key.getPublicExponent))
).withClasses(rsaClassUri)
}
示例7: EstonianReferenceNumberFinder
//设置package包名称以及导入依赖的类
package org.pdfextractor.algorithm.finder.et
import java.math.BigInteger
import java.util.Locale
import org.pdfextractor.algorithm.finder.et.EstonianRegexPatterns._
import org.pdfextractor.algorithm.finder.{AbstractFinder, _}
import org.pdfextractor.db.domain.dictionary.PaymentFieldType.REFERENCE_NUMBER
import org.pdfextractor.db.domain.dictionary.SupportedLocales
import org.springframework.stereotype.Service
@Service
class EstonianReferenceNumberFinder extends AbstractFinder(SupportedLocales.ESTONIA, REFERENCE_NUMBER, EstRefNoLineR, EstRefNoR) {
override def parseValue(raw: String): Any = raw
override def isValueAllowed(raw: Any): Boolean = {
try {
val value = new BigInteger(raw.asInstanceOf[String])
isCorrectFormat(value) && checkDigitMatches(value,
calculateCheckDigit(value))
} catch {
case _: Throwable => false
}
}
private def calculateCheckDigit(value: BigInteger) = {
val productsSum = calculate731Sum(digitsToPenultimateInReverse(value))
findTensMultiple(productsSum) - productsSum
}
private def checkDigitMatches(value: BigInteger, checkDigit: Int) = {
val lastDigit =
Integer.valueOf("" + value.toString.charAt(value.toString.length - 1))
lastDigit == checkDigit
}
private def isCorrectFormat(value: BigInteger): Boolean = {
Option(value).isDefined &&
value.signum > 0 && // must be positive
value.toString.length >= 2 && // must have 2 - 20 digits
value.toString.length <= 20
}
}
示例8: Keys
//设置package包名称以及导入依赖的类
package com.malliina.aws.cognito
import java.math.BigInteger
import java.security.KeyFactory
import java.security.interfaces.RSAPublicKey
import java.security.spec.RSAPublicKeySpec
import java.util.Base64
object Keys {
val keyFactory = KeyFactory.getInstance("RSA")
def publicKey(key: JWTKey): RSAPublicKey =
publicKey(toBigInt(key.n), toBigInt(key.e))
private def publicKey(modulus: BigInteger, exponent: BigInteger): RSAPublicKey = {
val keySpec = new RSAPublicKeySpec(modulus, exponent)
keyFactory.generatePublic(keySpec).asInstanceOf[RSAPublicKey]
}
private def toBigInt(enc: String): BigInteger =
new BigInteger(1, Base64.getUrlDecoder.decode(enc))
}
示例9: DownloadManagerSpec
//设置package包名称以及导入依赖的类
package im.actor.util.http
import java.math.BigInteger
import java.nio.file.Files
import java.security.MessageDigest
import akka.actor.ActorSystem
import akka.stream.ActorMaterializer
import org.scalatest.concurrent.ScalaFutures
import org.scalatest.time.{ Span, Seconds }
import org.scalatest.{ FlatSpec, Matchers }
class DownloadManagerSpec extends FlatSpec with ScalaFutures with Matchers {
it should "Download https files" in e1
override implicit def patienceConfig: PatienceConfig =
new PatienceConfig(timeout = Span(10, Seconds))
implicit val system = ActorSystem()
implicit val materializer = ActorMaterializer()
val downloadManager = new DownloadManager()
def e1() = {
whenReady(downloadManager.download("https://ajax.googleapis.com/ajax/libs/webfont/1.5.18/webfont.js")) {
case (path, size) ?
val fileBytes = Files.readAllBytes(path)
fileBytes.length shouldEqual size
val md = MessageDigest.getInstance("MD5")
val hexDigest = new BigInteger(1, md.digest(fileBytes)) toString (16)
hexDigest shouldEqual "593e60ad549e46f8ca9a60755336c7df"
}
}
}
示例10: Pkcs12ConvertorSpec
//设置package包名称以及导入依赖的类
package jp.pigumer
import java.io.{FileOutputStream, StringReader}
import java.math.BigInteger
import java.time.{Duration, Instant}
import java.util.Date
import org.bouncycastle.asn1.oiw.OIWObjectIdentifiers
import org.bouncycastle.asn1.x500.X500NameBuilder
import org.bouncycastle.asn1.x500.style.BCStyle
import org.bouncycastle.asn1.x509.AlgorithmIdentifier
import org.bouncycastle.cert.X509v3CertificateBuilder
import org.bouncycastle.cert.jcajce.JcaX509CertificateConverter
import org.bouncycastle.crypto.util.PrivateKeyFactory
import org.bouncycastle.operator.bc.BcRSAContentSignerBuilder
import org.specs2.mutable.Specification
class Pkcs12ConvertorSpec extends Specification {
"Pkcs12Convertor" should {
"parsePrivateKey" in {
val keyPair = RSAKeyPairFactory.generate
val pem = RSAKeyPairFactory.privateKeyToString(keyPair)
val reader = new StringReader(pem)
val pk = Pkcs12Convertor.parsePrivateKey(reader)
keyPair.getPrivate.getEncoded must_== pk.getEncoded
}
"parseCertificate" in {
val keyPair = RSAKeyPairFactory.generate
val builder = new X500NameBuilder()
builder.addRDN(BCStyle.C, "JP")
builder.addRDN(BCStyle.CN, "Pigumer Group")
val csr = CertificationSigningRequestFactory.generate(builder.build(), keyPair)
val now = Instant.now()
val notBefore = new Date(now.toEpochMilli)
val notAfter = new Date(now.plus(Duration.ofDays(365)).toEpochMilli)
val b = new X509v3CertificateBuilder(csr.getSubject, BigInteger.valueOf(1L), notBefore, notAfter, csr.getSubject, csr.getSubjectPublicKeyInfo)
val sigAlgId = new AlgorithmIdentifier(OIWObjectIdentifiers.sha1WithRSA)
val digAlgId = new AlgorithmIdentifier(OIWObjectIdentifiers.idSHA1)
val privateKeyInfo = PrivateKeyFactory.createKey(keyPair.getPrivate.getEncoded)
val contentSigner = new BcRSAContentSignerBuilder(sigAlgId, digAlgId).build(privateKeyInfo)
val certificate = new JcaX509CertificateConverter().getCertificate(b.build(contentSigner))
val os = new FileOutputStream("test.p12")
try {
Pkcs12Convertor.write(os, keyPair.getPrivate, "test".toCharArray, certificate)
} finally {
os.close
}
success
}
}
}
示例11: persist
//设置package包名称以及导入依赖的类
package pl.writeonly.babel.daos;
import com.weiglewilczek.slf4s.Logging
import java.math.BigInteger
trait DaoCrud {
def persist[T](t: T): T
def persistAll[T](t: List[T]): List[T]
def find[T](c: Class[T]): List[T]
def get[T](c: Class[T], id: Int): T
def get[T](c: Class[T], id: BigInteger): T
def find[T](c: Class[T], s: String): List[T]
def findOne[T](c: Class[T], s: String): T
def merge[T](t: T): T
def mergeAll[T](t: List[T]): List[T]
def delete[T](t: T): Unit
def deleteAll[T](t: List[T]): Unit
def remove[T](t: T): Unit
def removeAll[T](t: List[T]): Unit
}
示例12: DaoJdo
//设置package包名称以及导入依赖的类
package pl.writeonly.babel.daos
//import org.springframework.jdbc.core.JdbcTemplate
import collection.JavaConversions._
import org.springframework.orm.jdo.support.JdoDaoSupport
import pl.writeonly.babel.entities.Entity
import scala.collection.JavaConversions._
import scala.collection.mutable.ListBuffer
import com.weiglewilczek.slf4s.Logging
import org.springframework.orm.jdo.JdoCallback
import javax.jdo.PersistenceManager
import javax.jdo.JDOHelper
import pl.writeonly.babel.entities.Variable
import java.math.BigInteger
import pl.writeonly.babel.entities.DictionaryItem
//@org.springframework.stereotype.Repository
class DaoJdo extends JdoDaoSupport with DaoCrud {
def persist[T](entity: T): T = getJdoTemplate.makePersistent(entity)
def persistAll[T](t: List[T]): List[T] = {
getJdoTemplate.makePersistentAll(t)
t
}
def get[T](clazz: Class[T], id: Int): T = getJdoTemplate.getObjectById(clazz, id)
def get[T](clazz: Class[T], id: BigInteger): T = getJdoTemplate.getObjectById(clazz, id)
// def find[T](c: Class[T]) = List(getJdoTemplate.find(c).toArray : _*).asInstanceOf[List[T]]
def find[T](c: Class[T]) = getJdoTemplate.find(c).toArray.map(as[T](_)).toList
def as[T](entity: Object) = entity.asInstanceOf[T]
def find[T](c: Class[T], s: String) = List(getJdoTemplate.find(c, s).toArray: _*).asInstanceOf[List[T]]
def findOne[T](c: Class[T], s: String): T = getJdoTemplate.find(c, s).iterator.next
def merge[T](t: T): T = persist(t)
def mergeAll[T](t: List[T]): List[T] = persistAll(t)
//
def delete[T](entity: T) = getJdoTemplate.deletePersistent(entity)
def deleteAll[T](entities: List[T]) = getJdoTemplate.deletePersistentAll(ListBuffer(entities: _*))
def remove[T](t: T) = getJdoTemplate.deletePersistent(t)
def removeAll[T](t: List[T]) = getJdoTemplate.deletePersistentAll(t)
}
示例13: DictionaryApp
//设置package包名称以及导入依赖的类
package pl.writeonly.babel.apps
import pl.writeonly.babel.mediators.AppLogging
import pl.writeonly.babel.mediators.AppContext
import pl.writeonly.babel.daos.DaoCrud
import pl.writeonly.babel.entities.DictionaryItem
import pl.writeonly.babel.entities.Variable
import java.math.BigInteger
import pl.writeonly.babel.entities._
object DictionaryApp extends AppLogging {
implicit def int2big(i: Int) = new BigInteger("" + i)
AppContext.main(args)
val dao = AppContext.bean[DaoCrud]("daoImpl")
//val v0 = new Variable("variable")
val maked = new Dictionary("dict")
val clazz = classOf[Dictionary]
logger info "maked => " + maked
maked.items += new DictionaryItem ("item0")
maked.items += new DictionaryItem ("item1")
//maked.items += new DictionaryItem ("item2")
logger info "maked.items " + maked.items
val persisted = dao.persist(maked)
logger info "persisted => " + persisted
val finded = dao.get(clazz, persisted.id)
logger info "finded => " + finded
val deleted = dao.delete(finded)
logger info "deleted => " + deleted
val v4 = dao.get(clazz, finded.id)
logger info "v4 => " + v4
}
示例14: DictionaryItemApp
//设置package包名称以及导入依赖的类
package pl.writeonly.babel.apps
import pl.writeonly.babel.mediators.AppLogging
import pl.writeonly.babel.mediators.AppContext
import pl.writeonly.babel.daos.DaoCrud
import pl.writeonly.babel.entities.DictionaryItem
import pl.writeonly.babel.entities.Variable
import java.math.BigInteger
object DictionaryItemApp extends AppLogging {
implicit def long2big(i: Long) = BigInteger.valueOf(i)
implicit def big2long(big :BigInteger) = big.longValue()
AppContext.main(args)
val dao = AppContext.bean[DaoCrud]("daoImpl")
//val v0 = new Variable("variable")
//val v0 = new DictionaryItem("item", 666)
val v0 = new DictionaryItem("item")
val clazz = classOf[DictionaryItem]
logger info "v0 => " + v0
val v1 = dao.persist(v0)
logger info "v1 => " + v1
val v2 = dao.get(clazz, v1.id)
logger info "v2 => " + v2
val v3 = dao.delete(v2)
logger info "v3 => " + v3
val v4 = dao.get(clazz, v2.id)
logger info "v4 => " + v4
}
示例15: Hasher
//设置package包名称以及导入依赖的类
package homeworkzen.util
import java.math.BigInteger
import java.security.MessageDigest
import homeworkzen.Config
object Hasher {
def apply(passwordToHash: String): String = {
val salt = Config.Api.hashSalt
val md = MessageDigest.getInstance("SHA-512")
md.update(salt.getBytes("UTF-8"))
val bytes = md.digest(passwordToHash.getBytes("UTF-8"))
val digest = new BigInteger(1, bytes)
f"$digest%064x"
}
}