Code_Function
stringlengths 13
13.9k
| Message
stringlengths 10
1.46k
|
---|---|
@Throws(IOException::class, ClassNotFoundException::class) private fun readObject(`in`: ObjectInputStream) { val inName = `in`.readObject() as String val inDescription = `in`.readObject() as String val inValue = `in`.readObject() val inClass = `in`.readObject() as Class<*> val inUserModifiable = `in`.readBoolean() Assert.assertTrue(inName != null) Assert.assertTrue(inDescription != null) Assert.assertTrue(inValue != null) Assert.assertTrue(inClass != null) this.deserialized = true this.name = inName setInternalState(inDescription, inValue, inClass, inUserModifiable) } | Override readObject which is used in serialization . Customize serialization of this exception to avoid escape of InternalRole which is not Serializable . |
private fun returnData(ret: Any) { if (myHost != null) { myHost.returnData(ret) } } | Used to communicate a return object from a plugin tool to the main Whitebox user-interface . |
fun escape(s: String?): String? { if (s == null) return null val sb = StringBuffer() escape(s, sb) return sb.toString() } | Escape quotes , \ , / , \r , \n , \b , \f , \t and other control characters ( U+0000 through U+001F ) . |
fun clone(): ArrayDeque<E>? { return try { val result: ArrayDeque<E> = super.clone() as ArrayDeque<E> result.elements = Arrays.copyOf(elements, elements.length) result } catch (e: CloneNotSupportedException) { throw AssertionError() } } | Returns a copy of this deque . |
fun generateCode(currentScope: org.graalvm.compiler.lir.gen.LIRGeneratorTool.BlockScope?) { if (this.bits and IsReachable === 0) { return } generateInit@{ if (this.initialization == null) break@generateInit if (binding.resolvedPosition < 0) { if (this.initialization.constant !== Constant.NotAConstant) break@generateInit this.initialization.generateCode(currentScope, false) break@generateInit } this.initialization.generateCode(currentScope, true) } } | Code generation for a local declaration : i.e. & nbsp ; normal assignment to a local variable + unused variable handling |
@Throws(IOException::class) fun isPotentialValidLink(file: File): Boolean { var isPotentiallyValid: Boolean FileInputStream(file).use { fis -> val minimumLength = 0x64 isPotentiallyValid = file.isFile() && file.getName().toLowerCase() .endsWith(".lnk") && fis.available() >= minimumLength && isMagicPresent( com.sun.org.apache.xml.internal.security.utils.XMLUtils.getBytes( fis, 32 ) ) } return isPotentiallyValid } | Provides a quick test to see if this could be a valid link ! If you try to instantiate a new WindowShortcut and the link is not valid , Exceptions may be thrown and Exceptions are extremely slow to generate , therefore any code needing to loop through several files should first check this . |
fun decideMove(state: IGameState): IGameMove? { if (state.isDraw()) return null if (state.isWin()) return null val moves: Collection<IGameMove> = logic.validMoves(this, state) return if (moves.size == 0) { null } else { val mvs: Array<IGameMove> = moves.toArray(arrayOf<IGameMove>()) val idx = (Math.random() * moves.size).toInt() mvs[idx] } } | Randomly make a move based upon the available logic of the game . Make sure you check that the game is not already won , lost or drawn before calling this method , because you |
fun nextPowerOf2(x: Int): Int { var i: Long = 1 while (i < x && i < Int.MAX_VALUE / 2) { i += i } return i.toInt() } | Get the value that is equal or higher than this value , and that is a power of two . |
fun inverseTransform(viewPoint: java.awt.geom.Point2D): java.awt.geom.Point2D? { val viewCenter: java.awt.geom.Point2D = getViewCenter() val viewRadius: Double = getViewRadius() val ratio: Double = getRatio() var dx: Double = viewPoint.getX() - viewCenter.getX() val dy: Double = viewPoint.getY() - viewCenter.getY() dx *= ratio val pointFromCenter: java.awt.geom.Point2D = java.awt.geom.Point2D.Double(dx, dy) val polar: PolarPoint = PolarPoint.cartesianToPolar(pointFromCenter) var radius: Double = polar.getRadius() if (radius > viewRadius) return delegate.inverseTransform(viewPoint) radius /= viewRadius radius = Math.abs(Math.tan(radius)) radius /= Math.PI / 2 radius *= viewRadius val mag = Math.tan(Math.PI / 2 * magnification) radius /= mag polar.setRadius(radius) val projectedPoint: java.awt.geom.Point2D = PolarPoint.polarToCartesian(polar) projectedPoint.setLocation(projectedPoint.getX() / ratio, projectedPoint.getY()) val translatedBack: java.awt.geom.Point2D = java.awt.geom.Point2D.Double( projectedPoint.getX() + viewCenter.getX(), projectedPoint.getY() + viewCenter.getY() ) return delegate.inverseTransform(translatedBack) } | override base class to un-project the fisheye effect |
private fun iconBoundsIntersectBar(barBounds: RectF, icon: Rect, scaleFactor: Double): Boolean { val iconL: Int = icon.left + javax.swing.Spring.scale(icon.width(), scaleFactor.toFloat()) val iconT: Int = icon.top + javax.swing.Spring.scale(icon.height(), scaleFactor.toFloat()) val iconR: Int = icon.right - javax.swing.Spring.scale(icon.width(), scaleFactor.toFloat()) val iconB: Int = icon.bottom - javax.swing.Spring.scale(icon.height(), scaleFactor.toFloat()) return barBounds.intersects( iconL.toFloat(), iconT.toFloat(), iconR.toFloat(), iconB.toFloat() ) } | Helper method for calculating intersections for control icons and bars . |
fun closeRegistration() { flushDeferrables() for ((_, value): Map.Entry<String?, ClassPlugins> in registrations.entrySet()) { value.initializeMap() } } | Disallows new registrations of new plugins , and creates the internal tables for method lookup . |
fun toGml(graph: IDirectedGraph<*, out IGraphEdge<*>?>): String? { Preconditions.checkNotNull(graph, "Graph argument can not be null") val sb = StringBuilder() sb.append( """ graph [ """.trimIndent() ) var currentId = 0 val nodeMap: MutableMap<Any, Int> = HashMap() for (node in graph.getNodes()) {sb.append( """ node [ id """ ) sb.append(currentId) sb.append("\tlabel \"") sb.append(node) sb.append( """" ] """ ) nodeMap[node] = currentId ++currentId} for (edge in graph.getEdges()) {sb.append(""" edge[ source """) sb.append(nodeMap[edge.getSource()])sb.append("""target """ ) sb.append(nodeMap[edge.getTarget()]) sb.append( """ graphics [ fill "#000000" targetArrow "standard" ] ] """ ) } sb.append("]\n") return sb.toString() } | Creates GML code that represents a given directed graph . |
fun cachePage(pos: Long, page: Page?, memory: Int) { if (cache != null) { cache.put(pos, page, memory) } } | Put the page in the cache . |
fun typeToClass(type: Int): Class<*>? { val result: Class<*>? result = when (type) { Types.BIGINT -> Long::class.javaTypes.BINARY -> String::class.java Types.BIT -> Boolean::class.java Types.CHAR -> Char::class.java Types.DATE -> Date::class.java Types.DECIMAL -> Double::class.java Types.DOUBLE -> Double::class.java Types.FLOAT -> Float::class.java Types.INTEGER -> Int::class.java Types.LONGVARBINARY -> String::class.java Types.LONGVARCHAR -> String::class.java Types.NULL -> String::class.java Types.NUMERIC -> Double::class.java Types.OTHER -> String::class.java Types.REAL -> Double::class.java Types.SMALLINT -> Short::class.java Types.TIME -> Time::class.java Types.TIMESTAMP -> Timestamp::class.java Types.TINYINT -> Short::class.java Types.VARBINARY -> String::class.java Types.VARCHAR -> String::class.java else -> null } return result } | Returns the class associated with a SQL type . |
@Throws(MissingObjectException::class, IOException::class, UnsupportedEncodingException::class) private fun noteToString(repo: Repository, note: Note): String? { val loader: ObjectLoader = repo.open(note.getData()) val baos = ByteArrayOutputStream() loader.copyTo(baos) return String(baos.toByteArray(), "UTF-8") } | Utility method that converts a note to a string ( assuming it 's UTF-8 ) . |
@TransactionAttribute(TransactionAttributeType.REQUIRES_NEW) @Throws(ValidationException::class) fun initTimers() { initAllTimers() } | Reads the configuration settings for the timer intervals to be used and creates the timers accordingly . |
@Throws(IOException::class) fun tbiIndexToUniqueString(`is`: InputStream?): String? { val ret = StringBuilder() val buf = ByteArray(4096) readIOFully(`is`, buf, 4) val header = String(buf, 0, 4) ret.append("Header correct: ").append(header == "TBI") .append(com.sun.tools.javac.util.StringUtils.LS) readIOFully(`is`, buf, 4) val numRefs: Int = ByteArrayIOUtils.bytesToIntLittleEndian(buf, 0) ret.append("numRefs: ").append(numRefs).append(com.sun.tools.javac.util.StringUtils.LS) readIOFully(`is`, buf, 28) val format: Int = ByteArrayIOUtils.bytesToIntLittleEndian(buf, 0) val colSeq: Int = ByteArrayIOUtils.bytesToIntLittleEndian(buf, 4) val colBeg: Int = ByteArrayIOUtils.bytesToIntLittleEndian(buf, 8) val colEnd: Int = ByteArrayIOUtils.bytesToIntLittleEndian(buf, 12)val meta: Int = ByteArrayIOUtils.bytesToIntLittleEndian(buf, 16) val skip: Int = ByteArrayIOUtils.bytesToIntLittleEndian(buf, 20) val refNameLength: Int = ByteArrayIOUtils.bytesToIntLittleEndian(buf, 24) val formatStr: String formatStr = TbiFormat.values().get(format and 0xffff).name() ret.append("Format: ").append(formatStr).append(" 0-based: ") .append(format and 0x10000 != 0).append(com.sun.tools.javac.util.StringUtils.LS) ret.append("Columns: (refName:Start-End) ").append(colSeq).append(":").append(colBeg).append("-").append(colEnd).append(com.sun.tools.javac.util.StringUtils.LS) ret.append("Meta: ").append(meta.toChar()).append(com.sun.tools.javac.util.StringUtils.LS) ret.append("Skip: ").append(skip).append(com.sun.tools.javac.util.StringUtils.LS) val names = ByteArray(refNameLength) readIOFully(`is`, names, names.size) ret.append("Sequence names: ") var first = true var off = 0 for (i in 0 until numRefs) {var newOff = off while (newOff < names.size && names[newOff] != 0) { newOff++ } if (!first) { ret.append(", ") } ret.append(String(names, off, newOff - off)) off = newOff + 1 first = false } ret.append(com.sun.tools.javac.util.StringUtils.LS) ret.append(indicesToUniqueString(`is`, numRefs)) .append(com.sun.tools.javac.util.StringUtils.LS) return ret.toString() } | Creates a string representation of the TABIX index |
fun addFeatureChangeListener(l: FeatureChangeListener?) { featureListeners.add(l) } | Add a feature change listener . |
protected fun UserPassword() { super() } | Dear JPA ... |
fun firePropertyChange(propertyName: String?, oldValue: Float, newValue: Float) {} | Overridden for performance reasons . See the < a href= '' # override '' > Implementation Note < /a > for more information . |
fun testUpdate5() { val factor = 3 val updateQuery = "UPDATE " + DatabaseCreator.TEST_TABLE1.toString() + " SET field2=field2 *" + factor try { val selectQuery = "SELECT field2 FROM " + DatabaseCreator.TEST_TABLE1 var result: ResultSet = statement.executeQuery(selectQuery) val values: HashSet<BigDecimal> = HashSet<BigDecimal>() val num: Int = statement.executeUpdate(updateQuery) assertEquals("Not all records in the database were updated", numberOfRecords, num) result = statement.executeQuery(selectQuery) assertTrue("Not all records were updated", values.isEmpty()) result.close() } catch (e: SQLException) { fail("Unexpected exception" + e.getMessage()) } } | UpdateFunctionalityTest # testUpdate5 ( ) . Updates values in one columns in the table using condition |
fun isCaretBlinkEnabled(): Boolean { return caretBlinks } | Returns true if the caret is blinking , false otherwise . |
@Throws(Exception::class) fun testBug73663() { this.rs = this.stmt.executeQuery("show variables like 'collation_server'") this.rs.next() val collation: String = this.rs.getString(2) if (collation != null && collation.startsWith("utf8mb4") && "utf8mb4" == (this.conn as MySQLConnection).getServerVariable( "character_set_server" ) ) { val p = Properties() p.setProperty("characterEncoding", "UTF-8") p.setProperty( "statementInterceptors", Bug73663StatementInterceptor::class.java.getName() ) getConnectionWithProps(p) } else { println("testBug73663 was skipped: This test is only run when character_set_server=utf8mb4 and collation-server set to one of utf8mb4 collations.") } } | Tests fix for Bug # 73663 ( 19479242 ) , utf8mb4 does not work for connector/j > =5.1.13 This test is only run when character_set_server=utf8mb4 and collation-server set to one of utf8mb4 collations ( it 's better to test two configurations : with default utf8mb4_general_ci and one of non-default , say utf8mb4_bin ) |
fun removeEdge(edge: InstructionGraphEdge?) { super.removeEdge(edge) } | Removes an instruction edge from the instruction graph . |
fun addApps(apps: List<AppInfo?>?) { mApps.addApps(apps) } | Adds new apps to the list . |
fun stop() { val methodName = "stop" synchronized(lifecycle) { log.fine(CLASS_NAME, methodName, "850") if (running) { running = false receiving = false if (Thread.currentThread() != recThread) { try { recThread.join() } catch (ex: InterruptedException) { } } } } recThread = null log.fine(CLASS_NAME, methodName, "851") } | Stops the Receiver 's thread . This call will block . |
fun First() {} | CONSTRUCTOR < init > |
override fun toString(): String? { var temp = "" for (i in 0 until variables.length) { temp += variables.get(i).toString() temp += "\n" } return structName.toString() + "\n" + temp } | Override ToString ( ) . |
fun addActionListener(l: ActionListener?) { dispatcher.addListener(l) } | Adds a listener to the switch which will cause an event to dispatch on click |
@Throws(org.apache.geode.admin.AdminException::class) protected fun createSystemMemberCache(vm: GemFireVM?): SystemMemberCache? { if (managedSystemMemberCache == null) { managedSystemMemberCache = SystemMemberCacheJmxImpl(vm) } return managedSystemMemberCache } | Override createSystemMemberCache by instantiating SystemMemberCacheJmxImpl if it was not created earlier . |
fun run() { amIActive = true val inputFile: String = args.get(0) if (inputFile.lowercase(Locale.getDefault()).contains(".dep")) { calculateRaster() } else if (inputFile.lowercase(Locale.getDefault()).contains(".shp")) { calculateVector() } else { showFeedback("There was a problem reading the input file.") } } | Used to execute this plugin tool . |
@Throws(Exception::class) fun test_compressed_timestamp_01b() { TestHelper( "compressed-timestamp-01b", "compressed-timestamp-01b.rq", "compressed-timestamp.ttl", "compressed-timestamp-01.srx" ).runTest() } | Simple SELECT query returning data typed with the given timestamp , where we have several FILTERs that should evaluate to true . |
@Throws(javax.xml.stream.XMLStreamException::class) private fun writeAttribute( namespace: String, attName: String, attValue: String, xmlWriter: javax.xml.stream.XMLStreamWriter ) { if (namespace == "") { xmlWriter.writeAttribute(attName, attValue) } else { registerPrefix(xmlWriter, namespace) xmlWriter.writeAttribute(namespace, attName, attValue)} } | Util method to write an attribute without the ns prefix |
private fun addTag(newTag: String) { if (com.sun.tools.javac.util.StringUtils.isBlank(newTag)) { return } synchronized(tagsObservable) { if (tagsObservable.contains(newTag)) { return } tagsObservable.add(newTag) } firePropertyChange("tag", null, tagsObservable) } | Adds the tag . |
fun basicGetAstElement(): EObject? { return astElement } | < ! -- begin-user-doc -- > < ! -- end-user-doc -- > |
public void detach ( ) { if ( systemOverlay ) { getWindowManager ( ) . removeView ( this ) ; } else { ( ( ViewGroup ) getActivityContentView ( ) ) . removeView ( this ) ; } } | Detaches it from the container view . |
private fun patternCompile() { try { ptnNumber = Pattern.compile(strNumberPattern) ptnShortDate = Pattern.compile(strShortDatePattern) ptnLongDate = Pattern.compile(strLongDatePattern) ptnPercentage = Pattern.compile(strPercentagePattern) ptnCurrency = Pattern.compile(strCurrencyPattern) ptnViCurrency = Pattern.compile(strViCurrencyPattern) } catch (ex: PatternSyntaxException) { System.err.println(ex.getMessage()) System.exit(1) } } | Pattern compile . |
fun basicSetParams( newParams: jdk.nashorn.internal.ir.ExpressionList, msgs: NotificationChain? ): NotificationChain? { var msgs: NotificationChain? = msgs val oldParams: jdk.nashorn.internal.ir.ExpressionList = params params = newParams if (eNotificationRequired()) { val notification = ENotificationImpl( this, Notification.SET, GamlPackage.PARAMETERS__PARAMS, oldParams, newParams ) if (msgs == null) msgs = notification else msgs.add(notification) } return msgs } | < ! -- begin-user-doc -- > < ! -- end-user-doc -- > |
@Throws(IOException::class) fun unpackInt(`is`: DataInput): Int { var ret = 0 var v: Byte do { v = `is`.readByte() ret = ret shl 7 or (v and 0x7F) } while (v and 0x80 == 0) return ret } | Unpack int value from the input stream . |
fun loadWorkflowData(stepId: String, key: String?): Any? { var data: Any? = null val workflowUri: String = getMainWorkflowUri(stepId) try { if (workflowUri != null) { val dataPath: String = java.lang.String.format(_zkStepDataPath, workflowUri) + java.lang.String.format( _zkWorkflowData, key ) if (_dataManager.checkExists(dataPath) != null) { data = _dataManager.getData(dataPath, false) } } } catch (ex: Exception) { val exMsg = "Exception adding global data to workflow from stepId: " + stepId + ": " + ex.message _log.error(exMsg) data = null } return data } | Gets the step workflow data stored under /workflow/stepdata/ { workflowURI } /data/ { key } where workflowURI is the URI of the main workflow regardless of whether the step belongs in the main workflow or one of its nested workflows . |
fun fillByte(array: ByteArray, x: Byte) { for (i in array.indices) { array[i] = x } } | Fill an array with the given value . |
fun addDictionaryChunk(dictionaryChunk: List<ByteArray?>) { dictionaryChunks.add(dictionaryChunk) if (null == dictionaryByteArrayToSurrogateKeyMap) { createDictionaryByteArrayToSurrogateKeyMap(dictionaryChunk.size) } addDataToDictionaryMap() } | This method will add a new dictionary chunk to existing list of dictionary chunks |
fun OMWarpingImage(bi: java.awt.image.BufferedImage?) { setWarp(bi, LatLonGCT.INSTANCE, DataBounds(-180, -90, 180, 90)) } | Takes an image , assumed to be a world image in the LLXY projection ( equal arc ) covering -180 , 180 longitude to -90 , 90 latitude . |
private void acquirePrecachingWakeLock ( ) { if ( mPrecachingWakeLock == null ) { PowerManager pm = ( PowerManager ) getSystemService ( Context . POWER_SERVICE ) ; mPrecachingWakeLock = pm . newWakeLock ( PowerManager . PARTIAL_WAKE_LOCK , TAG ) ; } mPrecachingWakeLock . acquire ( ) ; } | Acquire the precaching WakeLock . |
@Throws(WarpScriptException::class){ fun entropyHybridTest( gts: GeoTimeSerie, buckets_per_period: Int, periods_per_piece: Int, k: Int, alpha: Double ): List<Long>? { doubleCheck(gts) val anomalous_ticks: MutableList<Long> = ArrayList() if (!GTSHelper.isBucketized(gts)) { throw WarpScriptException("GTS must be bucketized") } if (k >= periods_per_piece * buckets_per_period / 2) { throw WarpScriptException("Upper bound of number of outliers must be less than half of the number of observations per piece") } var subgts: GeoTimeSerie? = null var subsubgts: GeoTimeSerie? = null var seasonal: GeoTimeSerie? = null val pieces: Long = gts.bucketcount / buckets_per_period / periods_per_piece val bpp = periods_per_piece * buckets_per_period val lb: Long = gts.lastbucket val bs: Long = gts.bucketspan for (u in 0 until pieces) { val start = lb - bs * ((pieces - u) * bpp - 1) val stop = lb - bs * (pieces - u - 1) * bpp subgts = GTSHelper.subSerie(gts, start, stop, false, false, subgts) subgts.lastbucket = stop subgts.bucketcount = bpp subgts.bucketspan = bs if (null == seasonal) { seasonal = GeoTimeSerie(bpp) seasonal.doubleValues = DoubleArray(bpp) seasonal.ticks = LongArray(bpp) } else { GTSHelper.reset(seasonal) } seasonal.type = TYPE.DOUBLE for (v in 0 until buckets_per_period) { subsubgts = GTSHelper.subCycleSerie( subgts, stop - v * bs, buckets_per_period, true, subsubgts ) val madsigma: DoubleArray = madsigma(subsubgts, true) val median = madsigma[0] val mad = madsigma[1] var sum = 0.0 for (w in 0 until subsubgts.values) { subsubgts.doubleValues.get(w) = if (0.0 != mad) Math.abs((subsubgts.doubleValues.get(w) - median) / mad) else 1.0
sum += subsubgts.doubleValues.get(w) } var entropy = 0.0 for (w in 0 until subsubgts.values) { subsubgts.doubleValues.get(w) /= sum val tmp: Double = subsubgts.doubleValues.get(w) if (0.0 != tmp) { entropy -= tmp * Math.log(tmp) } } if (0.0 != entropy) { entropy /= Math.log(subsubgts.values) } else { entropy = 1.0 } for (w in 0 until subsubgts.values) { GTSHelper.setValue( seasonal, subsubgts.ticks.get(w), entropy * subsubgts.doubleValues.get(w) ) } } GTSHelper.sort(seasonal) val m: Double = median(seasonal) var idx = 0 for (i in 0 until subgts.values) { idx = Arrays.binarySearch(seasonal.ticks, idx, seasonal.values, subgts.ticks.get(i)) if (idx < 0) { throw WarpScriptException( "Internal bug method entropyHybridTest: can't find tick " + subgts.ticks.get( i ).toString() + " in seasonal.ticks" ) } else { subgts.doubleValues.get(i) -= seasonal.doubleValues.get(idx) + m } } anomalous_ticks.addAll(ESDTest(subgts, k, true, alpha)) } return anomalous_ticks } | Applying Seasonal Entropy Hybrid test This test is based on piecewise decomposition where trend components are approximated by median and seasonal components by entropy of the cycle sub-series . An ESD test is passed upon the residuals . It differs from hybridTest by approximating seasonal component instead of using STL . But in many cases this approximation is more useful than estimation of STL . |
fun collectAndFireTriggers( players: HashSet<PlayerID?>?, triggerMatch: Match<TriggerAttachment?>?, aBridge: IDelegateBridge?, beforeOrAfter: String?, stepName: String? ) { val toFirePossible: HashSet<TriggerAttachment> = collectForAllTriggersMatching(players, triggerMatch, aBridge) if (toFirePossible.isEmpty()) { return } val testedConditions: HashMap<ICondition, Boolean> = collectTestsForAllTriggers(toFirePossible, aBridge) val toFireTestedAndSatisfied: List<TriggerAttachment> = Match.getMatches( toFirePossible, AbstractTriggerAttachment.isSatisfiedMatch(testedConditions) ) if (toFireTestedAndSatisfied.isEmpty()) { return } TriggerAttachment.fireTriggers( HashSet(toFireTestedAndSatisfied), testedConditions, aBridge, beforeOrAfter, stepName, true, true, true, true ) } | This will collect all triggers for the desired players , based on a match provided , and then it will gather all the conditions necessary , then test all the conditions , and then it will fire all the conditions which are satisfied . |
fun clone(array: LongArray?): LongArray? { return if (array == null) { null } else array.clone() } | < p > Clones an array returning a typecast result and handling < code > null < /code > . < /p > < p > This method returns < code > null < /code > for a < code > null < /code > input array. < /p > |
@Throws(IllegalArgumentException::class) fun ColorPredicate(input: String) { var rest = input.trim { it <= ' ' }.lowercase(Locale.getDefault()) if (rest.startsWith("leaf")) { this.isLeaf = true rest = rest.substring(4).trim { it <= ' ' } } else { this.isLeaf = false } var endOfStartToken = 0 while (endOfStartToken < rest.length && Character.isLetter(rest[endOfStartToken])) { endOfStartToken++ } val startToken = rest.substring(0, endOfStartToken) val macro: String = getMacro(startToken) if (macro != null) { rest = macro } if (rest.startsWith("some")) { this.isSome = true rest = rest.substring(4).trim { it <= ' ' } } else if (rest.startsWith("every")) { this.isSome = false rest = rest.substring(5).trim { it <= ' ' } } else { throw IllegalArgumentException( """ Color predicate must start with the optional keyword `leaf' followed by a legal macro name or `every' or `some'.""" ) } this.set = 0 while (rest != "") { if (rest.startsWith("omitted")) { this.set = this.set or (1 shl NUMBER_OF_OMITTED_STATE) rest = rest.substring(7).trim { it <= ' ' } } else if (rest.startsWith("missing")) { this.set = this.set or (1 shl NUMBER_OF_MISSING_STATE) rest = rest.substring(7).trim { it <= ' ' } } else if (rest.startsWith("(")) { rest = rest.substring(1).trim { it <= ' ' } val stateSetSpec = arrayOfNulls<IntArray>(NUMBER_OF_PROVERS) for (i in 0 until NUMBER_OF_PROVERS) { var invert = falseif (rest.startsWith("-")) { invert = true rest = rest.substring(1).trim { it <= ' ' } } val appears = BooleanArray(PROVER_STATUSES.get(i).length) for (j in appears.indices) { appears[j] = invert } val endChar = if (i == NUMBER_OF_PROVERS - 1) ")" else "," while (rest.length > 0 && !rest.startsWith(endChar)) { var endOfToken = 0 while (endOfToken < rest.length && Character.isLetter(rest[endOfToken])) { endOfToken++ } val token = rest.substring(0, endOfToken) rest = rest.substring(endOfToken).trim { it <= ' ' } var statusNumber: Int try { statusNumber = numberOfProverStatus(i, token) } catch (e: IllegalArgumentException) { val errorMsg = """Was expecting status of prover ${ PROVER_NAMES.get(i).toString() } but found `$token' followed by: `$rest'""" throw IllegalArgumentException(errorMsg) } appears[statusNumber] = !invert } require(rest.length != 0) { "Color predicate specifier ended before `(...)' expression complete" } rest = rest.substring(1).trim { it <= ' ' } var count = 0 for (j in appears.indices) { if (appears[j]) { count++ } }if (count == 0) {require(!invert) { "A `-' must be followed by one or more statuses" } count = appears.size for (j in 0 until count) { appears[j] = true} } stateSetSpec[i] = IntArray(count) var k = 0 for (j in appears.indices) { if (appears[j]) { stateSetSpec[i]!![k] = j k++ } } } this.set = this.set or bitVectorOfStates(stateSetSpec) } else { throw IllegalArgumentException("Unexpected token at: `$rest'") } } } | Returns a ColorPredicate obtained by parsing its argument . See the beginning of ProofStatus.tla for the grammar of the input . |
@Throws(IOException::class) protected fun transferFromFile(idFile: File?) { BufferedReader(FileReader(idFile)).use { br -> var line: String while (br.readLine().also { line = it } != null) { line = line.trim { it <= ' ' } if (line.length > 0) { transfer(line) } } } } | Transfer all the sequences listed in the supplied file , interpreting entries appropriately . |
fun toNamespacedString(): String? { return if (_namespaceURI != null) "{" + _namespaceURI.toString() + "}" + _localName else _localName } | Return the string representation of the qualified name using the the ' { ns } foo ' notation . Performs string concatenation , so beware of performance issues . |
fun configureManagers() { powerManager = NcePowerManager(this) InstanceManager.store(powerManager, PowerManager::class.java) turnoutManager = NceTurnoutManager(getNceTrafficController(), getSystemPrefix()) InstanceManager.setTurnoutManager(turnoutManager) lightManager = NceLightManager(getNceTrafficController(), getSystemPrefix()) InstanceManager.setLightManager(lightManager) sensorManager = NceSensorManager(getNceTrafficController(), getSystemPrefix()) InstanceManager.setSensorManager(sensorManager) throttleManager = NceThrottleManager(this) InstanceManager.setThrottleManager(throttleManager) if (getNceUsbSystem() !== NceTrafficController.USB_SYSTEM_NONE) { if (getNceUsbSystem() !== NceTrafficController.USB_SYSTEM_POWERHOUSE) { } } else { InstanceManager.setProgrammerManager(getProgrammerManager()) } clockManager = NceClockControl(getNceTrafficController(), getSystemPrefix()) InstanceManager.addClockControl(clockManager) consistManager = NceConsistManager(this) InstanceManager.setConsistManager(consistManager) } | Configure the common managers for NCE connections . This puts the common manager config in one place . |
@Throws(IOException::class) fun newLine() { out.append('\n') for (n in 0 until currentIndentLevel) out.append(indent) currentLine++ currentCol = currentIndentLevel * indent.length() } | Emits a < code > '\n ' < /code > plus required indentation characters for the current indentation level . |
protected fun checkForDuplicatSnapshotName(name: String?, vplexVolume: Volume?) { val snapshotSourceVolume: Volume = getVPLEXSnapshotSourceVolume(vplexVolume) super.checkForDuplicatSnapshotName(name, snapshotSourceVolume) } | Check if a snapshot with the same name exists for the passed volume . |
public boolean isOneAssetPerUOM ( ) { Object oo = get_Value ( COLUMNNAME_IsOneAssetPerUOM ) ; if ( oo != null ) { if ( oo instanceof Boolean ) return ( ( Boolean ) oo ) . booleanValue ( ) ; return "Y" . equals ( oo ) ; } return false ; } | Get One Asset Per UOM . |
fun value(): Int { return this.value } | Retrieve value for node computed so far . < p > Primarily here for testing |
fun isRemove(): Boolean { val `is`: Boolean `is` = if (m_editFlag === FolderEditFlag.REMOVE) true else false return `is` } | Devuelve < tt > true < /tt > si el campo est ? marcado como eliminado |
fun encodeWebSafe(source: ByteArray, doPadding: Boolean): String? { return encode(source, 0, source.size, WEBSAFE_ALPHABET, doPadding) } | Encodes a byte array into web safe Base64 notation . |
@Throws(IOException::class, ServletException::class) fun commence( request: HttpServletRequest?, response: HttpServletResponse, arg2: AuthenticationException? ) { log.debug("Pre-authenticated entry point called. Rejecting access") response.sendError(HttpServletResponse.SC_UNAUTHORIZED, "Access Denied") } | Always returns a 401 error code to the client . |
fun size(): Int { return _size } | Returns the current number of entries in the map . |
private fun createVolumeData(name: String, numVolumes: Int): List<Volume>? { val volumes: List<Volume> = ArrayList<Volume>()val cgUri: URI = createBlockConsistencyGroup("$name-cg") for (i in 1..numVolumes) { val volume = Volume() val volumeURI: URI = URIUtil.createId(Volume::class.java) testVolumeURIs.add(volumeURI) volume.setId(volumeURI) volume.setLabel(name + i) volume.setConsistencyGroup(cgUri) _dbClient.createObject(volume) } return volumes } | Creates the BlockObject Volume data . |
private void showFeedback ( String message ) { if ( myHost != null ) { myHost . showFeedback ( message ) ; } else { System . out . println ( message ) ; } } | Used to communicate feedback pop-up messages between a plugin tool and the main Whitebox user-interface . |
fun closeStream(stream: Closeable?) { if (stream != null) { try { stream.close() } catch (e: IOException) { Log.e("IO", "Could not close stream", e) } } } | Closes the specified stream . |
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 configure() { val memo: XpaSystemConnectionMemo = getSystemConnectionMemo() as XpaSystemConnectionMemo val tc: XpaTrafficController = memo.getXpaTrafficController() tc.connectPort(this) memo.setPowerManager(XpaPowerManager(tc)) jmri.InstanceManager.store(memo.getPowerManager(), PowerManager::class.java) memo.setTurnoutManager(XpaTurnoutManager(memo)) jmri.InstanceManager.store(memo.getTurnoutManager(), jmri.TurnoutManager::class.java) memo.setThrottleManager(XpaThrottleManager(memo)) jmri.InstanceManager.store(memo.getThrottleManager(), jmri.ThrottleManager::class.java) tc.startTransmitThread() sinkThread = Thread(tc) sinkThread.start() } | set up all of the other objects to operate with an XPA+Modem Connected to an XPressNet based command station connected to this port |
fun executeQuery(miniTable: IMiniTable) { log.info("") var sql = "" if (m_DD_Order_ID == null) return sql = getOrderSQL() log.fine(sql) var row = 0 miniTable.setRowCount(row) try { val pstmt: PreparedStatement = DB.prepareStatement(sql, null) pstmt.setInt(1, m_DD_Order_ID.toString().toInt()) val rs: ResultSet = pstmt.executeQuery() while (rs.next()) { miniTable.setRowCount(row + 1) miniTable.setValueAt(IDColumn(rs.getInt(1)), row, 0) miniTable.setValueAt(rs.getBigDecimal(2), row, 1) miniTable.setValueAt(rs.getString(3), row, 2) miniTable.setValueAt(rs.getString(4), row, 4) miniTable.setValueAt(rs.getString(5), row, 3) miniTable.setValueAt(rs.getString(6), row, 5) row++ } rs.close() pstmt.close() } catch (e: SQLException) { log.log(Level.SEVERE, sql, e) } miniTable.autoSize() } | Query Info |
fun ParameterDatabase() { super() accessed = Hashtable() gotten = Hashtable() directory = File(File("").getAbsolutePath()) label = "Basic Database" parents = Vector() checked = false.toInt() } | Creates an empty parameter database . |
private fun CTagHelpers() {} | You are not supposed to instantiate this class . |
fun EventSourceImpl() { LOG.entering(CLASS_NAME, "<init>") } | EventSource provides a text-based stream abstraction for Java |
@DSGenerator( tool_name = "Doppelganger", tool_version = "2.0", generated_on = "2013-12-30 13:01:25.281 -0500", hash_original_method = "8F9A0D25038BAA53AA87BFFA0D47316A", hash_generated_method = "D647B858B68B1333AC193E85FEBDEE73" ) fun registrationComplete() { synchronized(mHandlerMap) { mRegistrationComplete = true mHandlerMap.notifyAll() } } | The application must call here after it finishes registering handlers . |
operator fun next(): Long { return next(RecurrenceUtil.now()) } | Returns the next recurrence from now . |
@Throws(IOException::class) fun writeExternal(out: ObjectOutput?) { super.writeExternal(out) mbr.writeExternal(out) } | Calls the super method and writes the MBR object of this entry to the specified output stream . |
protected fun validate_return(param: Array<StorageCapability?>?) {} | validate the array for _return |
fun jQuote(s: String?): String? { if (s == null) { return "null" } val ln = s.length val b = StringBuilder(ln + 4) b.append('"') for (i in 0 until ln) { val c = s[i] if (c == '"') { b.append("\\\"") } else if (c == '\\') { b.append("\\\\") } else if (c.code < 0x20) { if (c == '\n') { b.append("\\n") } else if (c == '\r') { b.append("\\r") } else if (c == '\f') { b.append("\\f") } else if (c == '\b') { b.append("\\b") } else if (c == '\t') { b.append("\\t") } else { b.append("\\u00") var x = c.code / 0x10 b.append(toHexDigit(x)) x = c.code and 0xF b.append(toHexDigit(x)) } } else { b.append(c) } } b.append('"') return b.toString() } | Quotes string as Java Language string literal . Returns string < code > '' null '' < /code > if < code > s < /code > is < code > null < /code > . |
fun partiallyApply(param1: T1?, param2: T2?): FluentFunction<T3?, R?>? { return FluentFunction(PartialApplicator.partial3(param1, param2, fn)) } | Partially apply the provided parameters to this BiFunction to generate a Function ( single input ) |
fun deleteFile(path: String?): Boolean { if (Handler_String.isBlank(path)) { return true } val file = File(path) if (!file.exists()) { return true } if (file.isFile()) { return file.delete() } if (!file.isDirectory()) { return false } for (f in file.listFiles()) { if (f.isFile()) { f.delete() } else if (f.isDirectory()) { deleteFile(f.getAbsolutePath()) } } return file.delete() } | delete file or directory < ul > < li > if path is null or empty , return true < /li > < li > if path not exist , return true < /li > < li > if path exist , delete recursion . return true < /li > < ul > |
private fun createCompactionClients(jmxConfig: CassandraJmxCompactionConfig): ImmutableSet<CassandraJmxCompactionClient?>? { val clients: MutableSet<CassandraJmxCompactionClient> = Sets.newHashSet() val servers: Set<InetSocketAddress> = config.servers() val jmxPort: Int = jmxConfig.port() for (addr in servers) { val client: CassandraJmxCompactionClient = createCompactionClient( addr.getHostString(), jmxPort, jmxConfig.username(), jmxConfig.password() ) clients.add(client) } return ImmutableSet.copyOf(clients) } | Return an empty set if no client can be created . |
fun hashKeyForDisk(key: String): String? { var cacheKey: String? try { val mDigest: MessageDigest = MessageDigest.getInstance("MD5") mDigest.update(key.toByteArray()) cacheKey = bytesToHexString(mDigest.digest()) } catch (e: NoSuchAlgorithmException) { cacheKey = key.hashCode().toString() } return cacheKey } | A hashing method that changes a string ( like a URL ) into a hash suitable for using as a disk filename . |
@Nullable fun space(): String? { return space } | Gets swap space name . |
@Throws(Exception::class) fun runSafely(stack: Catbert.FastStack?): Any? { val si: SeriesInfo = getSeriesInfo(stack) return if (si == null) "" else si.getDescription() } | Returns the description for the specified SeriesInfo |
@Throws(AppsForYourDomainException::class, ServiceException::class, IOException::class) fun restoreUser(username: String): UserEntry? { LOGGER.log(Level.INFO, "Restoring user '$username'.") val retrieveUrl = URL(domainUrlBase.toString() + "user/" + SERVICE_VERSION + "/" + username) val userEntry: UserEntry = userService.getEntry(retrieveUrl, UserEntry::class.java) userEntry.getLogin().setSuspended(false) val updateUrl = URL(domainUrlBase.toString() + "user/" + SERVICE_VERSION + "/" + username) return userService.update(updateUrl, userEntry) } | Restores a user . Note that executing this method for a user who is not suspended has no effect . |
fun weightedFMeasure(): Double { val classCounts = DoubleArray(m_NumClasses) var classCountSum = 0.0 for (i in 0 until m_NumClasses) { for (j in 0 until m_NumClasses) { classCounts[i] += m_ConfusionMatrix.get(i).get(j) } classCountSum += classCounts[i] } var fMeasureTotal = 0.0 for (i in 0 until m_NumClasses) { val temp: Double = fMeasure(i) fMeasureTotal += temp * classCounts[i] } return fMeasureTotal / classCountSum } | Prevents this class from being instantiated , except by the create method in this class . |
@DSSafe(DSCat.DATA_STRUCTURE) @DSGenerator( tool_name = "Doppelganger", tool_version = "2.0", generated_on = "2013-12-30 12:55:08.711 -0500", hash_original_method = "05A7D65C6D911E0B1F3261A66888CB52", hash_generated_method = "3AFFFBA2DDE5D54646A6F203B3BBAF40" ) fun lastIndexOf(obj: Any?): Int { return this.hlist.lastIndexOf(obj) } | Calculates the macro weighted ( by class size ) average F-Measure . |
@DSSafe(DSCat.DATA_STRUCTURE) @DSGenerator( tool_name = "Doppelganger", tool_version = "2.0", generated_on = "2013-12-30 12:55:08.711 -0500", hash_original_method = "05A7D65C6D911E0B1F3261A66888CB52", hash_generated_method = "3AFFFBA2DDE5D54646A6F203B3BBAF40" ) fun lastIndexOf(obj: Any?): Int { return this.hlist.lastIndexOf(obj) } | Get the last index of the given object . |
fun showNextButton(showNextButton: Boolean): Builder? { showNextButton = showNextButton return this } | Set the visibility of the next button |
fun createSmallLob(type: Int, small: ByteArray?, precision: Long): ValueLobDb? { return ValueLobDb(type, small, precision) } | Create a LOB object that fits in memory . |
fun invDct8x8(input: Array<DoubleArray>, output: Array<IntArray>) { val temp = Array(NJPEG) { DoubleArray( NJPEG ) } var temp1 = 0.0 var i = 0 var j = 0 var k = 0 i = 0 while (i < NJPEG) { j = 0 while (j < NJPEG) { temp[i][j] = 0.0 k = 0 while (k < NJPEG) { temp[i][j] += input[i][k] * this.C.get(k).get(j) k++ } j++ } i++ } i = 0 while (i < NJPEG) { j = 0 while (j < NJPEG) { temp1 = 0.0 k = 0 while (k < NJPEG) { temp1 += this.Ct.get(i).get(k) * temp[k][j] k++ } temp1 += 128.0 output[i][j] = com.sun.imageio.plugins.common.ImageUtil.pixelRange(round(temp1)) j++ } i++ } } | Perform inverse DCT on the 8x8 matrix |
fun openDataFile(): InputStream? { val stream: InputStream = SantaFeExample::class.java.getResourceAsStream("santafe.trail") if (stream == null) { System.err.println("Unable to find the file santafe.trail.") System.exit(-1) } return stream } | Returns an input stream that contains the ant trail data file . |
fun ProductionRule( name: String?, data: GameData?, results: IntegerMap<NamedAttachable?>, costs: IntegerMap<jdk.internal.loader.Resource?> ) { super(name, data) m_results = results m_cost = costs } | Creates new ProductionRule |
fun RootConfiguration(ai: ApplicationInformation?) { this(ai, getDefaultContexts(applicationClass(ai, CommonUtils.getCallingClass(2)))) } | Initializes the root configuration with default context relative to the calling ( instantiating class ) . |
fun addString(word: String?, t: Tuple?) { val leaf = TrieLeaf(word, t) addLeaf(root, leaf, 0) } | Add a new word to the trie , associated with the given Tuple . |
@Throws(InterruptedException::class) fun waitOnInitialization() { this.initializationLatch.await() } | Wait for the tracker to finishe being initialized |
@Throws(ExecutionException::class) fun execute(event: ExecutionEvent): Any? { val viewPart: IWorkbenchPart = HandlerUtil.getActivePart(event) if (viewPart is DroidsafeInfoOutlineViewPart) { val command: Command = event.getCommand() val oldValue: Boolean = HandlerUtil.toggleCommandState(command) (viewPart as DroidsafeInfoOutlineViewPart).setLongLabel(!oldValue) } return null } | Command implementation . Retrieves the value of the parameter value , and delegates to the view to set the correct value for the methods labels . |
protected fun eStaticClass(): EClass? { return UmplePackage.eINSTANCE.getCodeLang_() } | < ! -- begin-user-doc -- > < ! -- end-user-doc -- > |
@Throws(IOException::class) private fun streamToBytes(`in`: InputStream, length: Int): ByteArray? { val bytes = ByteArray(length) var count: Int var pos = 0 while (pos < length && `in`.read(bytes, pos, length - pos).also { count = it } != -1) { pos += count } if (pos != length) { throw IOException("Expected $length bytes, read $pos bytes") } return bytes } | Reads the contents of an InputStream into a byte [ ] . |
@Throws(Exception::class) fun testUpdatePathDoesNotExist() { val props: Map<String, String> = properties("owner", "group", "0555") assert(igfs.update(SUBDIR, props) == null) checkNotExist(igfs, igfsSecondary, SUBDIR) } | Check that exception is thrown in case the path being updated does n't exist remotely . |
@Throws(InterruptedException::class) fun stopProcess() { latch.await() if (this.process != null) { println("ProcessThread.stopProcess() will kill process") this.process.destroy() } } | Stops the process . |
fun run() { amIActive = true var inputHeader: String? = null var outputHeader: String? = null var row: Int var col: Int var x: Int var y: Int var progress = 0 var z: Double var i: Int var c: Int val dX = intArrayOf(1, 1, 1, 0, -1, -1, -1, 0) val dY = intArrayOf(-1, 0, 1, 1, 1, 0, -1, -1) var zFactor = 0.0 var slopeThreshold = 0.0 var profCurvThreshold = 0.0 var planCurvThreshold = 0.0 val radToDeg = 180 / Math.PI if (args.length <= 0) { showFeedback("Plugin parameters have not been set.") return } i = 0 while (i < args.length) { if (i == 0) { inputHeader = args.get(i) } else if (i == 1) { outputHeader = args.get(i) } else if (i == 2) { zFactor = args.get(i).toDouble() } else if (i == 3) { slopeThreshold =args.get(i).toDouble() } else if (i == 4) { profCurvThreshold = args.get(i).toDouble() } else if (i == 5) { planCurvThreshold = args.get(i).toDouble() ] } i++ } if (inputHeader == null || outputHeader == null) { showFeedback("One or more of the input parameters have not been set properly.") return } try { val DEM = WhiteboxRaster(inputHeader, "r")val rows: Int = DEM.getNumberRows() val cols: Int = DEM.getNumberColumns() val noData: Double = DEM.getNoDataValue() val gridResX: Double = DEM.getCellSizeX() val gridResY: Double = DEM.getCellSizeY() val diagGridRes = Math.sqrt(gridResX * gridResX + gridResY * gridResY) val gridLengths = doubleArrayOf( diagGridRes, gridResX, diagGridRes, gridResY, diagGridRes, gridResX, diagGridRes, gridResY ) var Zx: Double var Zy: Double var Zxx: Double var Zyy: Double var Zxy: Double var p: Double var Zx2: Double var q: Double var Zy2: Double var fx: Double var fy: Double val gridResTimes2 = gridResX * 2 val gridResSquared = gridResX * gridResX val fourTimesGridResSquared = gridResSquared * 4 var planCurv: Double var profCurv: Double var slope: Double val eightGridRes = 8 * gridResX val N = DoubleArray(8) val output = WhiteboxRaster(outputHeader, "rw", inputHeader, WhiteboxRaster.DataType.FLOAT, -999) output.setPreferredPalette("landclass.pal") output.setDataScale(WhiteboxRaster.DataScale.CONTINUOUS) row = 0 while (row < rows) { col = 0 while (col < cols) { z = DEM.getValue(row, col) if (z != noData) { z = z * zFactor c = 0 while (c < 8) { N[c] = DEM.getValue(row + dY[c], col + dX[c]) if (N[c] != noData) { N[c] = N[c] * zFactor } else { N[c] = z } c++ } Zx = (N[1] - N[5]) / gridResTimes2 Zy = (N[7] - N[3]) / gridResTimes2 Zxx = (N[1] - 2 * z + N[5]) / gridResSquared Zyy = (N[7] - 2 * z + N[3]) / gridResSquared Zxy = (-N[6] + N[0] + N[4] - N[2]) / fourTimesGridResSquared Zx2 = Zx * Zx Zy2 = Zy * Zy p = Zx2 + Zy2 q = p + 1 if (p > 0) { fy = (N[6] - N[4] + 2 * (N[7] - N[3]) + N[0] - N[2]) / eightGridRes fx = (N[2] - N[4] + 2 * (N[1] - N[5]) + N[0] - N[6]) / eightGridRes slope = Math.atan(Math.sqrt(fx * fx + fy * fy)) slope = slope * radToDeg planCurv = -1 * (Zxx * Zy2 - 2 * Zxy * Zx * Zy + Zyy * Zx2) / Math.pow(p, 1.5) planCurv = planCurv * radToDeg profCurv = -1 * (Zxx * Zx2 + 2 * Zxy * Zx * Zy + Zyy * Zy2) / Math.pow( p * q, 1.5 ) profCurv = profCurv * radToDeg if (profCurv < -profCurvThreshold && planCurv <= -planCurvThreshold and slope > slopeThreshold) { output.setValue(row, col, 1) } else if (profCurv < -profCurvThreshold && planCurv > planCurvThreshold && slope > slopeThreshold) { output.setValue(row, col, 2) } else if (profCurv > profCurvThreshold && planCurv <= planCurvThreshold && slope > slopeThreshold) { output.setValue(row, col, 3) } else if (profCurv > profCurvThreshold && planCurv > planCurvThreshold && slope > slopeThreshold) { output.setValue(row, col, 4) } else if (profCurv >= -profCurvThreshold && profCurv < profCurvThreshold && slope > slopeThreshold && planCurv <= -planCurvThreshold) { output.setValue(row, col, 5) } else if (profCurv >= -profCurvThreshold && profCurv < profCurvThreshold && slope > slopeThreshold && planCurv > planCurvThreshold) { output.setValue(row, col, 6) } else if (slope <= slopeThreshold) { output.setValue(row, col, 7) } else { output.setValue(row, col, noData) } } else { output.setValue(row, col, noData) } } col++ } if (cancelOp) { cancelOperation() return } progress = (100f * row / (rows - 1)).toInt() updateProgress(progress) row++ } output.addMetadataEntry("Created by the " + getDescriptiveName().toString() + " tool.") output.addMetadataEntry("Created on " + Date()) DEM.close() output.close() returnData(outputHeader) var retstr = "LANDFORM CLASSIFICATION KEY\n" retstr += "\nValue:\tClass" retstr += "\n1\tConvergent Footslope" retstr += "\n2\tDivergent Footslope" retstr += "\n3\tConvergent Shoulder" retstr += "\n4\tDivergent Shoulder" retstr += "\n5\tConvergent Backslope" retstr += "\n6\tDivergent Backslope" retstr += "\n7\tLevel" returnData(retstr) } catch (oe: OutOfMemoryError) { myHost.showFeedback("An out-of-memory error has occurred during operation.") } catch (e: Exception) { myHost.showFeedback("An error has occurred during operation. See log file for details.") myHost.logException("Error in " + getDescriptiveName(), e) } finally { updateProgress("Progress: ", 0) amIActive = false myHost.pluginComplete() } } | Used to execute this plugin tool . |
fun reduce(r1: R?, r2: R?): R? { return r1 } | Reduces two results into a combined result . The default implementation is to return the first parameter . The general contract of the method is that it may take any action whatsoever . |
@Throws(IOException::class) fun numParameters(num: Int) { output.write(num) } | Writes < code > num_parameters < /code > in < code > Runtime ( In ) VisibleParameterAnnotations_attribute < /code > . This method must be followed by < code > num < /code > calls to < code > numAnnotations ( ) < /code > . |
fun ResultFormatter(result: Any) { result = result printHeader = true } | Creates a new formatter for a particular object . |
Subsets and Splits