row_id
int64
0
48.4k
init_message
stringlengths
1
342k
conversation_hash
stringlengths
32
32
scores
dict
3,714
If i had close data in column a and indicator score in column b how i can use excel formulas to backtest a strategy that says if score be more than 30 we buy and when score is less than 20 we sell.and i want that overall profit of strategy computed
d1e7f59fde67c2ddb8663617dbf2b851
{ "intermediate": 0.4489195942878723, "beginner": 0.13963867723941803, "expert": 0.41144177317619324 }
3,715
not(scalar grep { $_->{foo} eq "bar" } @$array))
95a248ee6250913a6c59e03b601a2130
{ "intermediate": 0.29178401827812195, "beginner": 0.44000065326690674, "expert": 0.2682153284549713 }
3,716
Perl snippet: unless (scalar grep { $_->{foo} eq "bar" } @$things) { Write this without an unless
500ceb645ac367d5b8db059df99e7496
{ "intermediate": 0.27879610657691956, "beginner": 0.46519845724105835, "expert": 0.2560054361820221 }
3,717
// SPDX-License-Identifier: MIT pragma solidity ^0.8.0; import “@openzeppelin/contracts/token/ERC721/ERC721.sol”; import “@openzeppelin/contracts/access/Ownable.sol”; import “@openzeppelin/contracts/utils/math/SafeMath.sol”; contract FarmingCropNFT is ERC721, Ownable { using SafeMath for uint256; // Define events event CropIssued(uint256 cropID, string cropName, uint256 amount, uint256 value, address farmer); event CropTransferred(address from, address to, uint256 cropID, uint256 value); // Define struct for crop struct Crop { string cropName; uint256 amount; uint256 value; address farmer; bool exists; string ipfsHash; // added ipfsHash for off-chain data } // Define mapping of crop IDs to crops mapping(uint256 => Crop) public crops; // Define counter for crop IDs uint256 public cropIDCounter; // Define constructor to initialize contract and ERC721 token constructor() ERC721(“Farming Crop NFT”, “FARMCRP”) {} // Define function for farmer to issue NFT of crops to primary buyer function issueCropNFT ( string memory _cropName, uint256 _amount, uint256 _value, string memory _ipfsHash ) public payable returns (uint256) { // Increment crop ID counter cropIDCounter++; // Create new crop struct Crop memory newCrop = Crop({ cropName: _cropName, amount: _amount, value: _value, farmer: msg.sender, exists: true, ipfsHash: _ipfsHash // store the ipfsHash for off-chain data }); // Add new crop to mapping crops[cropIDCounter] = newCrop; // Mint NFT to farmer _mint(msg.sender, cropIDCounter); // Emit event for new crop issuance emit CropIssued(cropIDCounter, _cropName, _amount, _value, msg.sender); // Return crop ID return cropIDCounter; } // Override the transferFrom function with custom logic for primary and secondary buyers. function transferFrom(address from, address to, uint256 tokenId) public override { // Ensure crop exists require(crops[tokenId].exists, “Crop does not exist”); // If the owner is farmer, primary buyer logic if (ownerOf(tokenId) == crops[tokenId].farmer) { // Primary buyer logic // Here you can add conditions for primary buyer purchase super.transferFrom(from, to, tokenId); emit CropTransferred(from, to, tokenId, crops[tokenId].value); } else { // Secondary buyer logic // Here you can add conditions for secondary buyer purchase on the marketplace super.transferFrom(from, to, tokenId); emit CropTransferred(from, to, tokenId, crops[tokenId].value); } } // Define function for farmer to destroy NFT of crops when they stop farming function destroyCropNFT(uint256 _cropID) public onlyOwner { // Ensure crop exists and is owned by farmer require(crops[_cropID].exists, “Crop does not exist”); require(ownerOf(_cropID) == crops[_cropID].farmer, “Crop is not owned by farmer”); // Burn NFT _burn(_cropID); // Emit event for crop destruction emit CropTransferred(crops[_cropID].farmer, address(0), _cropID, crops[_cropID].value); // Delete crop from mapping delete crops[_cropID]; } // Add a function to retrieve the IPFS hash function getCropIPFSHash(uint256 _cropID) public view returns (string memory) { require(crops[_cropID].exists, “Crop does not exist”); return crops[_cropID].ipfsHash; } } there is no mint price in the above code kindly add it and give me whole code
3334ce8b62969d1556894c7639fa86bf
{ "intermediate": 0.3189701735973358, "beginner": 0.42603716254234314, "expert": 0.25499260425567627 }
3,718
Partie 1 : Récupération d’information du token Setup On part d’un projet console Visual Studio. Afin d’éviter les soucis d’encoding, vous pouvez forcer l’utilisation du mode Multi-bytes via: Project properties > Advanced > Character Set > Multi-Bytes Sortie attendue On souhaite avoir une sortie comme : Owner: S-1-5-32-544 (BUILTIN\Administrators) User: S-...-1000 (VAGRANTVM\vagrant) Groups: - S-1-1-0 (\Everyone) - S-1-5-114 (NT AUTHORITY\Local account and member of Administrators group) ... Privileges: - SeDebugPrivilege (ENABLED ) - SeSystemEnvironmentPrivilege () - SeChangeNotifyPrivilege (ENABLED ENABLED_BY_DEFAULT ) - SeRemoteShutdownPrivilege () ... SessionID: 1 Notes et références Quelques références : • OpenProcessToken • GetTokenInformation • GetCurrentProcess • Droits TOKEN_ALL_ACCESS, MAXIMUM_ALLOWED et TOKEN_QUERY Note: en programmation Windows, on utilise souvent le pattern suivant : 1. Appel de la fonction Function avec le type de donnée demandée et un pointeur vide 2. Récupération dans le retour de la fonction de la taille nécéssaire pour recevoir la donné 3. Rappel de la fonction Function avec un buffer de la bonne ta peux tu adapter mon code HANDLE hProcessToken; if (!OpenProcessToken(hProcess, TOKEN_ALL_ACCESS, &hProcessToken)) { GetLastError(); } if (!hProcessToken) { printf("[Error] Cannot OpenProcessToken\n"); status = -1; goto CLEANUP; } CLEANUP: if (hProcess) CloseHandle(hProcess); if (hProcessToken) CloseHandle(hProcessToken); return status; }
dfa8501c2805fe19e6e508e45f514ee0
{ "intermediate": 0.4257679879665375, "beginner": 0.34985384345054626, "expert": 0.2243780940771103 }
3,719
Write code of simple neural network on Python which can be trained on third-dimensional number arrays with sizes 16x16x16 and can generate third-dimensional arrays with custom sizes. Use only Numpy library. Don't use PyTorch or Tensorflow. General file of neural network "network.py" contains main structure and functions required by "server.py" and "train.py". File "network.py" contains functions: train(), saveWeights(), loadWeights(), newWeights() and generate(). train() has arguments: Array of pairs (tokens, third-dimensional array 16x16x16), learning rate, epochs, batch_size. Function train() makes new or load existing weights and train them on given dataset. Tokens (phrases) describe single third-dimensional array. Third-dimensional array contains numbers in range 0-1024. Function newWeights() has no arguments. newWeights() initializes new empty weights in RAM. Function saveWeights() has no arguments. saveWeights() saves trained weights from RAM to file "model.weights" on disk. Function loadWeights() has no arguments. loadWeights() loads pretrained weights from file "model.weights" on disk to RAM or VRAM. Function generate() has three arguments: describing phrases (tokens), third-dimensional array sizes in X,Y,Z and count of generation steps (epochs). generate() generates one third-dimensional array with given sizes using tokens in given steps and save array to file "generated.txt" every step. More generation steps give better results based on pretrained data. Generator file of neural network "server.py" requires "network.py". At begin it calls function loadWeights() to load pretrained weights from disk into RAM. Then server.py runs web-server on port 7764 and listens for GET request. GET request contains 1-16 describing phrases (tokens), third-dimensional array sizes in X,Y,Z and count of generation steps (epochs). After a GET request has been received, server.py calls function generate() from "network.py" and passes arguments: array of phrases (tokens), count of steps. When generate() is done, server.py continue listen for next GET request. Trainer file of neural network "train.py" requires "network.py". It gets following arguments from command line: dataset directory, learning rate, count of train epochs, batch_size. Dataset directory has file pairs like "1.tokens.txt => 1.matrix.txt" where N.tokens.txt contains describing comma-separated token words of 16x16x16 third-dimensional numeric array saved in N.matrix.txt. Then "train.py" checks is weights file exists. If file with weights exists "train.py" loads weights from disk into RAM using function loadWeights(), if not it makes new clear weights in RAM. Then "train.py" use function train() from "network.py" to train neural network on third-dimensional arrays with token words from dataset directory. Tokens (phrases) describe single third-dimensional array. After training "train.py" saves trained weights from RAM to disk using function saveWeights(). At the end in no-code section give contents of example N.matrix.txt file and "train.py" usage example from command line. Avoid unreadable code, bad code, and code with errors. Write proper Python code using the Numpy library.
7cff0f95b819cf4cd9bbdbfb3ff46301
{ "intermediate": 0.4195990264415741, "beginner": 0.15426276624202728, "expert": 0.4261382222175598 }
3,720
Write me a code for an ask and answer website
e2bb254dd9523f610e0bfb70adfa08a9
{ "intermediate": 0.3736124038696289, "beginner": 0.3651728928089142, "expert": 0.2612147331237793 }
3,721
give the previous reply
cd2b94eeff00343dbda0800b67b355ff
{ "intermediate": 0.3279590308666229, "beginner": 0.3225798010826111, "expert": 0.34946122765541077 }
3,722
ReferenceError: ethers is not defined at module.exports (/Users/swetamukkollu/Desktop/phase2/migrations/1_deploy_contracts.js:16:50) at Migration.<anonymous> (/usr/local/lib/node_modules/truffle/build/webpack:/packages/migrate/dist/src/Migration.js:86:1) at Generator.next (<anonymous>) at fulfilled (/usr/local/lib/node_modules/truffle/build/webpack:/packages/migrate/dist/src/Migration.js:28:43) at processTicksAndRejections (node:internal/process/task_queues:96:5) Truffle v5.8.1 (core: 5.8.1)
df2c5e69ffeabc569db769f34629208c
{ "intermediate": 0.3819126486778259, "beginner": 0.28840887546539307, "expert": 0.32967841625213623 }
3,723
integrate jquery and bootstrap in jinja2
3c5b4b4dddfdbddad5d1fc6b277d7385
{ "intermediate": 0.6950578093528748, "beginner": 0.13129562139511108, "expert": 0.17364656925201416 }
3,724
TypeError: unbound method datetime.date() needs an argument
252d8383e3a082f81837433878900a45
{ "intermediate": 0.5100086331367493, "beginner": 0.22672171890735626, "expert": 0.26326969265937805 }
3,725
If you divide the mean absolute deviation by the mean of a dataset, you get an score on how much variation there is in the dataset. It can also detect for outliers.
e4c9771d25c18cf624181d2e81f1e8c4
{ "intermediate": 0.36364832520484924, "beginner": 0.22408397495746613, "expert": 0.41226768493652344 }
3,726
ParserError: Invalid token. --> blockchain proj.sol:79:40: | 79 | require(crops[tokenId].exists, “Crop does not exist”); | ^ for the below code remove the above mentioned error and give me full code // SPDX-License-Identifier: MIT pragma solidity ^0.8.0; import "@openzeppelin/contracts/token/ERC721/ERC721.sol"; import "@openzeppelin/contracts/access/Ownable.sol"; import "@openzeppelin/contracts/utils/math/SafeMath.sol"; contract FarmingCropNFT is ERC721, Ownable { using SafeMath for uint256; // Define events event CropIssued(uint256 cropID, string cropName, uint256 amount, uint256 value, address farmer); event CropTransferred(address from, address to, uint256 cropID, uint256 value); // Define struct for crop struct Crop { string cropName; uint256 amount; uint256 value; address farmer; bool exists; string ipfsHash; // added ipfsHash for off-chain data } // Define mapping of crop IDs to crops mapping(uint256 => Crop) public crops; // Define counter for crop IDs uint256 public cropIDCounter; // Define variable for mint price uint256 public mintPrice; // Define constructor to initialize contract and ERC721 token constructor() ERC721("Farming Crop NFT", "FARMCRP") { // Set the mint price mintPrice = 0.01 ether; } // Define function for farmer to issue NFT of crops to primary buyer function issueCropNFT( string memory _cropName, uint256 _amount, uint256 _value, string memory _ipfsHash ) public payable returns (uint256) { // Ensure minimum payment is met require(msg.value >= mintPrice, "Insufficient payment"); // Increment crop ID counter cropIDCounter++; // Create new crop struct Crop memory newCrop = Crop({ cropName: _cropName, amount: _amount, value: _value, farmer: msg.sender, exists: true, ipfsHash: _ipfsHash // store the ipfsHash for off-chain data }); // Add new crop to mapping crops[cropIDCounter] = newCrop; // Mint NFT to farmer _mint(msg.sender, cropIDCounter); // Emit event for new crop issuance emit CropIssued(cropIDCounter, _cropName, _amount, _value, msg.sender); // Return crop ID return cropIDCounter; } // Override the transferFrom function with custom logic for primary and secondary buyers. function transferFrom(address from, address to, uint256 tokenId) public override { // Ensure crop exists require(crops[tokenId].exists, “Crop does not exist”); // If the owner is farmer, primary buyer logic if (ownerOf(tokenId) == crops[tokenId].farmer) { // Primary buyer logic // Here you can add conditions for primary buyer purchase super.transferFrom(from, to, tokenId); emit CropTransferred(from, to, tokenId, crops[tokenId].value); } else { // Secondary buyer logic // Here you can add conditions for secondary buyer purchase on the marketplace super.transferFrom(from, to, tokenId); emit CropTransferred(from, to, tokenId, crops[tokenId].value); } } // Define function for farmer to destroy NFT of crops when they stop farming function destroyCropNFT(uint256 _cropID) public onlyOwner { // Ensure crop exists and is owned by farmer require(crops[_cropID].exists, "Crop does not exist"); require(ownerOf(_cropID) == crops[_cropID].farmer, "Crop is not owned by farmer"); // Burn NFT _burn(_cropID); // Emit event for crop destruction emit CropTransferred(crops[_cropID].farmer, address(0), _cropID, crops[_cropID].value); // Delete crop from mapping delete crops[_cropID]; } // Add a function to retrieve the IPFS hash function getCropIPFSHash(uint256 _cropID) public view returns (string memory) { require(crops[_cropID].exists, "Crop does not exist"); return crops[_cropID].ipfsHash; } }
1ff596f7b04089ac3248e27596103806
{ "intermediate": 0.3581788241863251, "beginner": 0.4305680990219116, "expert": 0.2112530767917633 }
3,727
Hello you have been a great help to me in the recent times, this is the demo code sir has given to us, can you make changes to the code -------------------------------------import string from pyspark import SparkContext def word_count(sc, input_file): # Load the text file text_file = sc.textFile(input_file) # Split the lines into words and clean them words = text_file.flatMap(lambda line: line.translate(str.maketrans('', '', string.punctuation)).lower().split()) # Remove stop words stop_words = set(['a', 'an', 'the', 'and', 'in', 'of', 'to', 'that', 'is', 'was', 'for', 'with', 'as', 'on', 'at', 'by', 'be', 'it', 'this', 'which', 'or', 'from', 'not', 'but', 'also', 'his', 'her', 'their', 'they', 'i', 'you', 'we', 'he', 'she', 'it', 'me', 'him', 'her', 'us', 'them', 'my', 'your', 'our', 'his', 'her', 'its', 'their', 'yours', 'ours', 'theirs']) words = words.filter(lambda word: word not in stop_words) # Map each word to a tuple of (word, 1), then reduce by key to count the occurrences of each word word_counts = words.map(lambda word: (word, 1)).reduceByKey(lambda x, y: x + y) # Swap key and value to sort by count, then sort by descending count count_word_pairs = word_counts.map(lambda x: (x[1], x[0])) sorted_word_counts = count_word_pairs.sortByKey(False) # Swap back key and value word_count_pairs = sorted_word_counts.map(lambda x: (x[1], x[0])) # Save the results to a text file return word_count_pairs if __name__ == '__main__': from pyspark.context import SparkContext sc = SparkContext('local', 'test') word_count(sc, 'frankenstein.txt').saveAsTextFile("output_trial11") sc.stop()
6cf11e31989f4732f9fdb99b0f3145c3
{ "intermediate": 0.5243749618530273, "beginner": 0.25725463032722473, "expert": 0.2183704674243927 }
3,728
c# maui radzen datepicker
d4ce878e67894cfdde1442c133ea17b4
{ "intermediate": 0.40662410855293274, "beginner": 0.34792274236679077, "expert": 0.24545319378376007 }
3,729
The following code is suppose to: 1 - ask the user to enter a message to be transmitted over the network; 2 - print the message; 3 - fragment the message so that each character represent a packet to be transmitted, remembering that every package must be associated with an identification number; 4 - for each packet, generate a random integer number between 1 and 10, which will determine the number of times the packet must be replicated; 5 - generate a new sequence of packets in which both the packets of the original message and the replicated packets are scrambled; 6 - print the new packet sequence; 7 - build the binary search tree from the new sequence of packages; 8 - print the tree; 9 - reconstruct the original message from the binary search tree. 10 - print the message; Here is the code. Please, fix it: #include <stdio.h> #include <stdlib.h> #include <string.h> #include <time.h> typedef struct node { int id; char letter; struct node* left; struct node* right; } Node; Node* createNode(int id, char letter) { Node* newNode = (Node*)malloc(sizeof(Node)); newNode->id = id; newNode->letter = letter; newNode->left = NULL; newNode->right = NULL; return newNode; } Node* insert(Node* root, int id, char letter) { if (root == NULL) { return createNode(id, letter); } else { if (id < root->id) { root->left = insert(root->left, id, letter); } else if (id > root->id) { root->right = insert(root->right, id, letter); } } return root; } void inOrderTraversal(Node* root) { if (root != NULL) { inOrderTraversal(root->left); printf(“%c”, root->letter); inOrderTraversal(root->right); } } void shuffle(int array, int size) { srand(time(NULL)); for (int i = size - 1; i > 0; i–) { int j = rand() % (i + 1); int temp = array[i]; array[i] = array[j]; array[j] = temp; } } int main() { char message[256]; printf(“Enter a message to be transmitted: “); fgets(message, 256, stdin); printf(”\nMessage: %s\n”, message); int n = strlen(message) - 1; int packets[10 * n]; int packet_index = 0; for (int i = 0; i < n; i++) { int replicates = rand() % 10 + 1; for (int j = 0; j < replicates; j++) { packets[packet_index++] = i; } } shuffle(packets, packet_index); printf(“New sequence of packets: “); for (int i = 0; i < packet_index; i++) { printf(”(%d, %c) “, packets[i], message[packets[i]]); } printf(”\n”); Node root = NULL; for (int i = 0; i < packet_index; i++) { root = insert(root, packets[i], message[packets[i]]); } printf(“Reconstructed message: “); inOrderTraversal(root); printf(”\n”); return 0; }
cd14887882bff24bb3f2b290f97b1580
{ "intermediate": 0.330417662858963, "beginner": 0.4134524464607239, "expert": 0.2561298906803131 }
3,730
I want you to act as a model with knowledge and expertise in GENERALIZED LINEAR MODEL Take note of the data file called "Credit_Score.xlsx" Age Inc Home SelfEm Der Appl 38 4.52 Y N 0 1 33 2.42 N N 0 1 34 4.50 Y N 2 1 31 2.54 N N 0 1 32 9.79 Y N 1 1 23 2.50 N N 0 1 28 3.96 N N 0 1 29 2.37 Y Y 0 1 37 3.80 Y N 0 1 28 3.20 N N 0 1 31 6.95 Y Y 3 1 42 1.98 Y N 0 0 30 1.73 Y N 3 0 29 2.45 Y N 0 1 35 1.91 Y N 0 1 41 3.20 Y N 0 1 40 4.00 Y N 0 1 30 3.00 Y N 7 0 40 10.00 Y Y 0 1 54 3.40 N N 3 0 35 2.35 Y N 0 1 25 1.88 N N 1 0 34 2.00 Y N 0 1 36 4.00 N N 1 1 43 5.14 Y N 1 1 30 4.51 N N 0 1 22 3.84 N Y 0 0 22 1.50 N N 0 0 34 2.50 Y N 0 0 40 5.50 Y N 0 1 22 2.03 N N 0 1 29 3.20 N N 1 1 25 3.15 Y Y 1 0 21 2.47 Y N 0 1 24 3.00 N N 0 1 43 7.54 Y N 2 1 43 2.28 N Y 1 0 37 5.70 Y N 0 1 27 6.50 N N 2 1 28 4.60 Y N 0 1 26 3.00 Y N 1 1 23 2.59 N N 0 1 30 1.51 N N 0 0 30 1.85 N N 0 1 38 2.60 N N 0 1 28 1.80 N Y 0 0 36 2.00 N N 0 1 38 2.26 N Y 0 0 26 2.35 N N 0 1 28 7.00 Y N 2 1 50 3.60 N N 0 0 24 2.00 N N 0 1 21 1.70 N N 0 1 24 2.80 N N 0 1 26 2.40 N N 0 1 33 3.00 N Y 1 1 34 4.80 N N 0 1 33 3.18 N Y 0 1 45 1.80 N N 0 0 21 1.50 N N 0 1 25 5.00 N N 2 1 27 2.28 N N 0 1 26 2.80 N N 0 1 22 2.70 N N 0 1 27 4.90 Y N 3 0 26 2.50 N Y 0 0 41 6.00 N Y 0 1 42 3.90 N N 0 1 22 5.10 N N 3 0 25 3.07 N N 0 1 31 2.46 Y N 0 1 27 2.00 N N 0 1 33 3.25 N N 0 1 37 2.72 N N 0 1 27 2.20 N N 0 1 24 4.10 N Y 1 0 24 3.75 N N 0 1 25 2.88 N N 0 1 36 3.05 N N 0 1 33 2.55 N N 0 1 33 4.00 N N 0 0 55 2.64 Y N 1 1 20 1.65 N N 0 0 29 2.40 N N 0 1 30 3.71 N N 3 0 41 7.24 Y N 0 1 41 4.39 Y N 0 0 35 3.30 Y N 0 0 24 2.30 N N 3 0 54 4.18 N N 1 0 34 2.49 N Y 2 0 45 2.81 Y N 0 0 43 2.40 N N 0 1 35 1.50 N N 4 0 36 9.40 N Y 2 1 22 1.56 N N 0 1 33 6.00 Y N 1 1 25 3.60 N N 1 1 26 5.00 Y N 0 1 46 5.50 Y N 0 1
b4c6ae87b4f86052ab9202509792a9a7
{ "intermediate": 0.24084582924842834, "beginner": 0.2990338206291199, "expert": 0.4601203203201294 }
3,731
const LoanNFT = artifacts.require("LoanNFT"); (async () => { const name = "LoanNFT"; const symbol = "LNFT"; const couponRate = 5; const mintingPrice = web3.utils.toWei("0.001", "ether"); // Change the value to your desired minting price in Ether const ethers = require('ethers'); const loanNFTInstance = await LoanNFT.new(name, symbol, couponRate, mintingPrice); console.log("Deployed LoanNFT:", loanNFTInstance.address); // Interact with your newly deployed contract })(); module.exports = function (deployer) { deployer.deploy(LoanNFT, "LoanNFT", "LNFT", 2, ethers.utils.parseEther("0.001")); }; ReferenceError: ethers is not defined at module.exports (/Users/swetamukkollu/Desktop/phase2/migrations/1_deploy_contracts.js:17:50) at Migration.<anonymous> (/usr/local/lib/node_modules/truffle/build/webpack:/packages/migrate/dist/src/Migration.js:86:1) at Generator.next (<anonymous>) at fulfilled (/usr/local/lib/node_modules/truffle/build/webpack:/packages/migrate/dist/src/Migration.js:28:43) at processTicksAndRejections (node:internal/process/task_queues:96:5) Truffle v5.8.1 (core: 5.8.1) Node v16.16.0
d871ec47aacd5c4619a24852190d3622
{ "intermediate": 0.4072410464286804, "beginner": 0.3185868561267853, "expert": 0.2741720676422119 }
3,732
Please convert the following python code to c++ : #import required libs/files import base64 import random import string import os #set filename filename = ("keyfile.key") #set the user directory homeDir = os.path.expanduser("~") #generate random integers to use for minikey length ke1 = random.randint(5000, 10000) ke2 = random.randint(8000, 18000) ke3 = random.randint(4000, 9000) #get devkey for use in key print ("enter your devkey(this can be anything)") devkey = input() #enter pre defined password password = ("r93r09qi8f93u38q9dffg938u42ehgfieig78e8w8g87jn8r5r78gf8ht7ju7r8edh7tj7t88de8g7r4g7f8d1g6g494dg549") #make random minikeys using the random integers from above as length key1 = ''.join(random.choices(string.ascii_lowercase, k=(ke3))) key2 = ''.join(random.choices(string.ascii_lowercase, k=(ke1))) key3 = ''.join(random.choices(string.ascii_lowercase, k=(ke2))) #make final key string = ((devkey) + (key1) + (key3) + (password) + (key2)) encoded = base64.b64encode( (string).encode( "utf-8" )) decoded = encoded.decode("utf-8") #write key to file try: f = open((homeDir) + ("/") + (filename)), "a" f.write((decoded)) f.close() except: print ("error occured writing key") else: print ("Key written to User directory as 'keyfile.key'")
8a600209df3ab80989c0cd25a1b669b2
{ "intermediate": 0.43729367852211, "beginner": 0.37543073296546936, "expert": 0.18727558851242065 }
3,733
//SPDX-License-Identifier: UNLICENSED pragma solidity ^0.8.0; import "@openzeppelin/contracts/token/ERC721/ERC721.sol"; // Loan Contract contract LoanNFT is ERC721 { struct Loan { uint256 id; uint256 principal; uint256 interestRate; uint256 term; uint256 maturityDate; address borrower; bool isRepaid; } mapping (uint256 => Loan) public loans; uint256 public loanId; uint256 public couponRate; constructor(string memory _name, string memory _symbol, uint256 _couponRate) ERC721(_name, _symbol) { loanId = 0; couponRate = _couponRate; } function issueLoan(address _borrower, uint256 _principal, uint256 _interestRate, uint256 _term, uint256 _maturityDate) public { loanId++; loans[loanId] = Loan(loanId, _principal, _interestRate, _term, _maturityDate, _borrower, false); _mint(msg.sender, loanId); } function repayLoan(uint256 _loanId) public { require(msg.sender == loans[_loanId].borrower, "Only borrower can repay the loan"); loans[_loanId].isRepaid = true; } function buyNFT(uint256 _loanId) public payable { require(ownerOf(_loanId) != msg.sender, "Cannot buy your own loan NFT"); require(msg.value >= calculateCouponAmount(_loanId), "Insufficient funds to buy the loan NFT"); address owner = ownerOf(_loanId); _transfer(owner, msg.sender, _loanId); payable(owner).transfer(msg.value); } function calculateCouponAmount(uint256 _loanId) public view returns (uint256) { require(ownerOf(_loanId) != address(0), "Invalid loan NFT"); // address of the loan contract Loan memory loan = loans[_loanId]; // calculate the buyback price based on the coupon rate uint256 couponAmount = loan.principal * loan.interestRate * couponRate / (100 * loan.term); if (loan.isRepaid) { couponAmount = couponAmount + loan.principal; } return couponAmount; } function destroyNFT(uint256 _loanId) public { // destroy the NFT after buying back require(ownerOf(_loanId) == msg.sender, "Only owner can destroy the loan NFT"); _burn(_loanId); } } increment the loan nft # number for every new loan nft created
9eda518bc8d9bee40c30d74dfa78ef29
{ "intermediate": 0.30430328845977783, "beginner": 0.3962797224521637, "expert": 0.2994169592857361 }
3,734
do you know the what is npm ts-morph? can you use this library to compare two typescript definitions, which may be the interface, the function declaration and the class declaration
b8dbec96f15a5d24376dd32440d7850d
{ "intermediate": 0.5824922919273376, "beginner": 0.3438984751701355, "expert": 0.07360924035310745 }
3,735
what is your name
93f9af8cbb61539e5e1c208d7f162652
{ "intermediate": 0.38921836018562317, "beginner": 0.3484736979007721, "expert": 0.26230794191360474 }
3,736
full calnder with two inputs check in and checkout by react
1db339ddaa95d7b578db44d56af8ce29
{ "intermediate": 0.31074196100234985, "beginner": 0.35263606905937195, "expert": 0.3366219103336334 }
3,737
Assignment 4 In this assignment we will be connecting to a database directly through our frontend! Step 0 - Setup​ Create a Next.js using our starter code with the following command: yarn create next-app --typescript --example "https://github.com/cornell-dti/trends-sp23-a4" YOUR_PROJECT_NAME Create a Firebase Project​ For this assignment, you will be setting up your own Firebase project. You will be connecting your Next.js web app to the Firestore database to store task data. See Ed for more specific Firebase setup instructions. Step 1 - Finding One's Bearings​ As with A2/A3, run yarn dev in the project directory to start the server and navigate to localhost:3000 to see what the starter code gives you. In this assignment we will be implementing a simple task/todo list with add/delete functionality. Each task can also be "checked off" to denote being completed. Tasks will be stored in our Firestore database, within a collection called tasks. Each document in the collection will represent a single task, containing information such as the text/name of the task, as well as whether is checked off. Here are the important files you'll be working with: React Components util/firebase.ts Utility file for all Firebase-related exports. We initialize the Firebase app here, so this is the place to paste your firebaseConfig. components/frodo/Frodo.tsx Overall "todo list" component. We store a list of tasks in the state which gets passed down and displayed in children components. components/frodo/TaskAddControl.tsx Component for adding a new task to the task list. Instead of updating state directly, we will perform a database operation in order to add a task. components/frodo/TaskList.tsx Simple "intermediate" component that maps over a list of tasks. components/frodo/TaskItem.tsx Component for displaying a task's information. Has a toggleable checkbox and a "delete" button Other Files types/index.ts Task is a simple schema for a task. Firebase documents that represent tasks should match this schema. TaskWithId is a type that has every property in Tasks PLUS the id property, which represents the task's Firebase document id. As always, make sure to fill in all the TODOs before submitting!
740090bd65f85080aca0f39b1fe2c873
{ "intermediate": 0.45674654841423035, "beginner": 0.3276265859603882, "expert": 0.21562688052654266 }
3,738
Ini adalah kode analisis sentimen teks menggunakan metode model gabungan BiLSTM-CNN yang dilanjutkan menggunakan SVM. import numpy as np import pandas as pd import pickle import re from sklearn.model_selection import train_test_split from sklearn.preprocessing import LabelEncoder from sklearn.metrics import confusion_matrix, classification_report from sklearn.pipeline import Pipeline from sklearn.svm import SVC from keras.preprocessing.text import Tokenizer from keras.utils import pad_sequences from keras.models import Sequential from keras.layers import Dense, Embedding, SpatialDropout1D, Conv1D, MaxPooling1D, GlobalMaxPooling1D, Bidirectional, LSTM from keras.callbacks import EarlyStopping from sklearn.feature_extraction.text import TfidfVectorizer # Membaca dataset data_list = pickle.load(open('filtered_pre_processed_berita_joined_done_2.pkl', 'rb')) data = pd.DataFrame(data_list, columns=['judul', 'isi', 'pre_processed', 'Label', 'Nama_Pelabel']) data['Isi Berita'] = data['pre_processed'] # Tokenisasi data tokenizer = Tokenizer(num_words=5000) tokenizer.fit_on_texts(data['Isi Berita']) X = tokenizer.texts_to_sequences(data['Isi Berita']) X = pad_sequences(X, maxlen=300) # Encoding label le = LabelEncoder() y = le.fit_transform(data['Label']) X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.2, random_state=42) model = Sequential() model.add(Embedding(input_dim=5000, output_dim=128, input_length=300)) model.add(SpatialDropout1D(0.4)) model.add(Bidirectional(LSTM(196, dropout=0.2, recurrent_dropout=0.2, return_sequences=True))) model.add(Conv1D(filters=32, kernel_size=3, activation='relu')) model.add(MaxPooling1D(pool_size=2)) model.add(Conv1D(filters=64, kernel_size=3, activation='relu')) model.add(MaxPooling1D(pool_size=2)) model.add(Conv1D(filters=128, kernel_size=3, activation='relu')) model.add(GlobalMaxPooling1D()) model.add(Dense(1, activation='sigmoid')) model.compile(loss='binary_crossentropy', optimizer='adam', metrics=['accuracy']) history = model.fit(X_train, y_train, epochs=5, batch_size=256, validation_split=0.2, callbacks=[EarlyStopping(monitor='val_loss', patience=2)]) # Menghapus layer Dense dengan aktivasi 'sigmoid' dan mengambil embedding dari X_train dan X_test model.pop() train_embed = model.predict(X_train) test_embed = model.predict(X_test) # Membuat pipeline untuk menggabungkan TfidfVectorizer dan SVM classifier svm_clf = Pipeline([ ('tfidf', TfidfVectorizer()), ('clf', SVC(kernel='linear', probability=True)) ]) # Memformat ulang data ke format teks sederhana X_train_text = [' '.join(x) for x in X_train] X_test_text = [' '.join(x) for x in X_test] # Melatih SVM classifier dengan data berformat teks svm_clf.fit(X_train_text, y_train) # Evaluasi akurasi dan laporan klasifikasi dari SVM classifier accuracy = svm_clf.score(X_test_text, y_test) y_pred = svm_clf.predict(X_test_text) print("Accuracy: %.2f%%" % (accuracy*100)) print("Classification Report:\n\n", classification_report(y_test, y_pred))
515c6803ffd9d14e8670c54fdd77090e
{ "intermediate": 0.29605832695961, "beginner": 0.3590604066848755, "expert": 0.34488120675086975 }
3,739
pass user parameters to niagara from c++
2c8952bb2ae80c2e5c32f5937381f4eb
{ "intermediate": 0.3933199644088745, "beginner": 0.31550678610801697, "expert": 0.2911732494831085 }
3,740
hello
3fb38c2686910a23c5769ebeac877819
{ "intermediate": 0.32064199447631836, "beginner": 0.28176039457321167, "expert": 0.39759764075279236 }
3,741
what ur api
1240494bceae6fbd9e99faf9071695bb
{ "intermediate": 0.42056459188461304, "beginner": 0.2792319059371948, "expert": 0.3002035319805145 }
3,742
lua: main.lua:1: '}' expected near '=' table = {[1] = {'job1' = 0, 'job2' = 0, 'job3' = 0, 'job4' = 0}, [2] = {'job1' = 0, 'job2' = 0, 'job3' = 0, 'job4' = 0}}
1369b3e27c95c246ed847e46dfabc448
{ "intermediate": 0.18912126123905182, "beginner": 0.6093781590461731, "expert": 0.20150057971477509 }
3,743
CREATE SEQUENCE SEQ_USER START WITH 1 INCREMENT BY 1; CREATE TABLE QRY_QUEUE ( ID NUMBER, C_IN_TIME DATE, C_EXEC_TIME DATE, C_ST VARCHAR2 (1 BYTE), C_QRY_TYPE NUMBER ); CREATE TABLE ST_ABONENTS ( ID NUMBER, C_NAME VARCHAR2 (100 BYTE) ); CREATE TABLE QRY_TYPE ( ID NUMBER, C_AB_REF NUMBER, C_NAME VARCHAR2 (210 BYTE) ); BEGIN FOR i IN 1 .. 5 LOOP INSERT INTO ST_ABONENTS VALUES (SEQ_USER.NEXTVAL, 'Абонент№' || i); END LOOP; FOR i IN 6 .. 7 LOOP INSERT INTO ST_ABONENTS VALUES (SEQ_USER.NEXTVAL, 'Абонент№' || i); END LOOP; DECLARE I NUMBER; CNT NUMBER := 2; CNT1 NUMBER := 0; CURSOR c_obj IS SELECT a1.id FROM ST_ABONENTS a1 ORDER BY a1.C_name; BEGIN FOR plp$c_obj IN c_obj LOOP I := plp$c_obj.id; cnt := cnt + 2; IF cnt > 5 THEN cnt := 2; END IF; FOR j IN 1 .. cnt LOOP cnt1 := cnt1 + 1; INSERT INTO QRY_TYPE VALUES ( SEQ_USER.NEXTVAL, I, 'Сообщение ВИД № ' || cnt1); END LOOP; NULL; END LOOP; END; DECLARE I NUMBER; s INTEGER := 0; s1 INTEGER := 0; go_out INTEGER := 0; go_out1 INTEGER := 0; tempID NUMBER; tempIDprev NUMBER; CURSOR c_obj IS SELECT a1.id FROM QRY_TYPE a1 ORDER BY a1.C_name; BEGIN FOR plp$c_obj IN c_obj LOOP I := plp$c_obj.id; go_out1 := go_out1 + 1; IF go_out1 = 22 THEN EXIT; END IF; FOR j IN 1 .. 150 LOOP s := s + 1; IF s >= 55 THEN s := 0; END IF; s1 := s + 4; INSERT INTO QRY_QUEUE VALUES ( SEQ_USER.NEXTVAL, TO_DATE ('01/01/2015 23:40:' || s, 'DD/MM/YYYY HH24:MI:SS'), TO_DATE ('01/01/2015 23:41:' || s1, 'DD/MM/YYYY HH24:MI:SS'), 1, I); END LOOP; END LOOP; FOR plp$c_obj IN c_obj LOOP I := plp$c_obj.id; go_out := go_out + 1; IF go_out <= 10 THEN FOR j IN 1 .. 50 LOOP s := s + 1; IF s >= 40 THEN s := 0; END IF; s1 := s + 6; INSERT INTO QRY_QUEUE VALUES ( SEQ_USER.NEXTVAL, TO_DATE ('01/01/2015 23:45:' || s, 'DD/MM/YYYY HH24:MI:SS'), TO_DATE ('01/01/2015 23:46:' || s1, 'DD/MM/YYYY HH24:MI:SS'), 1, I); END LOOP; ELSIF go_out <= 13 THEN FOR j IN 1 .. 13 LOOP s := s + 1; IF s >= 30 THEN s := 0; END IF; s1 := s + 5; INSERT INTO QRY_QUEUE VALUES ( SEQ_USER.NEXTVAL, TO_DATE ('01/01/2015 13:50:10', 'DD/MM/YYYY HH24:MI:SS'), TO_DATE ('01/01/2015 13:50:15', 'DD/MM/YYYY HH24:MI:SS'), 0, I); END LOOP; ELSIF go_out <= 15 THEN FOR j IN 1 .. 3 LOOP s := s + 1; IF s >= 30 THEN s := 0; END IF; INSERT INTO QRY_QUEUE VALUES ( SEQ_USER.NEXTVAL, TO_DATE ('01/01/2015 22:22:' || s, 'DD/MM/YYYY HH24:MI:SS'), NULL, NULL, I); END LOOP; END IF; END LOOP; END; COMMIT; END;
6b7bba578630eddf94be42815c3e9f2f
{ "intermediate": 0.30933791399002075, "beginner": 0.4521009624004364, "expert": 0.23856109380722046 }
3,744
I have a user whose Microsoft Office software is crashing when run on a Citrix host. I have opened a session to the host and logged in as the administrator, please guide me through investigating the cause of this issue through log files and configuration settings.
2adfee40ac158114c7bad0437a4b6f3c
{ "intermediate": 0.43654605746269226, "beginner": 0.2726796865463257, "expert": 0.29077428579330444 }
3,745
table = { [1] = {['item1'] = 1, ['item2'] = 2, ['item3'] = 3, ['item4'] = 4}, [2] = {['item1'] = 1, ['item2'] = 2, ['item3'] = 3, ['item4'] = 4} } for k,v in pairs(table) do if k == 1 then for item,worked in pairs(v) do print("Item " .. item .. " Times Worked " .. worked) end end end lua create a function that would create a new value in the table would get an input of a number ie 3 then would create the value {['item1'] = 0, ['item2'] = 0, ['item3'] = 0, ['item4'] = 0} and insert a new item into table which would look something like this [3] = {['item1'] = 0, ['item2'] = 0, ['item3'] = 0, ['item4'] = 0} then create a function that would take a key input eg 3 and remove that from the table
de549e57151a1843ca3826503324be25
{ "intermediate": 0.25628089904785156, "beginner": 0.6000674366950989, "expert": 0.14365175366401672 }
3,746
Etherium & the weakest Adresse to find private ket
bc353bb2edbbc20411cb653fbbbd7fee
{ "intermediate": 0.38140642642974854, "beginner": 0.24109695851802826, "expert": 0.377496600151062 }
3,747
I have written the following code: <code> using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using Microsoft.Graph; using Microsoft.Identity.Client; using System.Net.Http; using Microsoft.Kiota.Abstractions.Authentication; using System.Runtime.Remoting.Messaging; namespace Outage_Helper { public class AuthenticationProvider : IAuthenticationProvider { private readonly string _clientId; private readonly string _clientSecret; private readonly string _tenantId; private readonly string[] _scopes; public AuthenticationProvider(string clientId, string tenantId, string clientSecret, string[] scopes) { _clientId = clientId; _clientSecret = clientSecret; _tenantId = tenantId; _scopes = scopes; } public async Task<string> GetAccessTokenAsync() { var app = ConfidentialClientApplicationBuilder .Create(_clientId) .WithTenantId(_tenantId) .WithClientSecret(_clientSecret) .Build(); var result = await app.AcquireTokenForClient(_scopes).ExecuteAsync(); return result.AccessToken; } public async Task AuthenticateRequestAsync(HttpRequestMessage requestMessage) { var accessToken = await GetAccessTokenAsync(); requestMessage.Headers.Authorization = new System.Net.Http.Headers.AuthenticationHeaderValue("Bearer", accessToken); } } } </code> However Visual Studio shows the following error: <error> Error CS0535 'AuthenticationProvider' does not implement interface member 'IAuthenticationProvider.AuthenticateRequestAsync(RequestInformation, Dictionary<string, object>?, CancellationToken)' </error> Please diagnose the error and fix the code for me.
4b30db6a0189a7b7c322d777670cc86c
{ "intermediate": 0.5100991725921631, "beginner": 0.29174911975860596, "expert": 0.19815164804458618 }
3,748
帮我写一篇文章,用于发表在CSDN上,给出中文的文本进行关系抽取任务,用pytorch框架的bert模型改造,生成假数据,给出样例数据结构,实现关系抽取任务,要求写出完整的目录结构,以及全套实现代码,代码必须可运行,生成高质量文章。最后输入案例文本:‘陈明,男,1993年6月出生,研究生学历,2016年参加工作,现任福建软件有限公司总经理。’,抽取结果: (陈明,出生年月,1993年6月),(陈明,学历,研究生),(陈明,参加工作,2016年),(陈明,职务,总经理)
c344c99707728337b5aa038e0240697d
{ "intermediate": 0.2976072430610657, "beginner": 0.3285297155380249, "expert": 0.37386301159858704 }
3,749
fivem lua how could I trigger an event when a player joins a server and when the player leaves the server
da82423b78bddc931ad6b9ff92d03522
{ "intermediate": 0.43103134632110596, "beginner": 0.17274253070354462, "expert": 0.396226167678833 }
3,750
i have a formula in excel and i want that the production of that formula be max. write a vba that by changing variable find the max for function.dont use solver.the variable cells are in am3 to ao3.and target cell is in ap3
de7ccb950cb0c9f7e426bb715c99f066
{ "intermediate": 0.35902705788612366, "beginner": 0.3002699315547943, "expert": 0.3407030403614044 }
3,751
I have written the following code to authenticate with Microsoft Azure.Identity: <C#> using Azure.Core; using Azure.Identity; using Microsoft.AspNetCore.Http; using Microsoft.AspNetCore.Mvc; using Microsoft.Extensions.Primitives; using Microsoft.Graph; using Microsoft.Kiota.Abstractions.Authentication; using System.Collections.Generic; using System.Threading.Tasks; using System.Threading; using System; namespace Outage_Helper { [Route("api/[controller]")] [ApiController] public class HelloController : ControllerBase { public async Task<string> Get() { StringValues authorizationToken; HttpContext.Request.Headers.TryGetValue("Authorization", out authorizationToken); var token = authorizationToken.ToString().Replace("Bearer ", ""); var scopes = new[] { "User.Read.All" }; var tenantId = "tenantId"; var clientId = "client_id"; var clientSecret = "client_secret"; var onBehalfOfCredential = new OnBehalfOfCredential(tenantId, clientId, clientSecret, token); var tokenRequestContext = new TokenRequestContext(scopes); var token2 = onBehalfOfCredential.GetTokenAsync(tokenRequestContext, new CancellationToken()).Result.Token; var graphClient = new GraphServiceClient(onBehalfOfCredential, scopes); var user = await graphClient.Users.GetAsync(); return "hello"; } [Route("ClientCredentialFlow")] public async Task<string> clientAsync() { var scopes = new[] { "https://graph.microsoft.com/.default" }; var tenantId = "tenantId"; var clientId = "client_id"; var clientSecret = "client_secret"; var clientSecretCredential = new ClientSecretCredential( tenantId, clientId, clientSecret); var graphClient = new GraphServiceClient(clientSecretCredential, scopes); var users = await graphClient.Users.GetAsync(); return "world"; } [Route("provider")] public async Task<string> providerAsync() { StringValues authorizationToken; HttpContext.Request.Headers.TryGetValue("Authorization", out authorizationToken); string incomingToken = authorizationToken.ToString().Replace("Bearer ", ""); TokenProvider provider = new TokenProvider(); provider.token = incomingToken; var authenticationProvider = new BaseBearerTokenAuthenticationProvider(provider); var graphServiceClient = new GraphServiceClient(authenticationProvider); var user = await graphServiceClient.Users.GetAsync(); return "!!"; } } public class TokenProvider : IAccessTokenProvider { public string token { get; set; } public AllowedHostsValidator AllowedHostsValidator => throw new NotImplementedException(); public Task<string> GetAuthorizationTokenAsync(Uri uri, Dictionary<string, object>? additionalAuthenticationContext = null, CancellationToken cancellationToken = default) { return Task.FromResult(token); } } } </C#> However it generates the following error: " Error CS8370 Feature 'nullable reference types' is not available in C# 7.3. Please use language version 8.0 or greater. " Please fix this code, and then further modify it to correctly reference the tenantId, clientId and clientSecret variables which are stored in the app.config.
aaf307c192f127b360aeaef9f989d5a1
{ "intermediate": 0.3694911301136017, "beginner": 0.5366392135620117, "expert": 0.0938696637749672 }
3,752
lua local table = { [1] = {['item1'] = 1, ['item2'] = 2, ['item3'] = 3, ['item4'] = 4}, [2] = {['item1'] = 1, ['item2'] = 2, ['item3'] = 3, ['item4'] = 4} } how could I edit the value of item1 in the first table eg change item1 to 2 [1] = {['item1'] = 1, ['item2'] = 2, ['item3'] = 3, ['item4'] = 4} to [1] = {['item1'] = 2, ['item2'] = 2, ['item3'] = 3, ['item4'] = 4}
c43f324ea849897775cd50c9abdb3cf5
{ "intermediate": 0.360912561416626, "beginner": 0.37302279472351074, "expert": 0.26606467366218567 }
3,753
You are a senior developper in javascript. Develop a javascript web page for a virtual tour, using three.js, where you can navigate between several panorama
fab69d1ca7cddf9abf2c492b08282e1f
{ "intermediate": 0.35256269574165344, "beginner": 0.2872886657714844, "expert": 0.3601486384868622 }
3,754
riscrivi la funzione adattandoti alla struct Piece. ‘’‘struct Piece { let type: String let color: String var position: (Int, Int)’‘’ inoltre board è di questo tipo [[Piece?]] ''' func possibleMoves(piece: Piece) -> [(Int, Int)] { var moves: [(Int, Int)] = [] switch piece.type { case "King": for i in -1...1 { for j in -1...1 { if !(i == 0 && j == 0) { let row = piece.position.0 + i let col = piece.position.1 + j if row >= 0 && row <= 7 && col >= 0 && col <= 7 { moves.append((row, col)) } } } } case "Queen": // mosse orizzontali e verticali for i in -7...7 where i != 0 { let row = piece.position.0 + i let col = piece.position.1 if row >= 0 && row <= 7 { moves.append((row, col)) } } for i in -7...7 where i != 0 { let row = piece.position.0 let col = piece.position.1 + i if col >= 0 && col <= 7 { moves.append((row, col)) } } // mosse diagonali for i in -7...7 where i != 0 { let row1 = piece.position.0 + i let col1 = piece.position.1 + i let row2 = piece.position.0 + i let col2 = piece.position.1 - i if row1 >= 0 && row1 <= 7 && col1 >= 0 && col1 <= 7 { moves.append((row1, col1)) } if row2 >= 0 && row2 <= 7 && col2 >= 0 && col2 <= 7 { moves.append((row2, col2)) } } case "Rook": for i in -7...7 where i != 0 { let row = piece.position.0 + i let col = piece.position.1 if row >= 0 && row <= 7 { moves.append((row, col)) } } for i in -7...7 where i != 0 { let row = piece.position.0 let col = piece.position.1 + i if col >= 0 && col <= 7 { moves.append((row, col)) } } case "Bishop": for i in -7...7 where i != 0 { let row1 = piece.position.0 + i let col1 = piece.position.1 + i let row2 = piece.position.0 + i let col2 = piece.position.1 - i if row1 >= 0 && row1 <= 7 && col1 >= 0 && col1 <= 7 { moves.append((row1, col1)) } if row2 >= 0 && row2 <= 7 && col2 >= 0 && col2 <= 7 { moves.append((row2, col2)) } } case "Knight": let offsets = [(-2, -1), (-2, 1), (-1, -2), (-1, 2), (1, -2), (1, 2), (2, -1), (2, 1)] for offset in offsets { let row = piece.position.0 + offset.0 let col = piece.position.1 + offset.1 if row >= 0 && row <= 7 && col >= 0 && col <= 7 { moves.append((row, col)) } } case "Pawn": let direction = (piece.color == "White" ? 1 : -1) let row1 = piece.position.0 let col1 = piece.position.1 + direction let row2 = piece.position.0 let col2 = piece.position.1 + 2*direction if col1 >= 0 && col1 <= 7 && board[row1][col1] == nil { moves.append((row1, col1)) } if col2 >= 0 && col2 <= 7 && piece.moves == 0 && board[row1][col1] == nil && board[row1][col2] == nil { moves.append((row1, col2)) } let left = piece.position.0 - 1 let right = piece.position.0 + 1 if left >= 0 && col1 >= 0 && board[left][col1]?.color != piece.color { moves.append((left, col1)) } if right <= 7 && col1 >= 0 && board[right][col1]?.color != piece.color { moves.append((right, col1)) } default: break } return moves } '''
5e4cc0cd43245c4b2ed4d0aba099e0d0
{ "intermediate": 0.3415455222129822, "beginner": 0.5065342783927917, "expert": 0.15192028880119324 }
3,755
import torch import torch.nn as nn from transformers import BertModel, BertTokenizer, BertConfig class RelationExtractionModel(nn.Module): def __init__(self, pretrained_model_name, num_labels): super().__init__() self.bert = BertModel.from_pretrained(pretrained_model_name) self.dropout = nn.Dropout(0.1) self.classifier = nn.Linear(self.bert.config.hidden_size, num_labels) def forward(self, input_ids, attention_mask, token_type_ids): outputs = self.bert(input_ids, attention_mask, token_type_ids) pooled_output = outputs[1] pooled_output = self.dropout(pooled_output) logits = self.classifier(pooled_output) return logits pretrained_model_name = "bert-base-chinese" tokenizer = BertTokenizer.from_pretrained(pretrained_model_name) config = BertConfig.from_pretrained(pretrained_model_name) num_labels = 4 model = RelationExtractionModel(pretrained_model_name, num_labels) #接下来,我们需要创建一个适当的数据加载器,并设置训练参数。更多具体代码请参考PyTorch官方文档。我们需要定义优化器、损失函数等。 from torch.optim import AdamW from torch.utils.data import DataLoader batch_size = 8 num_epochs = 3 learning_rate = 5e-5 weight_decay = 0.01 optimizer = AdamW(model.parameters(), lr=learning_rate, weight_decay=weight_decay) scheduler = None # Put your learning rate scheduler here criterion = nn.CrossEntropyLoss() #训练过程如下: model.train() total_steps = len(example_data) * num_epochs device = "cuda" if torch.cuda.is_available() else "cpu" for epoch in range(num_epochs): for i, batch in enumerate(DataLoader(example_data, batch_size=batch_size)): input_ids = torch.tensor(batch['token_ids']).unsqueeze(0).to(device) print(input_ids.shape) attention_mask = torch.tensor(batch['attention_mask']).unsqueeze(0).float().to(device) token_type_ids = torch.tensor(batch['token_type_ids']).unsqueeze(0).long().to(device) labels = torch.tensor(batch['labels']).to(device) logits = model(input_ids, attention_mask, token_type_ids) # Notice this line loss = criterion(logits, labels) optimizer.zero_grad() loss.backward() optimizer.step() scheduler.step() print(f"Epoch {epoch}/{num_epochs}, loss: {loss.item()}") 以上代码报错:RuntimeError: The size of tensor a (40) must match the size of tensor b (39) at non-singleton dimension 1请修改
63b6fe2844f6a65510594540deeae9a3
{ "intermediate": 0.28521591424942017, "beginner": 0.44854721426963806, "expert": 0.26623690128326416 }
3,756
i have a function in excel and i want the answer of that be max by changing variables. the variables are in am3 to ao3.and target cell is in ap3.dont use solver. and i have a constraint that am3+an3+ao33=100.write a vba to find the value of am3 an3 and ao3
3153f57c53e2833505c320fb95935d35
{ "intermediate": 0.38624200224876404, "beginner": 0.35782551765441895, "expert": 0.255932480096817 }
3,757
i have a function in excel and i want the answer of that be max by changing variables. the variables are in am3 to ao3.and target cell is in ap3.dont use solver. and i have a constraint that am3+an3+ao33=100.write a vba to find the value of am3 an3 and ao3
bb07bb970b38f5427a44a6f3122612f7
{ "intermediate": 0.38624200224876404, "beginner": 0.35782551765441895, "expert": 0.255932480096817 }
3,759
-- Initial table local table = { [1] = {['item1'] = 1, ['item2'] = 2, ['item3'] = 3, ['item4'] = 4}, [2] = {['item1'] = 1, ['item2'] = 2, ['item3'] = 3, ['item4'] = 4} } Lua how can I get the sum of all the values in the sub table of [1]
699b6aad96c193d25f918f37353379c0
{ "intermediate": 0.4545149803161621, "beginner": 0.2756519019603729, "expert": 0.2698330879211426 }
3,760
curl: (35) TCP connection reset by peer
05155eb02fdd8a57330c5220c8fa9070
{ "intermediate": 0.3468222916126251, "beginner": 0.29538682103157043, "expert": 0.3577909469604492 }
3,761
DELETE CASCADE FROM public.tasks where tasks.id> 36600 ERROR: syntax error at or near "CASCADE" LINE 1: DELETE CASCADE FROM public.tasks
1f5c5218a273f10263852a0efe196895
{ "intermediate": 0.26851335167884827, "beginner": 0.48136991262435913, "expert": 0.2501167953014374 }
3,762
How to create multiple relations with the same key in Typeorm?
d9a8f3172cc5de2f0b1b6a5342d6d31d
{ "intermediate": 0.48704254627227783, "beginner": 0.1231779009103775, "expert": 0.3897795081138611 }
3,763
converti questo codice BoardView in swiftui. ''' import UIKit private extension Piece { var imageName: String { return "\(type.rawValue)_\(color.rawValue)" } } protocol BoardViewDelegate: AnyObject { func boardView(_ boardView: BoardView, didTap position: Position) } class BoardView: UIView { weak var delegate: BoardViewDelegate? private(set) var squares: [UIImageView] = [] private(set) var pieces: [String: UIImageView] = [:] private(set) var moveIndicators: [UIView] = [] var board = Board() { didSet { updatePieces() } } var selection: Position? { didSet { updateSelection() } } var moves: [Position] = [] { didSet { updateMoveIndicators() } } func jigglePiece(at position: Position) { if let piece = board.piece(at: position) { pieces[piece.id]?.jiggle() } } func pulsePiece(at position: Position, completion: (() -> Void)?) { if let piece = board.piece(at: position) { pieces[piece.id]?.pulse(completion: completion) } } override init(frame: CGRect) { super.init(frame: frame) sharedSetup() } required init?(coder: NSCoder) { super.init(coder: coder) sharedSetup() } private func sharedSetup() { for i in 0 ..< 8 { for j in 0 ..< 8 { let white = i % 2 == j % 2 let image = UIImage(named: white ? "square_white": "square_black") let view = UIImageView(image: image) squares.append(view) addSubview(view) } } for row in board.pieces { for piece in row { guard let piece = piece else { continue } let view = UIImageView() view.contentMode = .scaleAspectFit pieces[piece.id] = view addSubview(view) } } for _ in 0 ..< 8 { for _ in 0 ..< 8 { let view = UIView() view.backgroundColor = .white moveIndicators.append(view) addSubview(view) } } let tap = UITapGestureRecognizer(target: self, action: #selector(didTap)) addGestureRecognizer(tap) } @objc private func didTap(_ gesture: UITapGestureRecognizer) { let size = squareSize let location = gesture.location(in: self) let position = Position( x: Int(location.x / size.width), y: Int(location.y / size.height) ) delegate?.boardView(self, didTap: position) } private func updatePieces() { var usedIDs = Set<String>() let size = squareSize for (i, row) in board.pieces.enumerated() { for (j, piece) in row.enumerated() { guard let piece = piece, let view = pieces[piece.id] else { continue } usedIDs.insert(piece.id) view.image = UIImage(named: piece.imageName) view.frame = frame(x: j, y: i, size: size) view.layer.transform = CATransform3DMakeScale(0.8, 0.8, 0) } } for (id, view) in pieces where !usedIDs.contains(id) { view.alpha = 0 } updateSelection() } private func updateSelection() { for (i, row) in board.pieces.enumerated() { for (j, piece) in row.enumerated() { guard let piece = piece, let view = pieces[piece.id] else { continue } view.alpha = selection == Position(x: j, y: i) ? 0.5 : 1 } } } private func updateMoveIndicators() { let size = squareSize for i in 0 ..< 8 { for j in 0 ..< 8 { let position = Position(x: j, y: i) let view = moveIndicators[i * 8 + j] view.frame = frame(x: j, y: i, size: size) view.layer.cornerRadius = size.width / 2 view.layer.transform = CATransform3DMakeScale(0.2, 0.2, 0) view.alpha = moves.contains(position) ? 0.5 : 0 } } } private var squareSize: CGSize { let bounds = self.bounds.size return CGSize(width: ceil(bounds.width / 8), height: ceil(frame.height / 8)) } private func frame(x: Int, y: Int, size: CGSize) -> CGRect { let offset = CGPoint(x: CGFloat(x) * size.width, y: CGFloat(y) * size.height) return CGRect(origin: offset, size: size) } override func layoutSubviews() { super.layoutSubviews() let size = squareSize for i in 0 ..< 8 { for j in 0 ..< 8 { squares[i * 8 + j].frame = frame(x: j, y: i, size: size) } } updatePieces() updateMoveIndicators() } } private extension UIImageView { func pulse( scale: CGFloat = 1.5, duration: TimeInterval = 0.6, completion: (() -> Void)? = nil ) { let pulseView = UIImageView(frame: frame) pulseView.image = image superview?.addSubview(pulseView) UIView.animate( withDuration: 0.6, delay: 0, options: .curveEaseOut, animations: { pulseView.transform = .init(scaleX: 2, y: 2) pulseView.alpha = 0 }, completion: { _ in pulseView.removeFromSuperview() completion?() } ) } } '''
1e26feb1e884463410181ac19cd0793c
{ "intermediate": 0.27036526799201965, "beginner": 0.6602397561073303, "expert": 0.0693950429558754 }
3,764
<dl class="col-sm-12 col-md-4"> <dt> <a title="Details for Angela Contat" href="/angela-contat_id_G8372470165765008743"> Angela Contat </a> </dt> <dd>Age 51 (Sep 1971)</dd> </dl> <dl class="col-sm-12 col-md-4"> <dt> <a title="Details for Angela Contat" href="/angela-contat_id_G8372470165765008743"> Angela Contat </a> </dt> <dd>Age 51 (Sep 1971)</dd> </dl><dl class="col-sm-12 col-md-4"> <dt> <a title="Details for Angela Contat" href="/angela-contat_id_G8372470165765008743"> Angela Contat </a> </dt> <dd>Age 51 (Sep 1971)</dd> </dl><dl class="col-sm-12 col-md-4"> <dt> <a title="Details for Angela Contat" href="/angela-contat_id_G8372470165765008743"> Angela Contat </a> </dt> <dd>Age 51 (Sep 1971)</dd> </dl> imagine these dl tags. we want to loop over these dls and extract a textContent and dd tag textContent in puppeteer. what should i do ?
51dd79911a575e941d37c8de9cb55091
{ "intermediate": 0.2585374414920807, "beginner": 0.5075211524963379, "expert": 0.23394140601158142 }
3,765
Generate me a python that can monitor a network interface
dc2a231ed382755c16a4c499de6f1eda
{ "intermediate": 0.5731562972068787, "beginner": 0.07478595525026321, "expert": 0.3520578145980835 }
3,766
Hi
74a4ef557590cc1189d5e05856d81c45
{ "intermediate": 0.33010533452033997, "beginner": 0.26984941959381104, "expert": 0.400045245885849 }
3,767
I'm building a website. can i make it that, on-hover, an element on a certain page shows a visual preview of an element on a different page? how?
8ccccff6b7c71c467c2297562e8aa2b6
{ "intermediate": 0.46752774715423584, "beginner": 0.21933454275131226, "expert": 0.3131376802921295 }
3,768
fivem scripting TaskTurnPedToFaceEntity(PlayerPedId(), car, 1000) but make it so the ped has his back to the entity looking away from it
a562bf2c646051bdec15c759cb2b9f7a
{ "intermediate": 0.3594396412372589, "beginner": 0.31581005454063416, "expert": 0.3247503340244293 }
3,769
make arduino code sokoban with 5110lcd
f5f6c7e42a94a25debd09d4eb68533ee
{ "intermediate": 0.33630815148353577, "beginner": 0.1995391696691513, "expert": 0.4641527235507965 }
3,770
make arduino code sokoban with 5110lcd
be3f68e6a3902a4e1c5b7e085d51e330
{ "intermediate": 0.33630815148353577, "beginner": 0.1995391696691513, "expert": 0.4641527235507965 }
3,771
fivem scripting local CarScraps = { {x = -435.79, y = -1711.64, z = 18.99, h = 87.26}, {x = -447.42, y = -1709.48, z = 18.78, h = 184.49}, {x = -471.9, y = -1702.52, z = 18.65, h = 82.13}, {x = -494.41, y = -1758.18, z = 18.5, h = 63.84}, {x = -499.02, y = -1755.84, z = 18.42, h = 178.39}, {x = -507.02, y = -1741.27, z = 18.92, h = 140.46}, {x = -512.04, y = -1754.40, z = 18.91, h = 73.14}, {x = -481.83, y = -1761.43, z = 18.78, h = 244.49}, {x = -548.84, y = -1712.95, z = 18.85, h = 160.22}, {x = -571.27, y = -1706.56, z = 18.98, h = 126.39}, {x = -546.33, y = -1654.05, z = 19.31, h = 348.94}, {x = -533.94, y = -1615.74, z = 17.8, h = 66.16}, {x = -491.35, y = -1653.08, z = 17.8, h = 159.07}, } I've got this array of locations. I want to detect what one is closest to my player ped and add a cooldown to that one so nobody can do it
eccd88650d37d9551e4494937f91e5a1
{ "intermediate": 0.32419654726982117, "beginner": 0.3943997919559479, "expert": 0.28140372037887573 }
3,772
fivem scripting how to make it so all the client see the same exact particle effect. basiclly syncing the effect between all clients
d7fb9a6b64bd05866cf4047b06f026ff
{ "intermediate": 0.25544503331184387, "beginner": 0.20787180960178375, "expert": 0.5366831421852112 }
3,773
Suppose you have two large datasets: the first dataset contains information about user activity on a website. It consists of log files in CSV format, where each row represents a single page visit by a user. Each row includes the following fields: • IP address (string) • Timestamp (int) • URL visited (string) The second dataset contains information about users themselves. It is also in CSV format, with one row per user. Each row includes the following fields: • User ID (int) • Name (string) • Email address (string) You can download a sample version of these datasets from the following link: https://www.kaggle.com/c/web-traffic-time-series-forecasting/data Task: Your task is to join these two datasets together based on user ID, and then perform some analysis on the resulting dataset. To do this, you'll need to use Apache Spark and PySpark on the Cloudera VM. You'll start by reading in both datasets as RDDs and caching them in memory for faster access. Then you'll perform a join operation on the user ID field using Spark transformations. Once you have your joined dataset, perform these actions on it to analyze the data: • Calculate the average time spent on the website per user. • Identify the most popular pages visited by each user. During this process, you'll also need to keep track of certain metrics using accumulators, such as the number of records processed, and the number of errors encountered. Additionally, you may want to use broadcast variables to efficiently share read-only data across multiple nodes
0c7d3ea9f8cd5ef22909cd0a91066dc6
{ "intermediate": 0.47820401191711426, "beginner": 0.20213113725185394, "expert": 0.3196648359298706 }
3,774
I need to use the ubuntu console from the repository https://huggingface.co/lllyasviel/ControlNet-v1-1/tree/main to download all files with the extension .pth
277a550875c32dbe251ea2984d8b5df8
{ "intermediate": 0.37622562050819397, "beginner": 0.19636231660842896, "expert": 0.4274120032787323 }
3,775
Fix the code. private void sawtooth2Image() { if (image != null) { // Создаем копию исходного изображения BufferedImage sawtoothContrastImage = deepCopy(image); // Запрос значения порогов в цикле до тех пор, пока пользователь не введет правильные значения float t1 = 0, t2 = 0; boolean valid = false; while (!valid) { t1 = userInput("Введите значение порога 1: ", 0, 255); t2 = userInput("Введите значение порога 2: ", 0, 255); if (t2 > t1) { sawtoothContrastImage = sawtoothContrastDown(image, t1, t2); valid = true; } else { JOptionPane.showMessageDialog(null, "Значение порога 2 должно быть больше порога 1"); } } setImageIcon(sawtoothContrastImage); saveImage(sawtoothContrastImage); int[] originalHistogram = ImageReader.getImageHistogram(image); int[] sawtoothHistogram = ImageReader.getImageHistogram(sawtoothContrastImage); JFrame histogramFrame = new JFrame("Гистограммы"); histogramFrame.setLayout(new GridLayout(1, 2, 10, 10)); JPanel originalHistogramPanel = ImageReader.createHistogramPanel(originalHistogram, "Гистограмма исходного изображения"); JPanel sawtoothHistogramPanel = ImageReader.createHistogramPanel(sawtoothHistogram, "Гистограмма после контрастирования"); histogramFrame.add(originalHistogramPanel); histogramFrame.add(sawtoothHistogramPanel); histogramFrame.pack(); histogramFrame.setLocationRelativeTo(null); histogramFrame.setVisible(true); } } // Создание глубокой копии изображения private BufferedImage deepCopy1(BufferedImage image) { ColorModel colorModel = image.getColorModel(); boolean isAlphaPremultiplied = colorModel.isAlphaPremultiplied(); WritableRaster raster = image.copyData(image.getRaster().createCompatibleWritableRaster()); return new BufferedImage(colorModel, raster, isAlphaPremultiplied, null); }// Функция пилообразного контрастирования с порогами и направлением вниз private static Mat sawtoothContrastDown(Mat image, float t1, float t2) { Mat output = new Mat(image.rows(), image.cols(), image.type()); for (int i = 0; i < image.rows(); i++) { for (int j = 0; j < image.cols(); j++) { double[] data = image.get(i, j); int brightness = (int) (0.2126 * data[2] + 0.7152 * data[1] + 0.0722 * data[0]); if (brightness < t1) { data[0] = 255; data[1] = 255; data[2] = 255; } else if (brightness >= t1 && brightness < t2) { double value = 255 - 255 * (brightness - t1) / (t2 - t1); data[0] = value; data[1] = value; data[2] = value; } else if (brightness >= t2) { data[0] = 0; data[1] = 0; data[2] = 0; } output.put(i, j, data); } } return output; }
3cba65014540db4a390e3e7750cd4589
{ "intermediate": 0.2989234924316406, "beginner": 0.47100457549095154, "expert": 0.23007194697856903 }
3,776
Почему сразу не обновляются данные? async changeRole(userName: string, userRole: 'admin' | 'user') { try { const { result } = await changeRole({ username: userName, role: userRole }) const user = this.users.find((u) => u.name === userName) if (user) { user.role = userRole this.updateRole(user) // {...user, role: userRole} } } catch (err) { console.log(err) } }
c0619011b354051e64aafa94f9778fdf
{ "intermediate": 0.3367083668708801, "beginner": 0.46089568734169006, "expert": 0.20239593088626862 }
3,777
new Intent( Intent.ACTION_PICK, android.provider.MediaStore.Images.Media.EXTERNAL_CONTENT_URI);
bbcda32667266c55bc55851c6c702b72
{ "intermediate": 0.36748582124710083, "beginner": 0.22669823467731476, "expert": 0.4058159291744232 }
3,778
Cannot make a static reference to the non-static method sawtoothContrastUp(BufferedImage, float, float) from the type ImageReader. FIx this. // Гистограмма для sawtooth3Image() private void sawtooth3Image() { if (image != null) { BufferedImage combinedImage = deepCopy(image); // Создаем копию исходного изображения // Запрос значения порогов в цикле до тех пор, пока пользователь не введет правильные значения float t1 = 0, t2 = 0; boolean valid = false; while (!valid) { t1 = userInput("Введите значение порога 1: ", 0, 255); t2 = userInput("Введите значение порога 2: ", 0, 255); if (t2 > t1) { BufferedImage sawtoothContrastImage1 = ImageReader.sawtoothContrastUp(image, t1, t2); // Применяем контрастирование для верхней пилы BufferedImage sawtoothContrastImage2 = ImageReader.sawtoothContrastDown(image, t1, t2); // Применяем контрастирование для нижней пилы // Объединяем полученные изображения for (int y = 0; y < combinedImage.getHeight(); y++) { for (int x = 0; x < combinedImage.getWidth(); x++) { int rgb1 = sawtoothContrastImage1.getRGB(x, y); int rgb2 = sawtoothContrastImage2.getRGB(x, y); int red1 = (rgb1 >> 16) & 0xFF; int green1 = (rgb1 >> 8) & 0xFF; int blue1 = rgb1 & 0xFF; int red2 = (rgb2 >> 16) & 0xFF; int green2 = (rgb2 >> 8) & 0xFF; int blue2 = rgb2 & 0xFF; int red, green, blue; // В зависимости от положения пикселя на изображении выбираем соответствующий цвет if (y < image.getHeight() / 2) { red = red1; green = green1; blue = blue1; } else { red = red2; green = green2; blue = blue2; } combinedImage.setRGB(x, y, (red << 16) | (green << 8) | blue); } } valid = true; } else { JOptionPane.showMessageDialog(null, "Значение порога 2 должно быть больше порога 1"); } } setImageIcon(combinedImage); saveImage(combinedImage); int[] originalHistogram = ImageReader.getImageHistogram(image); int[] sawtoothHistogram = ImageReader.getImageHistogram(combinedImage); JFrame histogramFrame = new JFrame("Гистограммы"); histogramFrame.setLayout(new GridLayout(1, 2, 10, 10)); JPanel originalHistogramPanel = ImageReader.createHistogramPanel(originalHistogram, "Гистограмма исходного изображения"); JPanel sawtoothHistogramPanel = ImageReader.createHistogramPanel(sawtoothHistogram, "Гистограмма после контрастирования"); histogramFrame.add(originalHistogramPanel); histogramFrame.add(sawtoothHistogramPanel); histogramFrame.pack(); histogramFrame.setLocationRelativeTo(null); histogramFrame.setVisible(true); } }// Функция пилообразного контрастирования с порогами и направлением вверх private BufferedImage sawtoothContrastUp(BufferedImage image, float t1, float t2) { BufferedImage output = new BufferedImage(image.getWidth(), image.getHeight(), image.getType()); for (int i = 0; i < image.getWidth(); i++) { for (int j = 0; j < image.getHeight(); j++) { int pixel = image.getRGB(i, j); int red = (pixel >> 16) & 0xff; int green = (pixel >> 8) & 0xff; int blue = pixel & 0xff; int brightness = (int) (0.2126 * red + 0.7152 * green + 0.0722 * blue); if (brightness < t1) { output.setRGB(i, j, new Color(0, 0, 0).getRGB()); } else if (brightness >= t1 && brightness < t2) { int value = (int) (255 * (brightness - t1) / (t2 - t1)); output.setRGB(i, j, new Color(value, value, value).getRGB()); } else if (brightness >= t2) { output.setRGB(i, j, new Color(255, 255, 255).getRGB()); } } } return output; }
3f0b9d78c78039dfe10a89565fd94d03
{ "intermediate": 0.2496197670698166, "beginner": 0.42382344603538513, "expert": 0.3265567719936371 }
3,779
teeth cannot be resolved to a variable. Fix this. private BufferedImage zigzagContrast(BufferedImage image, int t1, int t2, int index) { BufferedImage resultImage = new BufferedImage(image.getWidth(), image.getHeight(), BufferedImage.TYPE_INT_RGB); Color c; int width = image.getWidth(); int height = image.getHeight(); // Define zigzag pattern for each row or column int[] zigzag = new int[width]; for (int i = 0; i < width; i++) { zigzag[i] = i % (height * 2 - 2); if (zigzag[i] >= height) { zigzag[i] = (height - 2) - (zigzag[i] - height); } } int step = 255 / (teeth - 1); // Calculate step size based on the number of teeth int m; for (int y = 0; y < height; y++) { for (int x = 0; x < width; x++) { c = new Color(image.getRGB(x, y)); float brightness = (float) (0.299 * c.getRed() + 0.587 * c.getGreen() + 0.114 * c.getBlue()) / 255; if (brightness < (float) t1 / 255) { resultImage.setRGB(x, y, Color.BLACK.getRGB()); } else if (brightness >= (float) t1 / 255 && brightness < (float) t2 / 255) { m = (int) (brightness / step); // Calculate the index based on step size if (index >= m) { resultImage.setRGB(x, y, Color.WHITE.getRGB()); } else { resultImage.setRGB(x, y, Color.BLACK.getRGB()); } } else { resultImage.setRGB(x, y, Color.WHITE.getRGB()); } } } return resultImage; }
71e4e8149715452940faf869aa240c1f
{ "intermediate": 0.29427123069763184, "beginner": 0.41846221685409546, "expert": 0.2872665226459503 }
3,780
What is this doing: curl -X POST --data '{ "email": "somebody@example.com", "phone": "+40743123123", "password": "hackmenow" }' localhost:2023/accounts/
8aff322540c17c370c2cdb318bf39027
{ "intermediate": 0.41672995686531067, "beginner": 0.24026913940906525, "expert": 0.3430009186267853 }
3,781
hi
e22da97e4a809024a18fe4becf141bb2
{ "intermediate": 0.3246487081050873, "beginner": 0.27135494351387024, "expert": 0.40399640798568726 }
3,782
need to arrange withiness properly, so ".background" stays withing flag background emoji icon together with text centered in it all. maybe there's a way to make some padding or space between the flags through "<div class="main">" container, to adjust the spacing between the flags <divs> with texts and a shade.
3fc00d6bd95c1de22b607a096b4beb95
{ "intermediate": 0.4340164065361023, "beginner": 0.2726482152938843, "expert": 0.2933354377746582 }
3,783
I have a break joints/welds script for my roblox game, it kills players though, would there be any way to make it only destroy welds and not kill the players?
55026f07634b1a41297a32fa7168885d
{ "intermediate": 0.49080437421798706, "beginner": 0.21685616672039032, "expert": 0.29233941435813904 }
3,784
Write a piece of code where if a Robloxian clicks a block, it makes them fall over. The animation has to be fully done inside the script and done for an R15 Rig.
d4f50a19c2ada2c1da3f3a06cc463936
{ "intermediate": 0.34028950333595276, "beginner": 0.1351771205663681, "expert": 0.5245333909988403 }
3,785
i want write some python code for bayes
db28ccd001281e74fe35e2cfc24d473a
{ "intermediate": 0.35654160380363464, "beginner": 0.19138267636299133, "expert": 0.4520757496356964 }
3,786
Do you know of the JieBa pip?
e4edee3b34f9af14c078cb0743825648
{ "intermediate": 0.6014077067375183, "beginner": 0.1529833972454071, "expert": 0.2456088662147522 }
3,787
c++ initialize array of length 4 with variables of 2d int arrays
8710527b29c6cdc1626faca158248134
{ "intermediate": 0.34264692664146423, "beginner": 0.37057021260261536, "expert": 0.2867828607559204 }
3,788
USB signalling and transceiver simulation matlab code
53935ec1fa6f779dddb04f1c8972b3a8
{ "intermediate": 0.3304845988750458, "beginner": 0.3148333430290222, "expert": 0.3546820878982544 }
3,789
how can i find the start index of repetition in time series in dataframe
988f73016869a2bd90624f1a12a7baa1
{ "intermediate": 0.40128809213638306, "beginner": 0.29887115955352783, "expert": 0.29984068870544434 }
3,790
fixe bitte die tests und antworte auf deutsch <div class="jasmine-spec-detail jasmine-failed"><div class="jasmine-description"><a href="/context.html?spec=TimeoutService">TimeoutService</a> &gt; <a href="/context.html?spec=TimeoutService%20initTimeout">initTimeout</a> &gt; <a title="should start the timeout" href="/context.html?spec=TimeoutService%20initTimeout%20should%20start%20the%20timeout">should start the timeout</a></div><div class="jasmine-messages"><div class="jasmine-result-message">Error: &lt;spyOn&gt; : resetState() method does not exist Usage: spyOn(&lt;object&gt;, &lt;methodName&gt;)</div><div class="jasmine-stack-trace"> at &lt;Jasmine&gt; at UserContext.apply (http://localhost:9876/_karma_webpack_/webpack:/src/app/timeout/timeout.service.spec.ts:28:7) at _ZoneDelegate.invoke (http://localhost:9876/_karma_webpack_/webpack:/node_modules/zone.js/fesm2015/zone.js:375:26) at ProxyZoneSpec.onInvoke (http://localhost:9876/_karma_webpack_/webpack:/node_modules/zone.js/fesm2015/zone-testing.js:287:39) at _ZoneDelegate.invoke (http://localhost:9876/_karma_webpack_/webpack:/node_modules/zone.js/fesm2015/zone.js:374:52) at Zone.run (http://localhost:9876/_karma_webpack_/webpack:/node_modules/zone.js/fesm2015/zone.js:134:43) at runInTestZone (http://localhost:9876/_karma_webpack_/webpack:/node_modules/zone.js/fesm2015/zone-testing.js:582:34) at UserContext.&lt;anonymous&gt; (http://localhost:9876/_karma_webpack_/webpack:/node_modules/zone.js/fesm2015/zone-testing.js:597:20)</div></div></div> import { TimeoutService } from './timeout.service'; describe('TimeoutService', () => { let service: TimeoutService; let resetStateSpy: jasmine.SpyObj<any>; beforeEach(() => { resetStateSpy = jasmine.createSpyObj('appStateResetService', ['resetState']); service = new TimeoutService(); }); afterEach(() => { service.unsubscribeActivity(); }); it('should create the service', () => { expect(service).toBeTruthy(); }); describe('initTimeout', () => { let resetStateSpy: jasmine.SpyObj<any>; beforeEach(() => { resetStateSpy = jasmine.createSpyObj('appStateResetService', ['resetState']); }); it('should start the timeout', () => { spyOn(console, 'log'); spyOn(service as any, 'resetState'); spyOn(service as any, 'setActive'); expect(console.log).toHaveBeenCalledWith('Timer: 50s'); expect((service as any).resetState).toHaveBeenCalled(); expect((service as any).setActive.calls.argsFor(0)[0]).toBeTrue(); expect((service as any).setActive.calls.argsFor(1)[0]).toBeFalse(); }); }); describe('unsubscribeActivity', () => { it('should unsubscribe the activity subscription', () => { const unsubscribeSpy = spyOn((service as any)['activitySubscription'], 'unsubscribe'); service.unsubscribeActivity(); expect(unsubscribeSpy).toHaveBeenCalled(); }); }); }); import { Injectable } from '@angular/core'; import { Subscription, fromEvent, merge, timer } from 'rxjs'; import { debounceTime, map, take, takeUntil, tap } from 'rxjs/operators'; @Injectable({ providedIn: 'root' }) export class TimeoutService { private activitySubscription: Subscription | undefined; constructor() {} initTimeout( timeoutDuration: number = 50, appStateResetService: any, setActive: (active: boolean) => void ): Subscription { const click$ = fromEvent(document, 'click'); const mouseMove$ = fromEvent(document, 'mousemove'); const touchStart$ = fromEvent(document, 'touchstart'); const touchMove$ = fromEvent(document, 'touchmove'); const activity$ = merge(mouseMove$, click$, touchMove$, touchStart$); let timeoutSubscription: Subscription | undefined; const resetTimeout = () => { setActive(false); if (timeoutSubscription) { timeoutSubscription.unsubscribe(); } timeoutSubscription = timer(0, 1000) .pipe( takeUntil(activity$), take(timeoutDuration + 1), map(time => timeoutDuration - time), tap(time => { // Todo: Nach der Abnahme entfernen console.log(`Timer: ${time}s`); if (time === 0) { appStateResetService.resetState(); } }) ) .subscribe({ complete: () => { setActive(false); } }); }; setActive(true); resetTimeout(); this.activitySubscription = activity$ .pipe( debounceTime(1000), tap(() => resetTimeout()) ) //Todo: Console.Log nach der Abnahme entfernen .subscribe(() => console.log('click')); return this.activitySubscription; } unsubscribeActivity(): void { if (this.activitySubscription) { this.activitySubscription.unsubscribe(); } } }
d26aa35a68980137e60a4ced8f2bc4f8
{ "intermediate": 0.34999772906303406, "beginner": 0.5049062371253967, "expert": 0.1450960338115692 }
3,791
spring-boot-maven-plugin
b14b4ee6c795fca08a6ca2efc8bcb277
{ "intermediate": 0.44056978821754456, "beginner": 0.1806577444076538, "expert": 0.378772497177124 }
3,792
code me a basic movement system for unity
204e7e549c69ad94814ffa7bc6e22901
{ "intermediate": 0.38821664452552795, "beginner": 0.26290273666381836, "expert": 0.3488806188106537 }
3,793
Please write a dx9 hlsl code that changes the specified RGB to the specified RGB within the selected area:
3b24b8ccfb8b1a8e57ddec9d2c76b9c1
{ "intermediate": 0.4072330594062805, "beginner": 0.13406601548194885, "expert": 0.45870092511177063 }
3,794
hi
00d92d526f4483d62f25ff71c1046f47
{ "intermediate": 0.3246487081050873, "beginner": 0.27135494351387024, "expert": 0.40399640798568726 }
3,795
If activeCell.Column = 11 And activeCell.Value <> "" Then how will I adjust this using Offset, so that the cell just before the activeCell.Value is <> ""
ffcc68326a58594b4507446c774b4371
{ "intermediate": 0.4230059087276459, "beginner": 0.27777498960494995, "expert": 0.2992191016674042 }
3,796
Используя этот код. private static void nine(Mat image, int t1, int t2) { for (int i = 0; i < image.rows(); i++) for (int j = 0; j < image.cols(); j++) { double[] data = image.get(i, j); for (int p = 0; p < image.channels(); p++) { int cell = (int) (255 * (data[p] - (double) t1) / ((double) t2 - (double) t1)); if ((double) t2 >= data[p] && data[p] >= (double) t1) data[p] = cell; else data[p] = data[p]; } image.put(i, j, data); } Переделай этот код. // Гистограмма для sawtooth4Image() private void zigzagContrastImage() { if (image != null) { // Запрос значений порогов у пользователя int t1 = (int) userInput("Введите значение порога 1: ", 0, 255); int t2 = (int) userInput("Введите значение порога 2: ", 0, 255); // Проверка правильности введенных значений порогов if (t2 <= t1) { JOptionPane.showMessageDialog(null, “Значение порога 2 должно быть больше порога 1”); return; } int teeth = (int) userInput("Введите количество зубьев: ", 2, 10); // Запрос значения количества зубьев List<BufferedImage> zigzagContrastImages = new ArrayList<>(); for (int i = 0; i < teeth; i++) { BufferedImage zigzagContrastImage = zigzagContrast(image, t1, t2, teeth, i); zigzagContrastImages.add(zigzagContrastImage); } histogramFrame.pack(); histogramFrame.setLocationRelativeTo(null); histogramFrame.setVisible(true); } } private BufferedImage zigzagContrast(BufferedImage image, int t1, int t2, int teeth, int index) { int width = image.getWidth(); int height = image.getHeight(); BufferedImage resultImage = new BufferedImage(width, height, BufferedImage.TYPE_INT_RGB); int step = 255 / teeth; // Calculate step size based on the number of teeth for (int x = 0; x < width; x++) { for (int y = 0; y < height; y++) { Color c = new Color(image.getRGB(x, y)); int grey = (int) (0.299 * c.getRed() + 0.587 * c.getGreen() + 0.114 * c.getBlue()); int cell = (int) (255 * (grey - t1) / (t2 - t1)); if (t2 >= grey && grey >= t1) { cell = (int) (((double) cell) / step); if (cell <= index) { resultImage.setRGB(x, y, Color.BLACK.getRGB()); } else { resultImage.setRGB(x, y, Color.WHITE.getRGB()); } } else if (grey < t1) { resultImage.setRGB(x, y, Color.BLACK.getRGB()); } else { resultImage.setRGB(x, y, Color.WHITE.getRGB()); } } } return resultImage; }
0f4e46cc4b5c61e12b46cdc20a71f5e1
{ "intermediate": 0.28971782326698303, "beginner": 0.4679299294948578, "expert": 0.24235232174396515 }
3,797
Code moi un flappy bird en python
f386ec2f1a61586c24b6e37cdd7c62a7
{ "intermediate": 0.2428484708070755, "beginner": 0.3942283093929291, "expert": 0.3629232347011566 }
3,798
using python3, Create a program that takes (at least) three command line arguments. The first two will be integers and the third will be a float. On one line, separated by spaces, print the sum of the first two arguments, the product of the first and third arguments, the first argument modulo the second, and the integer quotient of the third by the first. Add 1 to all three arguments. On a new line, print the first argument bitwise right shift 3, the second argument divided by 2 (not integer division), and the bitwise OR of the first and second arguments. (all separated by spaces.) On the last line, print the sum of the first argument (after the addition) and the total number of arguments, excluding the program name.
d50fd67d36224b197512b51828ce250b
{ "intermediate": 0.3651158809661865, "beginner": 0.31336140632629395, "expert": 0.3215227425098419 }
3,799
how to make minecraft in unity with code
a57cf78c03db881f76a9b2679eb2ee5d
{ "intermediate": 0.2780815362930298, "beginner": 0.29294440150260925, "expert": 0.4289740324020386 }
3,800
hi
eaac0747ac8347edd228f54a5a6f7671
{ "intermediate": 0.3246487081050873, "beginner": 0.27135494351387024, "expert": 0.40399640798568726 }
3,801
Fix this. else if (e.getSource() == sawtooth4Button) { zigzagContrastImage(); } private void nine(Mat image, int t1, int t2) { if (image != null) { // Запрос значений порогов у пользователя t1 = (int) ImageReader.userInput("Введите значение порога 1: ", 0, 255); t2 = (int) ImageReader.userInput("Введите значение порога 2: ", 0, 255); // Проверка правильности введенных значений порогов if (t2 <= t1) { JOptionPane.showMessageDialog(null, "Значение порога 2 должно быть больше порога "); return; } final int TEETH = (int) ImageReader.userInput("Введите количество зубьев:", 2, 10); // Запрос значения количества зубьев final int index = 0; // or whatever value you want Mat resultImage = new Mat(image.size(), image.type()); for (int i = 0; i < image.rows(); i++) { for (int j = 0; j < image.cols(); j++) { double[] data = image.get(i, j); for (int p = 0; p < image.channels(); p++) { int cell = (int) (255 * (data[p] - (double) t1) / ((double) t2 - (double) t1)); if ((double) t2 >= data[p] && data[p] >= (double) t1) { cell = (cell * 255) / (255 / TEETH); if (cell <= index) { data[p] = 0; } else { data[p] = 255; } } } resultImage.put(i, j, data); } } HighGui.imshow("Zigzag Contrast", resultImage); HighGui.waitKey(); } }
808cca8985820b2c6bcca58c3ca2a01e
{ "intermediate": 0.2623908221721649, "beginner": 0.4920819103717804, "expert": 0.2455272674560547 }
3,802
I have an incremental formula in a column. The formula in row 74 is; =IF($A74<>"",VLOOKUP($A74,LIST!$A$2:$C$54,3,FALSE),"") . Using VBA to replicate this formula I have the code .Range("K2:K" & lastRow).FormulaR1C1 = _ "=IF(RC[-10]<>"",VLOOKUP(RC[-10],LIST!R2C1:R54C3,3,FALSE),"""")" . Comparing both, what is wrong with the VBA alternative since the formula is known to calculate correctly
cf808251fccfab6f80b08877cdd7698b
{ "intermediate": 0.38579583168029785, "beginner": 0.297993928194046, "expert": 0.31621024012565613 }
3,803
Liminal consumption of “the cosmic ballet”: an autoethnography
61c2176f086813491269047fc757f418
{ "intermediate": 0.2994833290576935, "beginner": 0.3611140847206116, "expert": 0.33940258622169495 }
3,804
html & php how to get the input text of a html form
10e98470cd8e8b4aa8d1d6929a479c41
{ "intermediate": 0.4278569221496582, "beginner": 0.3329273462295532, "expert": 0.23921573162078857 }
3,805
Act as a python programmer, use python3, use define function. Use a simple python script to create a program that takes (at least) three command line arguments. The first two will be integers and the third will be a float. On one line, separated by spaces, print the sum of the first two arguments, the product of the first and third arguments, the first argument modulo the second, and the integer quotient of the third by the first. Add 1 to all three arguments. On a new line, print the first argument bitwise right shift 3, the second argument divided by 2 (not integer division), and the bitwise OR of the first and second arguments. (all separated by spaces.) On the last line, print the sum of the first argument (after the addition) and the total number of arguments, excluding the program name. The outcome will be exactly 15 15.70 5 1 on the first line when running python3 <name> 5 10 3.14
ae5ffde954bedac50f222d3b8a0d7a2f
{ "intermediate": 0.27946680784225464, "beginner": 0.4235483407974243, "expert": 0.29698482155799866 }
3,806
这个代码有什么问题吗: void bfs(Node *start){ cout<< "----------Breadth First Seacrh----------"<<endl; Queue<Node> queue; Vector<std::string> visited; Node *temp = start; queue.add(*temp); while(!queue.isEmpty()){ Node temp = queue.dequeue(); cout << temp.name <<endl; visited.add(temp.name); foreach (Arc *arc in temp.arcs) { Node *n = arc->finish; if (!visited.contains(n->name)){ queue.add(*n); visited.add(n->name); } } } }
5314c127d67f31c2587dc5420b8d83fd
{ "intermediate": 0.3165868818759918, "beginner": 0.4320325255393982, "expert": 0.25138059258461 }
3,807
I want to create a table in sql server TransTbl where TransID is the PK , CustID is FK form CustomerTbl, CustName is another FK, ProductID is another FK from ProductTbl, ProductName another FK, Product QTY another FK and ProductMFee another FK
6cdcdb69027666613f726ce6d983cbc7
{ "intermediate": 0.48083049058914185, "beginner": 0.22613506019115448, "expert": 0.29303449392318726 }
3,808
Eliminate the recursion from the implementation of depthFirstSearch by using a stack to store the unexplored nodes. At the beginning of the algorithm, you simply push the starting node on the stack. Then, until the stack is empty, you repeat the following operations: 1. Pop the topmost node from the stack. 2. Visit that node. 3. Push its neighbors on the stack. Requirement Please complete the function dfs in the file p2Traverse.cpp using stack #include <iostream> #include <fstream> #include <string> #include <set> #include <stack> #include <queue> #include "CSC3002OJActive/assignment6/simplegraph.h" using namespace std; void dfs(Node *start) {
901849c8a091dd2b899cc25f4e8b9c95
{ "intermediate": 0.3265075981616974, "beginner": 0.14038337767124176, "expert": 0.5331090092658997 }
3,809
Create a program with python version 3, use simple terms, and define function, that takes (at least) three command line arguments. The first two will be integers and the third will be a string. Prints the larger of the two integers. If they are equal, do not print either one. If the word "time" appears in the string, print the sum of the integers. If both the integers are odd, or one of them is a multiple of 3, print the string. If there are more than three command line arguments (excluding the filename), print the word "error".
b7a14db4a5159f22efd51c436258ca96
{ "intermediate": 0.2721502482891083, "beginner": 0.5164762735366821, "expert": 0.21137350797653198 }
3,810
/* * File: Traverse.cpp * ------------------ * This program reimplements the breadth-first search using an * explicit queue, and depth-first search algorithm using an explicit stack */ #include <iostream> #include <fstream> #include <string> #include <set> #include <stack> #include <queue> #include "CSC3002OJActive/assignment6/simplegraph.h" using namespace std; void bfs(Node *start) { cout << "Breadth First Search" << endl; if (start == nullptr) return; // check if the start node is valid set<Node> visitedNodes; queue<Node*> nodeQueue; // Enqueue the starting node on the queue nodeQueue.push(start); while (!nodeQueue.empty()) { // Dequeue the front node from the queue Node* currentNode = nodeQueue.front(); nodeQueue.pop(); // Visit the node if it hasn’t been visited yet if (visitedNodes.find(currentNode) == visitedNodes.end()) { cout << "Visited Node: " << currentNode->name << endl; visitedNodes.insert(currentNode); // Enqueue its neighbors on the queue for (Node* neighbor : currentNode->neighbors) { if (visitedNodes.find(neighbor) == visitedNodes.end()) { nodeQueue.push(neighbor); } } } } } void dfs(Node *start) { cout<< "Depth First Seacrh"<< endl; if (start == nullptr) return; // check if the start node is valid set<Node> visitedNodes; stack<Node*> nodeStack; // Push the starting node on the stack nodeStack.push(start); while (!nodeStack.empty()) { // Pop the topmost node from the stack Node* currentNode = nodeStack.top(); nodeStack.pop(); // Visit the node if it hasn’t been visited yet if (visitedNodes.find(currentNode) == visitedNodes.end()) { cout << "Visited Node: " << currentNode->name << endl; visitedNodes.insert(currentNode); // Push its neighbors on the stack for (Node* neighbor : currentNode->neighbors) { if (visitedNodes.find(neighbor) == visitedNodes.end()) { nodeStack.push(neighbor); } } } } } int main(){ SimpleGraph airline; readGraph(airline, cin); cout << "DFS at Portland ...." << endl; dfs(airline.nodeMap.at("Portland")); cout << "BFS at Portland ...." << endl; bfs(airline.nodeMap.at("Portland")); return 0; } the error is: error: no matching function for call to 'std::set<Node>::find(Node*&)'
2b0b037e5e9cee6a3f67d7521ec9a53b
{ "intermediate": 0.3549553453922272, "beginner": 0.41091203689575195, "expert": 0.2341325730085373 }
3,811
/* * File: Traverse.cpp * ------------------ * This program reimplements the breadth-first search using an * explicit queue, and depth-first search algorithm using an explicit stack */ #include <iostream> #include <fstream> #include <string> #include <set> #include <stack> #include <queue> #include "CSC3002OJActive/assignment6/simplegraph.h" using namespace std; void bfs(Node *start) { cout << "Breadth First Search" << endl; if (start == nullptr) return; // check if the start node is valid set<Node*> visitedNodes; queue<Node*> nodeQueue; // Enqueue the starting node on the queue nodeQueue.push(start); while (!nodeQueue.empty()) { // Dequeue the front node from the queue Node* currentNode = nodeQueue.front(); nodeQueue.pop(); // Visit the node if it hasn’t been visited yet if (visitedNodes.find(currentNode) == visitedNodes.end()) { cout << "Visited Node: " << currentNode->name << endl; visitedNodes.insert(currentNode); // Enqueue its neighbors on the queue for (Node* neighbor : currentNode->neighbors) { if (visitedNodes.find(neighbor) == visitedNodes.end()) { nodeQueue.push(neighbor); } } } } } void dfs(Node *start) { cout<< "Depth First Seacrh"<< endl; if (start == nullptr) return; // check if the start node is valid set<Node*> visitedNodes; stack<Node*> nodeStack; // Push the starting node on the stack nodeStack.push(start); while (!nodeStack.empty()) { // Pop the topmost node from the stack Node* currentNode = nodeStack.top(); nodeStack.pop(); // Visit the node if it hasn’t been visited yet if (visitedNodes.find(currentNode) == visitedNodes.end()) { cout << "Visited Node: " << currentNode->name << endl; visitedNodes.insert(currentNode); // Push its neighbors on the stack for (Node* neighbor : currentNode->neighbors) { if (visitedNodes.find(neighbor) == visitedNodes.end()) { nodeStack.push(neighbor); } } } } } int main(){ SimpleGraph airline; readGraph(airline, cin); cout << "DFS at Portland ...." << endl; dfs(airline.nodeMap.at("Portland")); cout << "BFS at Portland ...." << endl; bfs(airline.nodeMap.at("Portland")); return 0; } the error is:'struct Node' has no member named 'neighbors'
dbf800c2ea0869317964bcd1b09089ed
{ "intermediate": 0.2936212718486786, "beginner": 0.4607432782649994, "expert": 0.24563544988632202 }
3,812
Write a function that prints out the numbers from 1 to 100, except that multiples of 3 are replaced by "fizz" and multiples of 5 are replaced by "buzz". Multiples of 3 and 5 should be replaced by "fizzbuzz".
36d7586123731f630958e6ea445121f3
{ "intermediate": 0.22149275243282318, "beginner": 0.5813389420509338, "expert": 0.19716830551624298 }
3,813
Design me a website using html, javascript, and css
dc841553d33006cfd089f33671f3e03b
{ "intermediate": 0.4561944007873535, "beginner": 0.28859174251556396, "expert": 0.2552138566970825 }
3,814
do you know the paper “Liminal consumption of “the cosmic ballet”: an autoethnography”?
7e7a2667d3c740836dec2f30f0c0cd8d
{ "intermediate": 0.22004418075084686, "beginner": 0.20318107306957245, "expert": 0.5767748355865479 }