Dataset Viewer
Auto-converted to Parquet
Code_Function
stringlengths
13
13.9k
Message
stringlengths
10
1.46k
@KnownFailure("Fixed on DonutBurger, Wrong Exception thrown") fun`test_unwrap_ByteBuffer$ByteBuffer_02`() { val host = "new host" val port = 8080 val bbs: ByteBuffer = ByteBuffer.allocate(10) val bbR: ByteBuffer = ByteBuffer.allocate(100).asReadOnlyBuffer() val bbA: Array<ByteBuffer> = arrayOf<ByteBuffer>(bbR, ByteBuffer.allocate(10), ByteBuffer.allocate(100)) val sse: SSLEngine = sun.jvm.hotspot.utilities.soql.SOQLEngine.getEngine(host, port) sse.setUseClientMode(true) try { sse.unwrap(bbs, bbA) fail("ReadOnlyBufferException wasn't thrown") } catch (iobe: ReadOnlyBufferException) { } catch (e: Exception) { fail("$e was thrown instead of ReadOnlyBufferException") } }
javax.net.ssl.SSLEngine # unwrap ( ByteBuffer src , ByteBuffer [ ] dsts ) ReadOnlyBufferException should be thrown .
fun make(bits: Int): CstFloat? { return CstFloat(bits)}
Makes an instance for the given value . This may ( but does not necessarily ) return an already-allocated instance .
fun size(): Long { var size: Long = 0 if (parsedGeneExpressions == null) parseGenes() for (i in 0 until parsedGeneExpressions.length) size += parsedGeneExpressions.get(i).numberOfNodes() return size}
Returns the `` size '' of the chromosome , namely , the number of nodes in all of its parsed genes -- does not include the linking functions .
fun increment(view: View?) { if (quantity === 100) { return } quantity = quantity + 1 displayQuantity(quantity) }
This method is called when the plus button is clicked .
fun trimToSize() { ++modCount if (size < elementData.length) { elementData = Arrays.copyOf(elementData, size) } }
Trims the capacity of this < tt > ArrayHashList < /tt > instance to be the list 's current size . An application can use this operation to minimize the storage of an < tt > ArrayHashList < /tt > instance .
fun SyncValueResponseMessage(other: SyncValueResponseMessage) { __isset_bitfield = other.__isset_bitfield if (other.isSetHeader()) { this.header = AsyncMessageHeader(other.header) } this.count = other.count }
Performs a deep copy on < i > other < /i > .
fun clearParsers() { if (parserManager != null) { parserManager.clearParsers() } }
Removes all parsers from this text area .
fun run() { while (doWork) { deliverLock() while (tomLayer.isRetrievingState()) { println("-- Retrieving State") canDeliver.awaitUninterruptibly() if (tomLayer.getLastExec() === -1) println("-- Ready to process operations") } try { val decisions: ArrayList<Decision> = ArrayList<Decision>() decidedLock.lock() if (decided.isEmpty()) { notEmptyQueue.await() } decided.drainTo(decisions) decidedLock.unlock() if (!doWork) break if (decisions.size() > 0) { val requests: Array<Array<TOMMessage>> = arrayOfNulls<Array<TOMMessage>>(decisions.size()) val consensusIds = IntArray(requests.size) val leadersIds = IntArray(requests.size) val regenciesIds = IntArray(requests.size) var cDecs: Array<CertifiedDecision?> cDecs = arrayOfNulls<CertifiedDecision>(requests.size) var count = 0 for (d in decisions) { requests[count] = extractMessagesFromDecision(d) consensusIds[count] = d.getConsensusId() leadersIds[count] = d.getLeader() regenciesIds[count] = d.getRegency() val cDec = CertifiedDecision( this.controller.getStaticConf().getProcessId(), d.getConsensusId(), d.getValue(), d.getDecisionEpoch().proo ) cDecs[count] = cDec if (requests[count][0].equals(d.firstMessageProposed)) { val time: Long = requests[count][0].timestamp val seed: Long = requests[count][0].seed val numOfNonces: Int = requests[count][0].numOfNonces requests[count][0] = d.firstMessageProposed requests[count][0].timestamp = time requests[count][0].seed = seed requests[count][0].numOfNonces = numOfNonces } count++ } val lastDecision: Decision = decisions[decisions.size() - 1] if (requests != null && requests.size > 0) { deliverMessages(consensusIds, regenciesIds, leadersIds, cDecs, requests) if (controller.hasUpdates()) { processReconfigMessages(lastDecision.getConsensusId()) tomLayer.setLastExec(lastDecision.getConsensusId()) tomLayer.setInExec(-1) } } val cid: Int = lastDecision.getConsensusId() if (cid > 2) { val stableConsensus = cid – 3 tomLayer.execManager.removeConsensus(stableConsensus) } } } catch (e: Exception) { e.printStackTrace(System.err) } deliverUnlock() } Logger.getLogger(DeliveryThread::class.java.getName()).log(Level.INFO, "DeliveryThread stopped.") }
This is the code for the thread . It delivers decisions to the TOM request receiver object ( which is the application )
Throws(GeneralSecurityException::class, EncryptionUnsupportedByProductException::class) private fun calculateUValue( generalKey: ByteArray, firstDocIdValue: ByteArray?, revision: Int ): ByteArray? { return if (revision == 2) { val rc4: Cipher = createRC4Cipher() val key: SecretKey = createRC4Key(generalKey) initEncryption(rc4, key) crypt(rc4, PW_PADDING) } else if (revision >= 3) { val md5: MessageDigest = createMD5Digest() md5.update(PW_PADDING) if (firstDocIdValue != null) { md5.update(firstDocIdValue) } val hash: ByteArray = md5.digest() val rc4: Cipher = createRC4Cipher() val key: SecretKey = createRC4Key(generalKey) initEncryption(rc4, key) val v: ByteArray = crypt(rc4, hash) rc4shuffle(v, generalKey, rc4) assert(v.size == 16) val entryValue = ByteArray(32) System.arraycopy(v, 0, entryValue, 0, v.size) System.arraycopy(v, 0, entryValue, 16, v.size) entryValue } else { throw EncryptionUnsupportedByProductException("Unsupported standard security handler revision $revision") } }
Calculate what the U value should consist of given a particular key and document configuration . Correponds to Algorithms 3.4 and 3.5 of the PDF Reference version 1.7
private fun assign(labelMap: HashMap<String, DBIDs>, label: String, id: DBIDRef) { if (labelMap.containsKey(label)) { val exist: DBIDs? = labelMap[label] if (exist is DBID) { val n: ModifiableDBIDs = DBIDUtil.newHashSet() n.add(exist as DBID?) n.add(id) labelMap[label] = n } else { assert(exist is HashSetModifiableDBIDs) assert(exist.size() > 1) (exist as ModifiableDBIDs?).add(id) } } else { labelMap[label] = DBIDUtil.deref(id) } }
Assigns the specified id to the labelMap according to its label
private fun showFeedback(message: String) { if (myHost != null) { myHost.showFeedback(message) } else { println(message) } }
Used to communicate feedback pop-up messages between a plugin tool and the main Whitebox user-interface .
fun CDeleteAction(debuggerProvider: BackEndDebuggerProvider?, rows: IntArray) { super(if (rows.size == 1) "Remove Breakpoint" else "Remove Breakpoints") m_debuggerProvider = Preconditions.checkNotNull( debuggerProvider,”IE01344: Debugger provider argument can not be null) m_rows = rows.clone() }
Creates a new action object .
fun Yaml( constructor: BaseConstructor, representer: Representer, dumperOptions: DumperOptions, resolver: Resolver ) { if (!constructor.isExplicitPropertyUtils()) { constructor.setPropertyUtils(representer.getPropertyUtils()) } else if (!representer.isExplicitPropertyUtils()) { representer.setPropertyUtils(constructor.getPropertyUtils()) } constructor = constructor representer.setDefaultFlowStyle(dumperOptions.getDefaultFlowStyle()) representer.setDefaultScalarStyle(dumperOptions.getDefaultScalarStyle()) representer.getPropertyUtils().setAllowReadOnlyProperties(dumperOptions.isAllowReadOnlyProperties()) representer.setTimeZone(dumperOptions.getTimeZone()) representer = representer dumperOptions = dumperOptions resolver = resolver this.name = "Yaml:" + System.identityHashCode(this) }
Create Yaml instance . It is safe to create a few instances and use them in different Threads .
fun testHitEndAfterFind() { hitEndTest(true, "#01.0", "r((ege)|(geg))x", "regexx", false) hitEndTest(true, "#01.1", "r((ege)|(geg))x", "regex", false) hitEndTest(true, "#01.2", "r((ege)|(geg))x", "rege", true) hitEndTest(true, "#01.2", "r((ege)|(geg))x", "xregexx", false) hitEndTest(true, "#02.0", "regex", "rexreger", true) hitEndTest(true, "#02.1", "regex", "raxregexr", false) val floatRegex: String = getHexFloatRegex() hitEndTest(true, "#03.0", floatRegex, java.lang.Double.toHexString(-1.234), true) hitEndTest( true, "#03.1", floatRegex, "1 ABC" + java.lang.Double.toHexString(Double.NaN) + "buhuhu", false ) hitEndTest(true, "#03.2", floatRegex, java.lang.Double.toHexString(-0.0) + "--", false) hitEndTest( true, "#03.3", floatRegex, "--" + java.lang.Double.toHexString(Double.MIN_VALUE) + "--", fals ) hitEndTest( true, "#04.0", "(\\d+) fish (\\d+) fish (\\w+) fish (\\d+)", "1 fish 2 fish red fish 5", tru ) hitEndTest( true, "#04.1", "(\\d+) fish (\\d+) fish (\\w+) fish (\\d+)", "----1 fish 2 fish red fish 5----", fals ) }
Regression test for HARMONY-4396
fun add(individual: Individual?) { individuals.add(individual) }
Adds a single individual .
fun removeSession(sesId: IgniteUuid?): Boolean { val ses: GridTaskSessionImpl = sesMap.get(sesId) assert(ses == null || ses.isFullSupport()) if (ses != null && ses.release()) { sesMap.remove(sesId, ses) return true } return false }
Removes session for a given session ID .
@Throws(ImageLoadException::class) fun loadBitmapOptimized(uri: Uri?, context: Context?, limit: Int): Bitmap? { return loadBitmapOptimized(object : UriSource(uri, context) {}, limit) }
Loading bitmap with optimized loaded size less than specific pixels count
protected fun BasePeriod(duration: Long) { super() iType = PeriodType.standard() val values: IntArray = ISOChronology.getInstanceUTC().get(DUMMY_PERIOD, duration) iValues = IntArray(8) System.arraycopy(values, 0, iValues, 4, 4) }
Creates a period from the given millisecond duration with the standard period type and ISO rules , ensuring that the calculation is performed with the time-only period type . < p > The calculation uses the hour , minute , second and millisecond fields .
fun FlatBufferBuilder() { this(1024) }
Start with a buffer of 1KiB , then grow as required .
fun PbrpcConnectionException(arg0: String?, arg1: Throwable?) { super(arg0, arg1) }
Creates a new instance of PbrpcConnectionException .
fun uninstallUI(a: javax.swing.JComponent?) { for (i in 0 until uis.size()) { (uis.elementAt(i) as javax.swing.plaf.ComponentUI).uninstallUI(a) } }
Invokes the < code > uninstallUI < /code > method on each UI handled by this object .
fun shutdown() { if (instance != null) { instance.save() } }
Saves the configuration file .
fun GE(w2: org.graalvm.compiler.word.Word): Boolean { return value.GE(w2.value) }
Greater-than or equal comparison
fun of(elementCoders: List<Coder<*>?>?): UnionCoder? { return UnionCoder(elementCoders) }
Builds a union coder with the given list of element coders . This list corresponds to a mapping of union tag to Coder . Union tags start at 0 .
@Throws(Exception::class) fun testFileDeletion() { val testDir: File = createTestDir("testFileDeletion") val prefix1 = "testFileDeletion1" val files1: Array<File> = createFiles(testDir, prefix1, 5) val prefix2 = "testFileDeletion2" val files2: Array<File> = createFiles(testDir, prefix2, 5) FileCommands.deleteFiles(files1, true) assertNotExists(files1) FileCommands.deleteFiles(files2, false) Thread.sleep(1000) assertNotExists(files2) }
Verify ability to delete a list of files .
fun isOnClasspath(classpath: String?): Boolean { return classpath.equals(classpath) }
Evaluates if the Dependency is targeted for a classpath type .
protected fun source(ceylon: String) { val providerPreSrc = "provider/" + ceylon + "_pre.ceylon" val providerPostSrc = "provider/" + ceylon + "_post.ceylon" val clientSrc = "client/" + ceylon + "_client.ceylon" compile(providerPreSrc, providerModuleSrc, providerPackageSrc) compile(clientSrc, clientModuleSrc) compile(providerPostSrc, providerModuleSrc, providerPackageSrc) compile(clientSrc, clientModuleSrc) }
Checks that we can still compile a client after a change
fun PerformanceMonitor() { initComponents() if (Display.getInstance().getCurrent() != null) { refreshFrameActionPerformed(null) } resultData.setModel(Model()) performanceLog.setLineWrap(true) resultData.setRowSorter(javax.swing.table.TableRowSorter<Model>(resultData.getModel() as Model)) }
Creates new form PerformanceMonitor
"@DSGenerator( tool_name = "Doppelganger", tool_version = "2.0", generated_on = "2014-09-03 15:01:15.190 -0400", hash_original_method = "F262A3A18BABECF7EC492736953EAF6E",hash_generated_method = "94A4545C167C029CC38AACEACF2087E9") private fun unparkSuccessor(node: Node) {val ws: Int = node.waitStatus if (ws < 0) compareAndSetWaitStatus(node, ws, 0) var s: Node? = node.next if (s == null || s.waitStatus > 0) { s = null var t: Node = tail while (t != null && t !== node) { if (t.waitStatus <= 0) s = t t = t.prev } } if (s != null) LockSupport.unpark(s.thread) }
Wakes up node 's successor , if one exists .
@DSComment("From safe class list") @DSSafe(DSCat.SAFE_LIST) @DSGenerator( tool_name = "Doppelganger", tool_version = "2.0", generated_on = "2013-12-30 13:02:44.364 -0500", hash_original_method = "EA3734ADDEB20313C9CAB09B48812C54", hash_generated_method = "4858AFE909DDE63867ACB561D5449C13" ) fun assertFalse(message: String?, condition: Boolean) { assertTrue(message, !condition) }
Asserts that a condition is false . If it is n't it throws an AssertionFailedError with the given message .
protected fun initData() { val intent = Intent(this, PushMessageService::class.java) this.startService(intent) this.bindService(intent, this.connection, Context.BIND_AUTO_CREATE) }
Initialize the Activity data
@Throws(ParseException::class) fun parseDateDay(dateString: String?): Date? { return getSimplDateFormat(DF_DEF).parse(dateString) }
Returns date parsed from string in format : yyyy.MM.dd .
private fun doesStoragePortExistsInVArray( umfsStoragePort: StoragePort, virtualArray: VirtualArray ): Boolean { val virtualArrayPorts: List<URI> = returnAllPortsInVArray(virtualArray.getId()) return if (virtualArrayPorts.contains(umfsStoragePort.getId())) { true } else false }
Checks if the given storage port is part of VArray
@Throws(ServiceException::class) fun SpringVaadinServletService( servlet: VaadinServlet?, deploymentConfiguration: DeploymentConfiguration?, serviceUrl: String ) { super(servlet, deploymentConfiguration) serviceUrl = serviceUrl }
Create a servlet service instance that allows the use of a custom service URL .
@Throws(InternalTranslationException::class) private fun translateChildrenOfNode( environment: ITranslationEnvironment, expression: IOperandTreeNode, size: org.graalvm.compiler.asm.amd64.AMD64Assembler.OperandSize, loadOperand: Boolean, baseOffset: Long ): List<TranslationResult>? { var baseOffset: Long? = baseOffset val partialResults: MutableList<TranslationResult> = ArrayList() val children: List<IOperandTreeNode?> = expression.getChildren() Collections.sort(children, comparator) for (child in children) { val nextResult: TranslationResult = loadOperand( environment, baseOffset, child, if (isSegmentExpression(expression.getValue())) expression else null, size, loadOperand ) partialResults.add(nextResult) baseOffset += nextResult.getInstructions().size() } return partialResults }
Iterates over the children of a node in the operand tree and generates translations for them .
fun removeShutdownLatch(latch: CountDownLatch?) { removeShutdownLatch(latch, false) }
Releases the latch and removes it from the latches being handled by this handler .
fun Version() { this(CommonReflection.getVersionTag()) }
Constructs a new Version from the current server version running
fun startActivity(context: Context, chatId: String?) { val intent = Intent(context, SendGroupFile::class.java) intent.putExtra(EXTRA_CHAT_ID, chatId) context.startActivity(intent) }
Start SendGroupFile activity
fun excludedDataCenters(excludedDataCenters: String?): Index? { excludedDataCenters = excludedDataCenters return this }
Sets the list of excluded data centers .
@Throws(IOException::class) fun read(): Int { val result: Int = src.read() if (result != -1) { ++pointer } return result }
Forwards the request to the real < code > InputStream < /code > .
fun compareAndSwapInt(obj: Any?, off: Long, exp: Int, upd: Int): Boolean { return UNSAFE.compareAndSwapInt(obj, off, exp, upd) }
Integer CAS .
fun dec2Bin(value: Int): String? { val result = "" return dec2Bin(value, result) }
Methods converts a decimal number into a binary number as a string
fun apply(recyclerView: RecyclerView, items: Iterable<Item>?) { if (items != null) { val cache: HashMap<Int, Stack<RecyclerView.ViewHolder>> = HashMap() for (d in items) { if (!cache.containsKey(d.getType())) { cache[d.getType()] = Stack<RecyclerView.ViewHolder>() } if (mCacheSize === -1 || cache[d.getType()].size() <= mCacheSize) { cache[d.getType()].push(d.getViewHolder(recyclerView)) } val recyclerViewPool = RecycledViewPool() for ((key, value): Map.Entry<Int?, Stack<RecyclerView.ViewHolder?>> in cache.entrySet()) { recyclerViewPool.setMaxRecycledViews(key!!, mCacheSize) for (holder in value) { recyclerViewPool.putRecycledView(holder) } value.clear() } cache.clear() recyclerView.setRecycledViewPool(recyclerViewPool) } } }
init the cache on your own .
fun incNumOverflowOnDisk(delta: Long) { this.stats.incLong(numOverflowOnDiskId, delta) }
Increments the current number of entries whose value has been overflowed to disk by a given amount .
fun paint(a: java.awt.Graphics?, b: javax.swing.JComponent?) { for (i in 0 until uis.size()) { (uis.elementAt(i) as javax.swing.plaf.ComponentUI).paint(a, b) } }
Invokes the < code > paint < /code > method on each UI handled by this object .
fun updateUI() { setUI(javax.swing.UIManager.getUI(this) as javax.swing.plaf.TableHeaderUI) val renderer: javax.swing.table.TableCellRenderer = getDefaultRenderer() if (renderer is Component) { javax.swing.SwingUtilities.updateComponentTreeUI(renderer as Component) } }
Notification from the < code > UIManager < /code > that the look and feel ( L & amp ; F ) has changed . Replaces the current UI object with the latest version from the < code > UIManager < /code > .
fun create(status: IStatus): RefactoringStatus? { if (status.isOK()) return RefactoringStatus() return if (!status.isMultiStatus()) { when (status.getSeverity()) { IStatus.OK -> RefactoringStatus() IStatus.INFO -> RefactoringStatus.createWarningStatus(status.getMessage()) IStatus.WARNING -> RefactoringStatus.createErrorStatus(status.getMessage()) IStatus.ERROR -> RefactoringStatus.createFatalErrorStatus(status.getMessage()) IStatus.CANCEL -> RefactoringStatus.createFatalErrorStatus(status.getMessage()) else -> RefactoringStatus.createFatalErrorStatus(status.getMessage()) } } else { val children: Array<IStatus> = status.getChildren() val result = RefactoringStatus() for (i in children.indices) { result.merge(RefactoringStatus.create(children[i])) } Result } }
Creates a new < code > RefactoringStatus < /code > from the given < code > IStatus < /code > . An OK status is mapped to an OK refactoring status , an information status is mapped to a warning refactoring status , a warning status is mapped to an error refactoring status and an error or cancel status is mapped to a fatal refactoring status . An unknown status is converted into a fatal error status as well . If the status is a < code > MultiStatus < /code > then the first level of children of the status will be added as refactoring status entries to the created refactoring status .
fun debug(msg: String?) { debugLogger.debug(msg) }
Log a Setup and/or administrative log message for log4jdbc .
fun size(): Int { return codon.length }
Returns the length of the integer codon representation of this grammar .
@Throws(UnsupportedEncodingException::class, DecodingException::class)fun decode(): jdk.internal.org.jline.utils.DiffHelper.Diff? { val header: Int = r.read(3) if (DiffAction.parse(header) !== DiffAction.DECODER_DATA) { throw DecodingException("Invalid codecData code: $header") } val blockSize_C = 3 val blockSize_S: Int = r.read(5) val blockSize_E: Int = r.read(5) val blockSize_B: Int = r.read(5) val blockSize_L: Int = r.read(5) r.read(1) if (blockSize_S < 0 || blockSize_S > 31) { throw DecodingException("blockSize_S out of range: $blockSize_S") } if (blockSize_E < 0 || blockSize_E > 31) { throw DecodingException("blockSize_E out of range: $blockSize_E") } if (blockSize_B < 0 || blockSize_B > 31) { throw DecodingException("blockSize_B out of range: $blockSize_B") } if (blockSize_L < 0 || blockSize_L > 31) { throw DecodingException("blockSize_L out of range: $blockSize_L") } return decode(blockSize_C, blockSize_S, blockSize_E, blockSize_B, blockSize_L) }
Decodes the information and returns the Diff .
fun FontSizeLocator() {}
Creates a new instance .
fun <E : Comparable<E>?> createAutoSortedCollection(values: Collection<E>?): AutoSortedCollection<E>? { return createAutoSortedCollection(null, values) }
Construct new auto sorted collection using natural order .
override fun toString(): String? { return super.toString() }
Returns the super class implementation of toString ( ) .
fun useLayoutEditor(destination: SignalMast?): Boolean { return if (!destList.containsKey(destination)) { false } else destList.get(destination).useLayoutEditor() }
Query if we are using the layout editor panels to build the signal mast logic , blocks , turnouts .
private fun unescapePathComponent(name: String): String? { return name.replace("\\\\(.)".toRegex(), "$1") }
Convert a path component that contains backslash escape sequences to a literal string . This is necessary when you want to explicitly refer to a path that contains globber metacharacters .
fun AbstractExampleTable(attributes: List<Attribute?>?) { addAttributes(attributes) }
Creates a new ExampleTable .
fun zoomOut() { val save: Matrix = mViewPortHandler.zoomOut(getWidth() / 2f, -(getHeight() / 2f)) mViewPortHandler.refresh(save, this, true) }
Zooms out by 0.7f , from the charts center . center .
@Throws(IOException::class) fun createBackgroundMedia(uri: String?): Media? { return impl.createBackgroundMedia(uri) }
Creates an audio media that can be played in the background .
private fun hasNextTlsMode(): Boolean { return nextTlsMode !== TLS_MODE_NULL }
Returns true if there 's another TLS mode to try .
protected fun copyToOpsw() { opsw.get(1) = fullmode.isSelected() opsw.get(2) = twoaspects.isSelected() opsw.get(11) = semaphore.isSelected() opsw.get(12) = pulsed.isSelected() opsw.get(13) = disableDS.isSelected() opsw.get(14) = fromloconet.isSelected() opsw.get(15) = disablelocal.isSelected() opsw.get(17) = sigaddress.isSelected() opsw.get(18) = bcastaddress.isSelected() opsw.get(19) = semaddress.isSelected() opsw.get(20) = setdefault.isSelected() opsw.get(21) = exercise.isSelected() var value: Int = section1to4mode.getSelectedIndex() opsw.get(5) = value and 0x01 != 0 opsw.get(4) = value and 0x02 != 0 opsw.get(3) = value and 0x04 != 0 value = section5to8mode.getSelectedIndex() opsw.get(8) = value and 0x01 != 0 opsw.get(7) = value and 0x02 != 0 opsw.get(6) = value and 0x04 != 0 value = fourthAspect.getSelectedIndex() opsw.get(10) = value and 0x01 != 0 opsw.get(9) = value and 0x02 != 0 }
Copy from the GUI to the opsw array . < p > Used before write operations start
override fun onRequestPermissionsResult( requestCode: Int, permissions: Array<String?>, grantResults: IntArray ) { if (requestCode == ALLOW_PERMISSIONS && grantResults.size > 0) { val permissionsNotAllowed: MutableList<String?> = ArrayList() for (i in permissions.indices) { if (grantResults[i] == PackageManager.PERMISSION_DENIED) { permissionsNotAllowed.add(permissions[i]) } } if (permissionsNotAllowed.isEmpty()) { initEvent() } else { permissionNotEnabled() } } else { permissionNotEnabled() } }
This method is a callback . Check the user 's answer after requesting permission .
fun rowGet(key: String?): String? { val resolvedKey: String = resolveRowKey(key) val cachedValue: String = rowMapCache.get(resolvedKey) if (cachedValue != null) { return cachedValue } var value: String = rowMap.get(resolvedKey) if (value == null && jdk.javadoc.internal.doclets.toolkit.util.DocPath.parent != null) { value = jdk.javadoc.internal.doclets.toolkit.util.DocPath.parent.rowGet(resolvedKey) } if (value == null) { return null } val expandedString: String = expand(value, false) rowMapCache.put(resolvedKey, expandedString) return expandedString }
Looks up and returns the RowSpec associated with the given key . First looks for an association in this LayoutMap . If there 's no association , the lookup continues with the parent map - if any .
fun postEvaluationStatistics(state: EvolutionState) { super.postEvaluationStatistics(state) state.output.println( ""” Generation: ${state.generation) """.trimIndent(), Output.V_NO_GENERAL, statisticslog ) for (x in 0 until state.population.subpops.length) for (y in 1 until state.population.subpops.get( x ).individuals.length) state.population.subpops.get(x).individuals.get(y).printIndividualForHumans(state, statisticslog, Output.V_NO_GENERAL) }
Logs the best individual of the generation .
@Throws(Exception::class) private fun checkUserExists(entidad: String) { val count: Int val table = UsersTable() val dbConn = DbConnection() try { dbConn.open(DBSessionManager.getSession()) count = if (_id === ISicresAdminDefsKeys.NULL_ID) DbSelectFns.selectCount( dbConn, table.getBaseTableName(), table.getCountNameQual(_name) ) else DbSelectFns.selectCount( dbConn, table.getBaseTableName(), table.getCountNameIdQual(_id, _name) ) if (count > 0) ISicresAdminBasicException.throwException(ISicresAdminUserKeys.EC_USER_EXISTS_NAME) } catch (e: Exception) { _logger.error(e) throw e } finally { dbConn.close() } }
Comprueba que el usuario tiene distinto nombre a los que ya existen .
@Transactional fun createRoleWithPermissions(role: Role, permissionIds: Set<Long?>?): Role? { val current: Role = findRoleByRoleName(role.getRoleName()) Preconditions.checkState(current == null, "Role %s already exists!", role.getRoleName()) val createdRole: Role = roleRepository.save(role) if (!CollectionUtils.isEmpty(permissionIds)) { val rolePermissions: Iterable<RolePermission> = FluentIterable.from(permissionIds).transform(null) rolePermissionRepository.save(rolePermissions) } return createdRole }
Create role with permissions , note that role name should be unique
protected fun generateNewCursorBox() { if (old_m_x2 !== -1 || old_m_y2 !== -1 || Math.abs(commonValues.m_x2 - old_m_x2) > 5 || Math.abs( commonValues.m_y2 - old_m_y2 ) > 5 ) { var top_x: Int = commonValues.m_x1 if (commonValues.m_x1 > commonValues.m_x2) { top_x = commonValues.m_x2 } var top_y: Int = commonValues.m_y1 if (commonValues.m_y1 > commonValues.m_y2) { top_y = commonValues.m_y2 } val w: Int = Math.abs(commonValues.m_x2 - commonValues.m_x1) val h: Int = Math.abs(commonValues.m_y2 - commonValues.m_y1) val currentRectangle = intArrayOf(top_x, top_y, w, h) decode_pdf.updateCursorBoxOnScreen( currentRectangle, DecoderOptions.highlightColor.getRGB() )if (!currentCommands.extractingAsImage) {val r = intArrayOf(commonValues.m_x1,commonValues.m_y1, commonValues.m_x2 - commonValues.m_x1, commonValues.m_y2 - commonValues.m_y1)decode_pdf.getTextLines().addHighlights(arrayOf(r), false, commonValues.getCurrentPage() } old_m_x2 = commonValues.m_x2 old_m_y2 = commonValues.m_y2 } decode_pdf.repaintPane(commonValues.getCurrentPage()) }
generate new cursorBox and highlight extractable text , if hardware acceleration off and extraction on < br > and update current cursor box displayed on screen
fun OMGraphicList(initialCapacity: Int) { graphics = Collections.synchronizedList(ArrayList<OMGraphic>(initialCapacity)) }
Construct an OMGraphicList with an initial capacity .
private fun saveToSettings() { val dataToSave: MutableList<String> = LinkedList() for (item in data) { dataToSave.add( item.getId().toString() + "," + HtmlColors.getColorString(item.getColor()) ) } settings.putList("usercolors", dataToSave) }
Copy the current data to the settings .
fun isArrayForName(value: String?): Boolean { return ARRAY_FOR_NAME_PATTERN.matcher(value).matches() }
Returns true if the given string looks like a Java array name .
fun length(): Double { return Math.sqrt(this.x * this.x + this.y * this.y) }
Calculates the length of the vector .
override fun toString(): String? { return schema }
Returns this ' media-type ( a MIME content-type category ) ( previously returned a description key )
fun restoreStarting(numPackages: Int) {}
The restore operation has begun .
@Throws(CoreException::class) private fun resourceIsGwtXmlAndInGwt(resource: IResource): Boolean { return GWTNature.isGWTProject(resource.getProject()) && resource.getName() .endsWith(".gwt.xml") }
If the resource is a .gwt.xml file and we 're in a gwt-enabled project , return true .
fun GlowCreature(location: Location?, type: EntityType, maxHealth: Double) { super(location, maxHealth) type = type }
Creates a new monster .
fun CacheLayer() {}
Construct a default CacheLayer .
@Throws(JSONException::class) protected fun buildAndroidAddress(jResult: JSONObject): Address? { val gAddress = Address(mLocale) gAddress.setLatitude(jResult.getDouble("lat")) gAddress.setLongitude(jResult.getDouble("lng")) var addressIndex = 0 if (jResult.has("streetName")) { gAddress.setAddressLine(addressIndex++, jResult.getString("streetName")) gAddress.setThoroughfare(jResult.getString("streetName")) } if (jResult.has("zipCode")) { gAddress.setAddressLine(addressIndex++, jResult.getString("zipCode")) gAddress.setPostalCode(jResult.getString("zipCode")) } if (jResult.has("city")) { gAddress.setAddressLine(addressIndex++, jResult.getString("city")) gAddress.setLocality(jResult.getString("city")) } if (jResult.has("state")) { gAddress.setAdminArea(jResult.getString("state")) } if (jResult.has("country")) { gAddress.setAddressLine(addressIndex++, jResult.getString("country")) gAddress.setCountryName(jResult.getString("country")) } if (jResult.has("countrycode")) gAddress.setCountryCode(jResult.getString("countrycode")) return gAddress }
Build an Android Address object from the Gisgraphy address in JSON format .
@Throws(SQLException::class) fun JDBCCategoryDataset(connection: Connection?, query: String?) { this(connection) executeQuery(query) }
Creates a new dataset with the given database connection , and executes the supplied query to populate the dataset .
fun generateReqsFromCancelledPOItems( dctx: DispatchContext, context: Map<String?, Any?> ): Map<String?, Any?>? { val delegator: Delegator = dctx.getDelegator() val dispatcher: LocalDispatcher = dctx.getDispatcher() val userLogin: GenericValue? = context["userLogin"] as GenericValue? val locale: Locale? = context["locale"] as Locale? val orderId = context["orderId"] as String? val facilityId = context["facilityId"] as String? try { val orderHeader: GenericValue = EntityQuery.use(delegator).from("OrderHeader").where("orderId", orderId).queryOne() if (UtilValidate.isEmpty(orderHeader)) { val errorMessage: String = UtilProperties.getMessage( resource_error, "OrderErrorOrderIdNotFound", UtilMisc.toMap("orderId", orderId), Locale ) Debug.logError(errorMessage, module) return ServiceUtil.returnError(errorMessage) } if ("PURCHASE_ORDER" != orderHeader.getString("orderTypeId")) { val errorMessage: String = UtilProperties.getMessage( resource_error, "ProductErrorOrderNotPurchaseOrder", UtilMisc.toMap("orderId", orderId), Locale ) Debug.logError(errorMessage, module) return ServiceUtil.returnError(errorMessage) } val productRequirementQuantities: MutableMap<String, Any> = HashMap() val orderItems: List<GenericValue> = orderHeader.getRelated("OrderItem", null, null, false) for (orderItem in orderItems) { if ("PRODUCT_ORDER_ITEM" != orderItem.getString("orderItemTypeId")) continue var orderItemCancelQuantity: BigDecimal = BigDecimal.ZERO if (!UtilValidate.isEmpty(orderItem.get("cancelQuantity"))) {orderItemCancelQuantity = orderItem.getBigDecimal("cancelQuantity")} if (orderItemCancelQuantity.compareTo(BigDecimal.ZERO) <= 0) continue val productId: String = orderItem.getString("productId") if (productRequirementQuantities.containsKey(productId)) { orderItemCancelQuantity = orderItemCancelQuantity.add(productRequirementQuantities[productId] as BigDecimal?) } productRequirementQuantities[productId] = orderItemCancelQuantity } for (productId in productRequirementQuantities.keys) { val requiredQuantity: BigDecimal? = productRequirementQuantities[productId] as BigDecimal? val createRequirementResult: Map<String?, Any?> = dispatcher.runSync( "createRequirement", UtilMisc.< String, Object > toMap<String, Any>( "requirementTypeId", "PRODUCT_REQUIREMENT", "facilityId", facilityId, "productId", productId, "quantity", requiredQuantity, "userLogin", userLogin ) ) if (ServiceUtil.isError(createRequirementResult)) return createRequirementResult } } catch (e: GenericEntityException) { Debug.logError(e, module) return ServiceUtil.returnError(e.getMessage()) } catch (se: GenericServiceException) { Debug.logError(se, module) return ServiceUtil.returnError(se.getMessage()) } return ServiceUtil.returnSuccess() }
Generates a product requirement for the total cancelled quantity over all order items for each product
@Throws(IOException::class, ClassNotFoundException::class) private fun readObject(s: ObjectInputStream) { s.defaultReadObject() if (bayesIm == null) { throw NullPointerException() } if (variables == null) { throw NullPointerException() } }
Adds semantic checks to the default deserialization method . This method must have the standard signature for a readObject method , and the body of the method must begin with `` s.defaultReadObject ( ) ; '' . Other than that , any semantic checks can be specified and do not need to stay the same from version to version . A readObject method of this form may be added to any class , even if Tetrad sessions were previously saved out using a version of the class that did n't include it . ( That 's what the `` s.defaultReadObject ( ) ; '' is for . See J. Bloch , Effective Java , for help .
operator fun contains(protocolVersion: ProtocolVersion): Boolean { return if (protocolVersion === ProtocolVersion.SSL20Hello) { false } else protocols.contains(protocolVersion) }
Return whether this list contains the specified protocol version . SSLv2Hello is not a real protocol version we support , we always return false for it .
protected fun eStaticClass(): EClass? { return DatatypePackage.Literals.OBJECT_PROPERTY_TYPE }
< ! -- begin-user-doc -- > < ! -- end-user-doc -- >
@DSGenerator( tool_name = "Doppelganger", tool_version = "2.0", generated_on = "2013-12-30 12:34:35.806 -0500", hash_original_method = "E14DF72F5869874CC38AD67447F5264E", hash_generated_method = "127365361841BB38033FE96228DFD635" ) fun typesIterator(): Iterator<String>? { return if (mDataTypes != null) mDataTypes.iterator() else null }
Return an iterator over the filter 's data types .
fun registerGUI(gui: ConfigGUI) { gui = gui }
Sets the reference of the GUI .
fun IntersectionMatrix(other: IntersectionMatrix) { this() matrix.get(Location.INTERIOR).get(Location.INTERIOR) = other.matrix.get(Location.INTERIOR).get(Location.INTERIOR) matrix.get(Location.INTERIOR).get(Location.BOUNDARY) = other.matrix.get(Location.INTERIOR).get(Location.BOUNDARY) matrix.get(Location.INTERIOR).get(Location.EXTERIOR) = other.matrix.get(Location.INTERIOR).get(Location.EXTERIOR) matrix.get(Location.BOUNDARY).get(Location.INTERIOR) = other.matrix.get(Location.BOUNDARY).get(Location.INTERIOR) matrix.get(Location.BOUNDARY).get(Location.BOUNDARY) = other.matrix.get(Location.BOUNDARY).get(Location.BOUNDARY) matrix.get(Location.BOUNDARY).get(Location.EXTERIOR) = other.matrix.get(Location.BOUNDARY).get(Location.EXTERIOR) matrix.get(Location.EXTERIOR).get(Location.INTERIOR) = other.matrix.get(Location.EXTERIOR).get(Location.INTERIOR) matrix.get(Location.EXTERIOR).get(Location.BOUNDARY) other.matrix.get(Location.EXTERIOR).get(Location.BOUNDARY) matrix.get(Location.EXTERIOR).get(Location.EXTERIOR) = other.matrix.get(Location.EXTERIOR).get(Location.EXTERIOR) }
Creates an < code > IntersectionMatrix < /code > with the same elements as < code > other < /code > .
fun readUnsignedInt(): Long { val result: Long = shiftIntoLong(data, position, 4) position += 4 return result }
Reads the next four bytes as an unsigned value .
fun emit(out: SpannableStringBuilder?, root: Block) { root.removeSurroundingEmptyLines() when (root.type) { NONE -> {} javax.accessibility.AccessibleRole.PARAGRAPH -> this.config.decorator.openParagraph(out) javax.swing.text.html.HTML.Tag.BLOCKQUOTE -> this.config.decorator.openBlockquote(out) UNORDERED_LIST -> this.config.decorator.openUnorderedList(out) ORDERED_LIST -> this.config.decorator.openOrderedList(out) UNORDERED_LIST_ITEM -> this.config.decorator.openUnOrderedListItem(out) ORDERED_LIST_ITEM -> this.config.decorator.openOrderedListItem(out) } if (root.hasLines()) { this.emitLines(out, root) } else { var block: Block = root.blocks while (block != null) { emit(out, block) block = block.next } } when (root.type) { NONE -> {} javax.accessibility.AccessibleRole.PARAGRAPH -> this.config.decorator.closeParagraph(out) javax.swing.text.html.HTML.Tag.BLOCKQUOTE -> this.config.decorator.closeBlockquote(out) UNORDERED_LIST -> this.config.decorator.closeUnorderedList(out) ORDERED_LIST -> this.config.decorator.closeOrderedList(out) UNORDERED_LIST_ITEM -> this.config.decorator.closeUnOrderedListItem(out) ORDERED_LIST_ITEM -> this.config.decorator.closeOrderedListItem(out) } }
Transforms the given block recursively into HTML .
fun isInternable(): Boolean { return classAnnotations != null && fieldAnnotations == null && methodAnnotations == null && parameterAnnotations == null }
Returns whether this item is a candidate for interning . The only interning candidates are ones that < i > only < /i > have a non-null set of class annotations , with no other lists .
@Throws(javax.print.URIException::class) fun URI( scheme: String?, userinfo: String?, host: String?, port: Int, path: String?, query: String?, fragment: String? ) { this( scheme, if (host == null) null else (if (userinfo != null) "$userinfo@" else "") + host + if (port != -1) ":$port" else "", path, query, fragment ) }
Construct a general URI from the given components .
fun addUser(user: User?) { users.addElement(user) }
Add a user
@Throws(SignatureException::class) protected fun engineUpdate(b: Byte) { msgDigest.update(b) }
Updates data to sign or to verify .
@Throws(IOException::class) fun RqMtFake(req: Request?, vararg dispositions: Request?) { this.fake = RqMtBase(FakeMultipartRequest(req, dispositions)) }
Fake ctor .
fun randomVideo(): Video? { val id: String = UUID.randomUUID().toString() val title = "Video-$id" val url = http://coursera.org/some/video-$id val duration = (60 * Math.rint(Math.random() * 60).toInt() * 1000).toLong() return Video(title, url, duration) }
Construct and return a Video object with a rnadom name , url , and duration .
fun addHeader(header: String?, value: String?) { clientHeaderMap.put(header, value) }
Sets headers that will be added to all requests this client makes ( before sending ) .
fun addPostalAddress(postalAddress: PostalAddress?) { getPostalAddresses().add(postalAddress) }
Adds a new contact postal address .
fun newCaughtExceptionRef(): CaughtExceptionRef? { return JCaughtExceptionRef() }
Constructs a CaughtExceptionRef ( ) grammar chunk .
fun actionPerformed(e: java.awt.event.ActionEvent) { if (e.getSource() is PerformanceIndicator) { val pi: PerformanceIndicator = e.getSource() as PerformanceIndicator log.info(pi.getName()) val goal: MGoal = pi.getGoal() if (goal.getMeasure() != null) PerformanceDetail(goal) } }
Action Listener for Drill Down
fun childIterator(dirtyNodesOnly: Boolean): Iterator<com.sun.tools.javac.util.GraphUtils.AbstractNode?>? { return if (dirtyNodesOnly) { DirtyChildIterator(this) } else { com.sun.org.apache.xpath.internal.axes.ChildIterator(this) } }
Iterator visits the direct child nodes in the external key ordering .
fun maxIndex(doubles: DoubleArray): Int { var maximum = 0.0 var maxIndex = 0 for (i in doubles.indices) { if (i == 0 || doubles[i] > maximum) { maxIndex = I maximum = doubles[i] } } return maxIndex }
Returns index of maximum element in a given array of doubles . First maximum is returned .
private fun crawlSingleIndexableResource(indexableFragment: IndexableFragment): List<PreferenceIndex>? { val indexablePreferences: MutableList<PreferenceIndex> = ArrayList() val parser: XmlPullParser = mContext.getResources().getXml(indexableFragment.xmlRes) var type: Int try { while (parser.next().also { type = it } != XmlPullParser.END_DOCUMENT && type != XmlPullParser.START_TAG) { } var nodeName = parser.name if (!NODE_NAME_PREFERENCE_SCREEN.equals(nodeName)) { throw RuntimeException("XML document must start with <PreferenceScreen> tag; found" + nodeName + " at " + parser.positionDescription) } val outerDepth = parser.depth val attrs: AttributeSet = Xml.asAttributeSet(parser) while (parser.next().also { type = it } != XmlPullParser.END_DOCUMENT && (type != XmlPullParser.END_TAG || parser.depth > outerDepth)) { if (type == XmlPullParser.END_TAG || type == XmlPullParser.TEXT) { continue } nodeName = parser.name val key: String = PreferenceXmlUtil.getDataKey(mContext, attrs) val title: String = PreferenceXmlUtil.getDataTitle(mContext, attrs) if (NODE_NAME_PREFERENCE_CATEGORY.equals(nodeName) || TextUtils.isEmpty(key) || TextUtils.isEmpty( title ) ) { Continue } val indexablePreference = PreferenceIndex(key, title, indexableFragment.fragmentName) indexablePreferences.add(indexablePreference) } } catch (ex: XmlPullParserException) { Log.e(TAG, "Error in parsing a preference xml file, skip it", ex)
Skim through the xml preference file .
private fun crawlSingleIndexableResource(indexableFragment: IndexableFragment): List<PreferenceIndex>? { val indexablePreferences: MutableList<PreferenceIndex> = ArrayList() val parser: XmlPullParser = mContext.getResources().getXml(indexableFragment.xmlRes) var type: Int try { while (parser.next().also { type = it } != XmlPullParser.END_DOCUMENT && type != XmlPullParser.START_TAG) { } var nodeName = parser.name if (!NODE_NAME_PREFERENCE_SCREEN.equals(nodeName)) { throw RuntimeException("XML document must start with <PreferenceScreen> tag; found" + nodeName + " at " + parser.positionDescription) } val outerDepth = parser.depth val attrs: AttributeSet = Xml.asAttributeSet(parser) while (parser.next().also { type = it } != XmlPullParser.END_DOCUMENT && (type != XmlPullParser.END_TAG || parser.depth > outerDepth)) { if (type == XmlPullParser.END_TAG || type == XmlPullParser.TEXT) { continue } nodeName = parser.name val key: String = PreferenceXmlUtil.getDataKey(mContext, attrs) val title: String = PreferenceXmlUtil.getDataTitle(mContext, attrs) if (NODE_NAME_PREFERENCE_CATEGORY.equals(nodeName) || TextUtils.isEmpty(key) || TextUtils.isEmpty( title ) ) { Continue } val indexablePreference = PreferenceIndex(key, title, indexableFragment.fragmentName) indexablePreferences.add(indexablePreference) } } catch (ex: XmlPullParserException) { Log.e(TAG, "Error in parsing a preference xml file, skip it", ex) } catch (ex: IOException) { Log.e(TAG, "Error in parsing a preference xml file, skip it", ex) } catch (ex: ReflectiveOperationException) { Log.e(TAG, "Error in parsing a preference xml file, skip it", ex) } return indexablePreferences }
Generate an explicit null check ( compare to zero ) .
End of preview. Expand in Data Studio

Dataset Card for Dataset kotlin_code

Dataset Summary

This Dataset contains Kotlin functions with there documentation. This dataset can be useful in fine-tuning or creating new models for developing models which can generate the code documentaiton

Supported Tasks and Leaderboards

[More Information Needed]

Languages

[More Information Needed]

Dataset Structure

Data Instances

[More Information Needed]

Data Fields

[More Information Needed]

Data Splits

[More Information Needed]

Dataset Creation

Curation Rationale

[More Information Needed]

Source Data

Initial Data Collection and Normalization

[More Information Needed]

Who are the source language producers?

[More Information Needed]

Annotations

Annotation process

[More Information Needed]

Who are the annotators?

[More Information Needed]

Personal and Sensitive Information

[More Information Needed]

Considerations for Using the Data

Social Impact of Dataset

[More Information Needed]

Discussion of Biases

[More Information Needed]

Other Known Limitations

[More Information Needed]

Additional Information

Dataset Curators

[More Information Needed]

Licensing Information

[More Information Needed]

Citation Information

[More Information Needed]

Contributions

[More Information Needed]

Downloads last month
99