Code_Function
stringlengths 13
13.9k
| Message
stringlengths 10
1.46k
|
---|---|
@Throws(IOException::class) protected fun deployCargoPing(container: WebLogicLocalContainer) { val deployDir: String = getFileHandler().createDirectory(getDomainHome(), container.getAutoDeployDirectory()) getResourceUtils().copyResource( RESOURCE_PATH.toString() + "cargocpc.war", getFileHandler().append(deployDir, "cargocpc.war"), getFileHandler() ) } | Deploy the Cargo Ping utility to the container . |
fun size(): Int {return this.count } | Returns the number of mappings in this map |
@Throws(Exception::class) protected fun parse(stream: DataInputStream) { var size: Int = stream.readInt() var ret: Int var read = 0 data = ByteArray(size) while (size > 0) { ret = stream.read(data, read, size) size -= ret read += ret } } | Loading method . ( see NBT_Tag ) |
@Ignore("NaN behavior TBD") @Test @Throws(Exception::class) fun testLinearAzimuth_WithNaN() { val begin = Location(Double.NaN, Double.NaN) val end = Location(34.2, -119.2) val azimuth: Double = begin.linearAzimuth(end) assertTrue("expecting NaN", java.lang.Double.isNaN(azimuth)) } | Ensures linear azimuth is NaN when NaN members are used . |
fun MutableValueBuffer(capacity: Int, src: IRaba?) { requireNotNull(src) checkCapacity(capacity) require(capacity >= src.capacity()) nvalues = src.size() values = arrayOfNulls<ByteArray>(capacity) var i = 0 for (a in src) { values.get(i++) = a } } | Builds a mutable value buffer . |
fun OutOfLineContent() { super(KEY) } | Constructs a new instance using the default metadata . |
private fun rewriteTermBruteForce(term: String): List<String>? { val termsList: MutableList<String> = rewriteBrute(term) if (term === "" || term != termsList[termsList.size - 1]) termsList.add(term) return termsList } | Wrapper over main recursive method , rewriteBrute which performs the fuzzy tokenization of a term The original term may not be a valid dictionary word , but be a term particular to the database The method rewriteBrute only considers terms which are valid dictionary words In case original term is not a dictionary word , it will not be added to queryList by method rewriteBrute This wrapper ensures that if rewriteBrute does not include the original term , it will still be included For example , for the term `` newyork '' , rewriteBrute will return the list < `` new york '' > But `` newyork '' also needs to be included in the list to support particular user queries This wrapper includes `` newyork '' in this list |
@Throws(Exception::class) fun test_sssp_linkType_constraint() { val p: SmallWeightedGraphProblem = setupSmallWeightedGraphProblem() val gasEngine: IGASEngine = getGraphFixture().newGASEngine(1) try { val graphAccessor: IGraphAccessor = getGraphFixture().newGraphAccessor(null) val gasContext: IGASContext<SSSP.VS, SSSP.ES, Int> = gasEngine.newGASContext(graphAccessor, SSSP()) gasContext.setLinkType(p.getFoafKnows() as URI) val gasState: IGASState<SSSP.VS, SSSP.ES, Int> = gasContext.getGASState() gasState.setFrontier(gasContext, p.getV1()) gasContext.call() assertEquals(0.0, gasState.getState(p.getV1()).dist()) assertEquals(1.0, gasState.getState(p.getV2()).dist()) assertEquals(1.0, gasState.getState(p.getV3()).dist()) assertEquals(2.0, gasState.getState(p.getV4()).dist()) assertEquals(2.0, gasState.getState(p.getV5()).dist()) } finally { gasEngine.shutdownNow() } } | A unit test based on graph with link weights - in this version of the test we constrain the link type but do not specify the link attribute type . Hence it ignores the link weights . This provides a test of the optimized access path when just the link type constraint is specified . |
fun convertNodeId2NotExpandedCrossingNodeId(nodeId: Id<Node?>): Id<DgCrossingNode?>? { val idString: String = nodeId.toString() return idPool.createId(idString, DgCrossingNode::class.java) } | converts a matsim node ID of a node outside the signals bounding box to the single crossing node ID existing for the not expanded crossing in the ks-model . ( the signals bounding box determines the region of spatial expansion : all nodes within this area will be expanded . ) |
@Throws(Exception::class) fun runSafely(stack: Catbert.FastStack?): Any? { val k = getString(stack) val r = getString(stack) return if (!Sage.WINDOWS_OS) Pooler.EMPTY_STRING_ARRAY else Sage.getRegistryNames( Sage.getHKEYForName( r ), k ) } | Returns a list of the Windows registry names which exist under the specified root & amp ; key ( Windows only ) Acceptable values for the Root are : `` HKCR '' , `` HKEY_CLASSES_ROOT '' , `` HKCC '' , `` HKEY_CURRENT_CONFIG '' , `` HKCU '' , `` HKEY_CURRENT_USER '' , `` HKU '' , `` HKEY_USERS '' , `` HKLM '' or `` HKEY_LOCAL_MACHINE '' ( HKLM is the default if nothing matches ) |
fun APIPermissionSet() {} | Creates a new permission set which contains no granted permissions . Any permissions must be added by manipulating or replacing the applicable permission collection . |
@RequestMapping( value = "/upload/single/initiation", method = RequestMethod.POST, consumes = ["application/xml", "application/json"] ) @Secured(SecurityFunctions.FN_UPLOAD_POST) fun initiateUploadSingle(@RequestBody uploadSingleInitiationRequest: UploadSingleInitiationRequest?): UploadSingleInitiationResponse? { val uploadSingleInitiationResponse: UploadSingleInitiationResponse = uploadDownloadService.initiateUploadSingle(uploadSingleInitiationRequest) for (businessObjectData in Arrays.asList( uploadSingleInitiationResponse.getSourceBusinessObjectData(), uploadSingleInitiationResponse.getTargetBusinessObjectData() )) { val businessObjectDataKey: BusinessObjectDataKey = businessObjectDataHelper.getBusinessObjectDataKey(businessObjectData) for (eventType in Arrays.asList( NotificationEventTypeEntity.EventTypesBdata.BUS_OBJCT_DATA_RGSTN, NotificationEventTypeEntity.EventTypesBdata.BUS_OBJCT_DATA_STTS_CHG )) { notificationEventService.processBusinessObjectDataNotificationEventAsync( eventType, businessObjectDataKey, businessObjectData.getStatus(), null ) } for (storageUnit in businessObjectData.getStorageUnits()) { notificationEventService.processStorageUnitNotificationEventAsync( NotificationEventTypeEntity.EventTypesStorageUnit.STRGE_UNIT_STTS_CHG, businessObjectDataKey, storageUnit.getStorage().getName(), storageUnit.getStorageUnitStatus(), null ) } } return uploadSingleInitiationResponse } | Initiates a single file upload capability by creating the relative business object data instance in UPLOADING state and allowing write access to a specific location in S3_MANAGED_LOADING_DOCK storage . < p > Requires WRITE permission on namespace < /p > |
fun ArrayIntCompressed(size: Int, leadingClearBits: Int, trailingClearBits: Int) {init(size, BIT_LENGTH - leadingClearBits trailingClearBits, trailingClearBits) } | Create < code > IntArrayCompressed < /code > from number of ints to be stored , the number of leading and trailing clear bits . Everything else is stored in the internal data structure . |
fun compXmlStringAt(arr: ByteArray, strOff: Int): String? { val strLen: Int = arr[strOff + 1] shl 8 and 0xff00 or arr[strOff] and 0xff val chars = CharArray(strLen) for (ii in 0 until strLen) { val p0 = strOff + 2 + ii * 2 if (p0 >= arr.size - 1) break chars[ii] = ((arr[p0 + 1] and 0x00FF shl 8) + (arr[p0] and 0x00FF)).toChar() } return String(chars) } | Return the string stored in StringTable format at offset strOff . This offset points to the 16 bit string length , which is followed by that number of 16 bit ( Unicode ) chars . |
fun AbstractExportOperation(archiveFile: File, mainFile: IFile, project: IN4JSEclipseProject) { this.targetFile = archiveFile mainFile = mainFile project = project this.workspace = project.getProject().getWorkspace() rootLocation = project.getLocation().appendSegment("") } | Create an operation that will export the given project to the given zip file . |
@Throws(SQLException::class) fun supportsMixedCaseQuotedIdentifiers(): Boolean { debugCodeCall("supportsMixedCaseQuotedIdentifiers") val m: String = conn.getMode() return if (m == "MySQL") { false } else true } | Checks if a table created with CREATE TABLE `` Test '' ( ID INT ) is a different table than a table created with CREATE TABLE TEST ( ID INT ) . |
private fun leftEdge(image: java.awt.image.BufferedImage): Shape? { val path: java.awt.geom.GeneralPath = java.awt.geom.GeneralPath() var p1: java.awt.geom.Point2D? = null var p2: java.awt.geom.Point2D? = null val line: java.awt.geom.Line2D = java.awt.geom.Line2D.Float() var p: java.awt.geom.Point2D = java.awt.geom.Point2D.Float() var foundPointY = -1 for (i in 0 until image.getHeight()) { for (j in 0 until image.getWidth()) { if (image.getRGB(j, i) and -0x1000000 != 0) { p = java.awt.geom.Point2D.Float(j, i) foundPointY = i break } } if (foundPointY >= 0) { if (p2 == null) { p1 = java.awt.geom.Point2D.Float(image.getWidth() - 1, foundPointY) path.moveTo(p1.getX(), p1.getY()) p2 = java.awt.geom.Point2D.Float() p2.setLocation(p) } else { p2 = detectLine(p1, p2, p, line, path) } } } path.lineTo(p.getX(), p.getY()) if (foundPointY >= 0) { path.lineTo((image.getWidth() - 1).toFloat(), foundPointY.toFloat()) } path.closePath() return path } | trace the left side of the image |
@Throws(Exception::class) fun testSetMaxRows() { var maxRowsStmt: Statement? = null try { maxRowsStmt = this.conn.createStatement() maxRowsStmt.setMaxRows(1) this.rs = maxRowsStmt.executeQuery("SELECT 1") } finally { if (maxRowsStmt != null) { maxRowsStmt.close() } } } | Tests fix for BUG # 907 |
fun unregisterMbeans() { unregisterMbeans(ManagementFactory.getPlatformMBeanServer()) } | unRegister all jamon related mbeans |
fun free(value: T?): Boolean { return _ringQueue.offer(value) } | Frees the object . If the free list is full , the object will be garbage collected . |
fun basicSet_lok( new_lok: LocalArgumentsVariable, msgs: NotificationChain? ): NotificationChain? { var msgs: NotificationChain? = msgs val old_lok: LocalArgumentsVariable = _lok _lok = new_lok if (eNotificationRequired()) { val notification = ENotificationImpl( this, Notification.SET, N4JSPackage.FUNCTION_DECLARATION__LOK, old_lok, new_lok ) if (msgs == null) msgs = notification else msgs.add(notification) } return msgs } | < ! -- begin-user-doc -- > < ! -- end-user-doc -- > |
fun query(onlyCurrentRows: Boolean, onlyCurrentDays: Int, maxRows: Int) { m_mTab.query(onlyCurrentRows, onlyCurrentDays, maxRows) if (!isSingleRow()) vTable.autoSize(true) activateChilds() } | Query Tab and resize Table ( called from APanel ) |
fun queryProb(query: Query.ProbQuery?): EmpiricalDistribution? { val isquery = LikelihoodWeighting(query, nbSamples, maxSamplingTime) val samples: List<Sample> = isquery.getSamples() return EmpiricalDistribution(samples) } | Queries for the probability distribution of the set of random variables in the Bayesian network , given the provided evidence |
fun loadChar(offset: Offset?): Char { if (VM.VerifyAssertions) VM._assert(VM.NOT_REACHED) return 0.toChar() } | Loads a char from the memory location pointed to by the current instance . |
fun put(src: FloatArray, off: Int, len: Int): FloatBuffer? {val length = src.size if (off < 0 || len < 0 || off.toLong() + len.toLong() > length) { throw IndexOutOfBoundsException() } if (len > remaining()) { throw BufferOverflowException() } for (i in off until off + len) { put(src[i]) } return this } | Writes floats from the given float array , starting from the specified offset , to the current position and increases the position by the number of floats written . |
@Throws(InterruptedException::class, KeeperException::class) fun deleteCollectionLevelSnapshot( zkClient: SolrZkClient, collectionName: String?, commitName: String? ) { val zkPath: String = getSnapshotMetaDataZkPath(collectionName, Optional.of(commitName)) zkClient.delete(zkPath, -1, true) } | This method deletes an entry for the named snapshot for the specified collection in Zookeeper . |
private fun turn22(grid: IntGrid2D, x: Int, y: Int) { val p1: Int val p2: Int val p3: Int val p4: Int p1 = grid.get(grid.stx(x), grid.sty(y)) p2 = grid.get(grid.stx(x + 1), grid.sty(y)) p3 = grid.get(grid.stx(x + 1), grid.sty(y + 1)) p4 = grid.get(grid.stx(x), grid.sty(y + 1))if (p.r.nextBoolean()) { grid.set(grid.stx(x), grid.sty(y), p4) grid.set(grid.stx(x + 1), grid.sty(y), p1) grid.set(grid.stx(x + 1), grid.sty(y + 1), p2) grid.set(grid.stx(x), grid.sty(y + 1), p3) } else { grid.set(grid.stx(x), grid.sty(y), p2) grid.set(grid.stx(x + 1), grid.sty(y), p3) grid.set(grid.stx(x + 1), grid.sty(y + 1), p4) grid.set(grid.stx(x), grid.sty(y + 1), p1) } } | Diffuse a 2x2 block clockwise or counter-clockwise . This procedure was published by Toffoli and Margolus to simulate the diffusion in an ideal gas . The 2x2 blocks will be turned by random in one direction ( clockwise or counter clockwise ) . Usually a second run will be done but this time with a offset of one to the previous run |
fun magnitude(u: DoubleArray?): Double { return Math.sqrt(dot(u, u)) } | Returns the magnitude ( Euclidean norm ) of the specified vector . |
override fun toString(): String? { return statusString } | Returns the String representation for thiz . |
fun chopFrame(offsetDelta: Int, k: Int) { numOfEntries++ output.write(251 - k) write16(offsetDelta) } | Writes a < code > chop_frame < /code > . |
fun AsyncHttpClient(fixNoHttpResponseException: Boolean, httpPort: Int, httpsPort: Int) { this(getDefaultSchemeRegistry(fixNoHttpResponseException, httpPort, httpsPort)) } | Creates new AsyncHttpClient using given params |
fun verify(signature: ByteArray?): Boolean { return verify(signature, false) } | Verifies the data ( computes the secure hash and compares it to the input ) |
override fun toString(): String? { return name().toLowerCase() } | override fun toString(): String? { return name().toLowerCase() } |
fun StringBand(initialCapacity: Int) { require(initialCapacity > 0) { "Invalid initial capacity" } array = arrayOfNulls<String (initialCapacity) } | Creates an empty < code > StringBand < /code > with provided capacity . Capacity refers to internal string array ( i.e . number of joins ) and not the total string size . |
fun removeConstraint(c: ParticleConstraint2D?): Boolean { return constraints.remove(c) } | Attempts to remove the given constraint instance from the list of active constraints . |
private fun DoneCallback( cb: GridClientFutureCallback<R, T>, lsnr: GridClientFutureListener<R>, chainedFut: GridClientFutureAdapter<T> ) { cb = cb lsnr = lsnr chainedFut = chainedFut } | Constructs future finished notification callback . |
private fun addSignatureProfile(signature: SignatureWrapper, xmlSignature: XmlSignature) {var signatureType: SignatureType = SignatureType.NA val certificateId: String = signature.getSigningCertificateId() if (certificateId != null) { signatureType = getSignatureType(certificateId) } xmlSignature.setSignatureLevel(signatureType.name()) } | Here we determine the type of the signature . |
fun isArray(): Boolean { return false } | Determines if this Class object represents an array class . |
fun NewSessionAction() { super("New Session") } | Creates a new session action for the given desktop . |
private fun appendIfNotNull(source: StringBuilder,addStr: String?,delimiter: String): StringBuilder? {var delimiter: String? = delimiter if (addStr != null) {if (addStr.length == 0) {delimiter = ""}return source.append(addStr).append(delimiter)}return source} | Takes a string and adds to it , with a separator , if the bit to be added is n't null . Since the logger takes so many arguments that might be null , this method helps cut out some of the agonizing tedium of writing the same 3 lines over and over . |
@Throws(IOException::class) fun write(out: OutStream) { out.flushBits() out.writeUBits(5, getBitSize()) out.writeSBits(bitSize, minX) out.writeSBits(bitSize, maxX out.writeSBits(bitSize, minY) out.writeSBits(bitSize, maxY) out.flushBits() } | Write the rect contents to the output stream |
private fun checkCenter(center: LatLon) { println("Testing fromLatLngToPoint using: $center") val p: java.awt.geom.Point2D = googleMap.fromLatLngToPoint(center.toLatLong()) println("Testing fromLatLngToPoint result: $p") System.out.println("Testing fromLatLngToPoint expected: " + (mapComponent.getWidth() / 2).toString() + ", " + mapComponent.getHeight() / 2) System.out.println("type = " + org.graalvm.compiler.nodeinfo.StructuralInput.MarkerType.BROWN.iconPath()) } | Demonstrates how to go from lat/lon to pixel coordinates . |
fun createBusinessObjectDataAttributeEntity( namespaceCode: String?, businessObjectDefinitionName: String?, businessObjectFormatUsage: String?,businessObjectFormatFileType: String?,businessObjectFormatVersion: Int?,businessObjectDataPartitionValue: String?,businessObjectDataSubPartitionValues: List<String?>?,businessObjectDataVersion: Int?,businessObjectDataAttributeName: String?,businessObjectDataAttributeValue: String?): BusinessObjectDataAttributeEntity? {val businessObjectDataKey = BusinessObjectDataKey(namespaceCode,businessObjectDefinitionName, businessObjectFormatUsage,businessObjectFormatFileType,businessObjectFormatVersion,businessObjectDataPartitionValue,businessObjectDataSubPartitionValues,businessObjectDataVersion)return createBusinessObjectDataAttributeEntity(businessObjectDataKey,businessObjectDataAttributeName,businessObjectDataAttributeValue)} | Creates and persists a new business object data attribute entity . |
@Synchronized private fun containsMapping(key: Any, value: Any): Boolean {val hash: Int = Collections.secondaryHash(key)val tab: Array<sun.jvm.hotspot.utilities.HashtableEntry<K, V>> = table val index = hash and tab.size - 1var e: sun.jvm.hotspot.utilities.HashtableEntry<K, V> = tab[index] while (e != null) { if (e.hash === hash && e.key.equals(key)) {return e.value.equals(value)}e = e.next}return false} | Returns true if this map contains the specified mapping . |
fun Setting(value: Any, type: Int, save: Boolean, file: String) { value = value if (type == MAP) { this.defaultValue = HashMap(value as Map<*, *>) } else if (type == LIST) { this.defaultValue = copyCollection(value as Collection<*>) } else { this.defaultValue = value } save = save type = type file = file } | Creates a new Setting object with some initial values . |
protected fun layoutGraphicModifiers( dc: DrawContext?, modifiers: AVList?, osym: OrderedSymbol? ) { } | Layout static graphic modifiers around the symbol . Static modifiers are not expected to change due to changes in view . The static layout is computed when a modifier is changed , but may not be computed each frame . For example , a text modifier indicating a symbol identifier would only need to be laid out when the text is changed , so this is best treated as a static modifier . However a direction of movement line that needs to be computed based on the current eye position should be treated as a dynamic modifier . |
@HLEFunction(nid = -0x1e29de29, version = 150, checkInsideInterrupt = true) fun sceNetAdhocInit(): Int { log.info( String.format( "sceNetAdhocInit: using MAC address=%s, nick name='%s'", sceNet.convertMacAddressToString(Wlan.getMacAddress()), sceUtility.getSystemParamNickname() ) ) if (isInitialized) { return SceKernelErrors.ERROR_NET_ADHOC_ALREADY_INITIALIZED } isInitialized = true return 0 } | Initialize the adhoc library . |
fun Assignment(booleanAssigns: List<kotlin.String?>) { this() booleanAssigns.stream().forEach(null) } | Creates an assignment with a list of boolean assignments ( cf . method above ) . |
@Throws(Exception::class) fun testMergeSameFilterInTwoDocuments() { val srcXml = "<web-app>" + " <filter>" + " <filter-name>f1</filter-name>" + " <filter-class>fclass1</filter-class>" + " </filter>" + " <filter-mapping>" + " <filter-name>f1</filter-name>" + " <url-pattern>/f1mapping1</url-pattern>" + " </filter-mapping>" + "</web-app>" val srcWebXml: WebXml = WebXmlIo.parseWebXml(ByteArrayInputStream(srcXml.toByteArray(charset("UTF-8"))), null) val mergeXml = "<web-app>" + " <filter>" + " <filter-name>f1</filter-name>" + " <filter-class>fclass1</filter-class>" + " </filter>" + " <filter-mapping>" + " <filter name>f1</filter-name>" + " <url-pattern>/f1mapping1</url-pattern>" + " </filter-mapping>" + "</web-app>" val mergeWebXml: WebXml = WebXmlIo.parseWebXml(ByteArrayInputStream(mergeXml.toByteArray(charset("UTF-8"))), null) val merger = WebXmlMerger(srcWebXml) merger.mergeFilters(mergeWebXml) assertTrue(WebXmlUtils.hasFilter(srcWebXml, "f1")) val filterMappings: List<String> = WebXmlUtils.getFilterMappings(srcWebXml, "f1") assertEquals(1, filterMappings.size) assertEquals("/f1mapping1", filterMappings[0]) } | Tests whether the same filter in two different files is mapped correctly ( i.e. , once ) . |
fun countPeriods(haystack: String?): Int { return com.sun.tools.javac.util.StringUtils.countOccurrencesOf(haystack, ".") } | Count the number of periods in a value . |
@JvmStatic fun main(args: Array<String>) { DOMTestCase.doMain(nodegetfirstchildnull::class.java, args) } | Runs this test from the command line . |
fun actionPerformed(e: java.awt.event.ActionEvent?) { val target: javax.swing.text.JTextComponent = getTextComponent(e) if (target != null && e != null) { if (!target.isEditable() || !target.isEnabled()) { javax.swing.UIManager.getLookAndFeel().provideErrorFeedback(target) return } var content: String = target.getText() if (content != null && target.getSelectionStart() > 0) { content = content.substring(0, target.getSelectionStart()) } if (content != null) { target.setText(getNextMatch(content)) adaptor.markText(content.length) } } } | Shows the next match . |
fun clear() { super.clear() LEFT_PARENTHESES = "" RIGHT_PARENTHESES = "" } | removes the stored data but retains the dimensions of the matrix . |
fun deleteChannel(jsonChannel: CumulusChannel) { val jsonString: String = jsonChannel.toString() val i = Intent("com.felkertech.cumulustv.RECEIVER") i.putExtra(INTENT_EXTRA_JSON, jsonString) i.putExtra(INTENT_EXTRA_ACTION, INTENT_EXTRA_ACTION_DELETE) sendBroadcast(i) finish() } | Deletes the provided channel and resyncs . Then the app closes . |
fun toStringExclude(`object`: Any?, excludeFieldNames: Collection<*>?): String? { return toStringExclude(`object`, toNoNullStringArray(excludeFieldNames)) } | Builds a String for a toString method excluding the given field names . |
fun StringDict(reader: BufferedReader?) { val lines: Array<String> = PApplet.loadStrings(reader) keys = arrayOfNulls<String>(lines.size) values = arrayOfNulls<String>(lines.size) for (i in lines.indices) { val pieces: Array<String> = PApplet.split(lines[i], '\t') if (pieces.size == 2) { keys.get(count) = pieces[0] values.get(count) = pieces[1] count++ } } } | Read a set of entries from a Reader that has each key/value pair on a single line , separated by a tab . |
@Throws(IOException::class) fun <K, V> writeMap(map: Map<K, V>, stream: ObjectOutputStream) { stream.writeInt(map.size) for ((key, value): Map.Entry<K, V> in map) { stream.writeObject(key) stream.writeObject(value) } } | Stores the contents of a map in an output stream , as part of serialization . It does not support concurrent maps whose content may change while the method is running . < p > The serialized output consists of the number of entries , first key , first value , second key , second value , and so on . |
fun NioDatagramAcceptor() { this(DefaultDatagramSessionConfig(), null) } | Creates a new instance . |
fun <V> callWithRetry(callable: Callable<V>, isRetryable: Predicate<Throwable?>): V { var failures = 0 while (true) { try { return callable.call() } catch (e: Throwable) { if (++failures == attempts || !isRetryable.apply(e)) { androidx.test.espresso.core.internal.deps.guava.base.Throwables.throwIfUnchecked( e ) throw RuntimeException(e) } logger.info(e, "Retrying transient error, attempt $failures") try { sleeper.sleep(Duration.millis(pow(2, failures) * 100)) } catch (e2: InterruptedException) { Thread.currentThread().interrupt() androidx.test.espresso.core.internal.deps.guava.base.Throwables.throwIfUnchecked( e ) throw RuntimeException(e) } } } } | Retries a unit of work in the face of transient errors . < p > Retrying is done a fixed number of times , with exponential backoff , if the exception that is thrown is deemed retryable by the predicate . If the error is not considered retryable , or if the thread is interrupted , or if the allowable number of attempts has been exhausted , the original exception is propagated through to the caller . |
fun size(): Int { return n } | Returns the number of items in this queue . |
fun toXML(network: Network?): String? { val writer = StringWriter() writeXML(network, writer) writer.flush() return writer.toString() } | Covert the network into xml . |
private fun parseEntityAttribute(fieldName: String): String? { val m: Matcher = _fnPattern.matcher(fieldName) return if (m.find()) { m.group(1) } else null } | check whether this field is one entity attribute or not |
fun addScrapView(scrap: View, position: Int, viewType: Int) { if (viewTypeCount === 1) { currentScrapViews.put(position, scrap) } else { scrapViews.get(viewType).put(position, scrap) } if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.ICE_CREAM_SANDWICH) { scrap.setAccessibilityDelegate(null) } } | Put a view into the ScrapViews list . These views are unordered . |
fun AStart() {} | Construct the applet |
fun dispose() { disposeColors() disposeImages() disposeFonts() disposeCursors() } | Dispose of cached objects and their underlying OS resources . This should only be called when the cached objects are no longer needed ( e.g . on application shutdown ) . |
protected fun bends(g1: Geo, g2: Geo?, g3: Geo?): Int { val bend: Double = g1.crossNormalize(g2).distance(g3) - Math.PI / 2.0 if (Math.abs(bend) < .0001) { return STRAIGHT } else { if (bend < 0) { return BENDS_LEFT } } return BENDS_RIGHT } | Method that determines which way the angle between the three points bends . |
fun eIsSet(featureID: Int): Boolean { when (featureID) { TypesPackage.PRIMITIVE_TYPE__DECLARED_ELEMENT_TYPE -> return declaredElementType != null TypesPackage.PRIMITIVE_TYPE__ASSIGNMENT_COMPATIBLE -> return assignmentCompatible != null TypesPackage.PRIMITIVE_TYPE__AUTOBOXED_TYPE -> return autoboxedType != null } return super.eIsSet(featureID) } | < ! -- begin-user-doc -- > < ! -- end-user-doc -- > |
@Description(summary = "Create h2client.jar with only the remote JDBC implementation.") fun jarClient() { compile(true, true, false) var files: FileList? = files("temp").exclude("temp/org/h2/build/*").exclude("temp/org/h2/dev/*") .exclude("temp/org/h2/jaqu/*").exclude("temp/org/h2/java/*") .exclude("temp/org/h2/jcr/*").exclude("temp/org/h2/mode/*") .exclude("temp/org/h2/samples/*").exclude("temp/org/h2/test/*").exclude("*.bat") .exclude("*.sh").exclude("*.txt").exclude("*.DS_Store") files = excludeTestMetaInfFiles(files) val kb: Long = jar("bin/h2-client" + getJarSuffix(), files, "temp") if (kb < 350 || kb > 450) { throw RuntimeException("Expected file size 350 - 450 KB, got: $kb") } } | Create the h2client.jar . This only contains the remote JDBC implementation . |
fun Messages(name: String?) { this(null as Messages?, name) } | Creates a messages bundle by full name . |
fun providesSingletonInScope() { [email protected]() isProvidingSingletonInScope = true } | to provide a singleton using the binding 's scope and reuse it inside the binding 's scope |
fun dispose() { m_table.getColumn(m_field).removeColumnListener(this) } | Dispose of this metadata , freeing any resources and unregistering any listeners . |
fun updateUI() { super.updateUI() if (myTree != null) { myTree.updateUI() } javax.swing.LookAndFeel.installColorsAndFont( this, "Tree.background", "Tree.foreground", "Tree.font" ) } | Overridden to message super and forward the method to the tree . Since the tree is not actually in the component hierarchy it will never receive this unless we forward it in this manner . |
fun ResourceNotificationException(message: String?) { super(message) } | Creates a new < code > ResourceNotificationException < /code > object |
fun variance(vector: DoubleArray): Double { var sum = 0.0 var sumSquared = 0.0 if (vector.size <= 1) { return 0 } for (i in vector.indices) { sum += vector[i] sumSquared += vector[i] * vector[i] } val result = sumSquared - sum * sum / vector.size.toDouble() / (vector.size - 1).toDouble() return if (result < 0) { 0 } else { result } } | Computes the variance for an array of doubles . |
fun taskClass(): Class<out Task?>? { return IgniteSinkTask::class.java } | Obtains a sink task class to be instantiated for feeding data into grid . |
fun createNode(path: String?, watch: Boolean, ephimeral: Boolean): String? { var createdNodePath: String? = null createdNodePath = try { val nodeStat: Stat = zooKeeper.exists(path, watch) if (nodeStat == null) { zooKeeper.create( path, ByteArray(0), Ids.OPEN_ACL_UNSAFE, if (ephimeral) CreateMode.EPHEMERAL_SEQUENTIAL else CreateMode.PERSISTENT ) } else { path } } catch (e: KeeperException) { throw IllegalStateException(e) } catch (e: InterruptedException) { throw IllegalStateException(e) } return createdNodePath } | Create a zookeeper node |
@Throws(ConfigurationError::class) fun findClassLoader(): ClassLoader? { val ss: SecuritySupport = SecuritySupport.getInstance() val context: ClassLoader = ss.getContextClassLoader() val system: ClassLoader = ss.getSystemClassLoader() var chain = system while (true) { if (context === chain) { val current: ClassLoader = ObjectFactory::class.java.getClassLoader() chain = system while (true) { if (current === chain) { return system } if (chain == null) { break } chain = ss.getParentClassLoader(chain) } return current } if (chain == null) { break } chain = ss.getParentClassLoader(chain) } return context } | Figure out which ClassLoader to use . For JDK 1.2 and later use the context ClassLoader . |
private fun updateProgress(progressLabel: String, progress: Int) { if (myHost != null && (progress != previousProgress || progressLabel) != previousProgressLabel) { myHost.updateProgress(progressLabel, progress) } previousProgress = progress previousProgressLabel = progressLabel } | Used to communicate a progress update between a plugin tool and the main Whitebox user interface . |
fun isCellEditable(anEvent: EventObject): Boolean { if (!m_mField.isEditable(false)) return false log.fine(m_mField.getHeader()) if (anEvent is MouseEvent && (anEvent as MouseEvent).getClickCount() < CLICK_TO_START) return false if (m_editor == null) createEditor() return true } | Ask the editor if it can start editing using anEvent . If editing can be started this method returns true . Previously called : MTable.isCellEditable |
@Throws(BadLocationException::class) fun applyAll(changes: Collection<IChange?>?) { val changesPerFile: Map<URI, List<IAtomicChange>> = organize(changes) for (currURI in changesPerFile.keySet()) { val document: IXtextDocument = getDocument(currURI) applyAllInSameDocument(changesPerFile[currURI], document) } } | Applies all given changes . |
fun beginApplyInterval() { intervalStartMillis = System.currentTimeMillis() endMillis = intervalStartMillis state = org.gradle.api.tasks.TaskState.apply } | Start an apply interval . |
fun updateDataset(source: CandleDataset?, seriesIndex: Int, newBar: Boolean) { requireNotNull(source) { "Null source (CandleDataset)." } for (i in 0 until this.getSeriesCount()) { val series: CandleSeries = this.getSeries(i) series.updateSeries( source.getSeries(seriesIndex), source.getSeries(seriesIndex).getItemCount() - 1, newBar ) } } | Method updateDataset . |
fun optInt(key: String?): Int { return optInt(key, 0) } | Get an optional int value associated with a key , or zero if there is no such key or if the value is not a number . If the value is a string , an attempt will be made to evaluate it as a number . |
@DSSafe(DSCat.SAFE_LIST) @DSGenerator( tool_name = "Doppelganger", tool_version = "2.0", generated_on = "2013-12-30 12:30:28.318 -0500", hash_original_method = "FEDEC1668E99CC7AC8B63903F046C2E4", hash_generated_method = "270B33800028B49BD2EC75D7757AD67D" ) protected fun onStartLoading() { if (mCursor != null) deliverResult(mCursor) } if (takeContentChanged() || mCursor == null) { forceLoad() } } | Starts an asynchronous load of the contacts list data . When the result is ready the callbacks will be called on the UI thread . If a previous load has been completed and is still valid the result may be passed to the callbacks immediately . Must be called from the UI thread |
@Throws(IOException::class) fun name(name: String?): JsonWriter? { if (name == null) { throw NullPointerException("name == null") } beforeName() string(name) return this } | Encodes the property name . |
protected fun changeTimeBy(amount: Long) { changeTimeBy( amount, timeWrap, if (amount >= 0) TimerStatus.FORWARD else TimerStatus.BACKWARD ) } | Call setTime with the amount given added to the current time . The amount should be negative if you are going backward through time . You need to make sure manageGraphics is called for the map to update . < p > |
@Throws(Exception::class) fun testCreateRenameNoClose() { if (dual) return create(igfs, paths(DIR, SUBDIR), null) var os: IgfsOutputStream? = null try { os = igfs.create(FILE, true) igfs.rename(FILE, FILE2) os.close() } finally { javax.swing.text.html.HTML.Tag.U.closeQuiet(os) } } | Test rename on the file when it was opened for write ( create ) and is not closed yet . |
override fun equals(other: Any?): Boolean { if (other == null) return false if (javaClass != other.javaClass) { return false } val that: HostPort = other as HostPort return port === that.port && host!!.equals(that.host) } | returns true if the two objects are equals , false otherwise . |
fun ensureParentFolderHierarchyExists(folder: IFolder) { val parent: IContainer = folder.getParent() if (parent is IFolder) { ensureFolderHierarchyExists(parent as IFolder) } } | Ensures the given folder 's parent hierarchy is created if they do not already exist . |
private fun Trees() { throw UnsupportedOperationException() } | Utility classes should not be instantiated . |
private fun drawLine(iter: DBIDRef): Element? { val path = SVGPath() val obj: SpatialComparable = relation.get(iter) val dims: Int = proj.getVisibleDimensions() var drawn = false var valid = 0 var prevpos = Double.NaN for (i in 0 until dims) { val d: Int = proj.getDimForAxis(i) val minPos: Double = proj.fastProjectDataToRenderSpace(obj.getMin(d), i) if (minPos != minPos) { valid = 0 continue } ++valid if (valid > 1) { if (valid == 2) { path.moveTo(getVisibleAxisX(d - 1), prevpos) } path.lineTo(getVisibleAxisX(d), minPos) drawn = true } prevpos = minPos } valid = 0 for (i in dims - 1 downTo 0) { val d: Int = proj.getDimForAxis(i) val maxPos: Double = proj.fastProjectDataToRenderSpace(obj.getMax(d), i) if (maxPos != maxPos) { valid = 0 continue } ++valid if (valid > 1) { if (valid == 2) { path.moveTo(getVisibleAxisX(d + 1), prevpos) } path.lineTo(getVisibleAxisX(d), maxPos) drawn = true } prevpos = maxPos } return if (!drawn) { null } else path.makeElement(svgp) } | Draw a single line . |
@Throws(Exception::class) fun testExceptionWithEmpty() { val mapper = ObjectMapper() try { val result: Any = mapper.readValue(" ", Any::class.java) fail("Expected an exception, but got result value: $result") } catch (e: Exception) { verifyException(e, EOFException::class.java, "No content") } } | Simple test to check behavior when end-of-stream is encountered without content . Should throw EOFException . |
@Throws(SQLException::class) fun dropUser(user: User, ignore: Boolean) { val sql = String.format("drop user %s", user.getLogin()) try { execute(sql) } catch (e: SQLException) { if (!ignore) { throw e } else if (logger.isDebugEnabled()) { logger.debug("Drop user failed: $sql", e) } } } | Drops user , ignoring errors if desired by caller . |
fun loadSoundEffects(): Boolean { var attempts = 3 val reply = LoadSoundEffectReply() synchronized(reply) { sendMsg(mAudioHandler, MSG_LOAD_SOUND_EFFECTS, SENDMSG_QUEUE, 0, 0, reply, 0) while (reply.mStatus === 1 && attempts-- > 0) { try { reply.wait(SOUND_EFECTS_LOAD_TIMEOUT_MS) } catch (e: InterruptedException) { Log.w(TAG, "loadSoundEffects Interrupted while waiting sound pool loaded.") } } } return reply.mStatus === 0 } | Loads samples into the soundpool . This method must be called at first when sound effects are enabled |
fun gcd(p: Int, q: Int): Int { return if (q == 0) { p } else gcd(q, p % q) } | Computes the Greatest Common Devisor of integers p and q . |
fun sort(keys: IntArray?, values: IntArray?, offset: Int, length: Int) { hybridsort(keys, values, offset, offset + length - 1) } | Sorts a range from the keys in an increasing order . Elements key [ i ] and values [ i ] are always swapped together in the corresponding arrays . < p > A mixture of several sorting algorithms is used : < p > A radix sort performs better on the numeric data we sort , but requires additional storage to perform the sorting . Therefore only the not-very-large parts produced by a quick sort are sorted with radix sort . An insertion sort is used to sort the smallest arrays , where the the overhead of the radix sort is also bigger |
fun isRegistered(name: javax.management.ObjectName?): Boolean { return mbsInterceptor.isRegistered(name) } | Checks whether an MBean , identified by its object name , is already registered with the MBean server . |
private fun startItemListItem(result: StringBuilder, rootId: String, itemId: String) { result.append("<div class=\"subtree\">") result.append("<div class=\"alone $itemId\" id=\"alone_$rootId:$itemId\">") } | Called to start adding an item to an item list . |
@Throws(IOException::class) fun write(ios: javax.imageio.stream.ImageOutputStream?) { } | Writes the data for this segment to the stream in valid JPEG format . |
fun PatternEveryExpr() {} | Ctor - for use to create a pattern expression tree , without pattern child expression . |
Subsets and Splits